diff --git a/apps/common/locale.js b/apps/common/locale.js index 7990b2c8d..abed04e94 100644 --- a/apps/common/locale.js +++ b/apps/common/locale.js @@ -39,7 +39,8 @@ Common.Locale = new(function() { var l10n = null; var loadcallback, apply = false, - currentLang = 'en'; + defLang = '{{DEFAULT_LANG}}', + currentLang = defLang; var _applyLocalization = function(callback) { try { @@ -83,7 +84,11 @@ Common.Locale = new(function() { }; var _getCurrentLanguage = function() { - return (currentLang || 'en'); + return currentLang; + }; + + var _getLoadedLanguage = function() { + return loadedLang; }; var _getUrlParameterByName = function(name) { @@ -94,23 +99,26 @@ Common.Locale = new(function() { }; var _requireLang = function () { - var lang = (_getUrlParameterByName('lang') || 'en').split(/[\-_]/)[0]; + var lang = (_getUrlParameterByName('lang') || defLang).split(/[\-_]/)[0]; currentLang = lang; fetch('locale/' + lang + '.json') .then(function(response) { if (!response.ok) { - currentLang = 'en'; - if (lang != 'en') + currentLang = defLang; + if (lang != defLang) /* load default lang if fetch failed */ - return fetch('locale/en.json'); + return fetch('locale/' + defLang + '.json'); throw new Error('server error'); } return response.json(); }).then(function(response) { - if ( response.then ) + if ( response.json ) { + if (!response.ok) + throw new Error('server error'); + return response.json(); - else { + } else { l10n = response; /* to break promises chain */ throw new Error('loaded'); @@ -122,8 +130,10 @@ Common.Locale = new(function() { l10n = l10n || {}; apply && _applyLocalization(); if ( e.message == 'loaded' ) { - } else + } else { + currentLang = null; console.log('fetch error: ' + e); + } }); }; diff --git a/apps/common/main/lib/component/SynchronizeTip.js b/apps/common/main/lib/component/SynchronizeTip.js index b048d94e3..139c00ae0 100644 --- a/apps/common/main/lib/component/SynchronizeTip.js +++ b/apps/common/main/lib/component/SynchronizeTip.js @@ -128,6 +128,9 @@ define([ bottom = Common.Utils.innerHeight() - showxy.top - this.target.height()/2; } else if (pos == 'bottom') { top = showxy.top + this.target.height()/2; + var height = this.cmpEl.height(); + if (top+height>Common.Utils.innerHeight()) + top = Common.Utils.innerHeight() - height - 10; } else if (pos == 'left') { right = Common.Utils.innerWidth() - showxy.left - this.target.width()/2; } else if (pos == 'right') { diff --git a/apps/common/main/lib/component/Window.js b/apps/common/main/lib/component/Window.js index 3b8aa6c14..cb6ac13b4 100644 --- a/apps/common/main/lib/component/Window.js +++ b/apps/common/main/lib/component/Window.js @@ -632,7 +632,7 @@ define([ this.$window = $('#' + this.initConfig.id); - if (Common.Locale.getCurrentLanguage() !== 'en') + if (Common.Locale.getCurrentLanguage() && Common.Locale.getCurrentLanguage() !== 'en') this.$window.attr('applang', Common.Locale.getCurrentLanguage()); this.binding.keydown = _.bind(_keydown,this); diff --git a/apps/common/main/lib/controller/ExternalDiagramEditor.js b/apps/common/main/lib/controller/ExternalDiagramEditor.js index 5c8641012..35f403ad2 100644 --- a/apps/common/main/lib/controller/ExternalDiagramEditor.js +++ b/apps/common/main/lib/controller/ExternalDiagramEditor.js @@ -48,7 +48,7 @@ define([ 'common/main/lib/view/ExternalDiagramEditor' ], function () { 'use strict'; Common.Controllers.ExternalDiagramEditor = Backbone.Controller.extend(_.extend((function() { - var appLang = 'en', + var appLang = '{{DEFAULT_LANG}}', customization = undefined, targetApp = '', externalEditor = null, diff --git a/apps/common/main/lib/controller/ExternalMergeEditor.js b/apps/common/main/lib/controller/ExternalMergeEditor.js index 69e659c22..89017051a 100644 --- a/apps/common/main/lib/controller/ExternalMergeEditor.js +++ b/apps/common/main/lib/controller/ExternalMergeEditor.js @@ -48,7 +48,7 @@ define([ 'common/main/lib/view/ExternalMergeEditor' ], function () { 'use strict'; Common.Controllers.ExternalMergeEditor = Backbone.Controller.extend(_.extend((function() { - var appLang = 'en', + var appLang = '{{DEFAULT_LANG}}', customization = undefined, targetApp = '', externalEditor = null; diff --git a/apps/common/main/lib/controller/Themes.js b/apps/common/main/lib/controller/Themes.js index 64330b04a..56cb728f9 100644 --- a/apps/common/main/lib/controller/Themes.js +++ b/apps/common/main/lib/controller/Themes.js @@ -7,6 +7,8 @@ define([ ], function () { 'use strict'; + !Common.UI && (Common.UI = {}); + Common.UI.Themes = new (function(locale) { !locale && (locale = {}); var themes_map = { @@ -217,7 +219,7 @@ define([ $(window).on('storage', function (e) { if ( e.key == 'ui-theme' || e.key == 'ui-theme-id' ) { - me.setTheme(e.originalEvent.newValue); + me.setTheme(e.originalEvent.newValue, true); } }) @@ -230,6 +232,10 @@ define([ $('body').addClass(theme_name); } + if ( !document.body.className.match(/theme-type-/) ) { + document.body.classList.add('theme-type-' + themes_map[theme_name].type); + } + var obj = get_current_theme_colors(name_colors); obj.type = themes_map[theme_name].type; obj.name = theme_name; @@ -243,7 +249,7 @@ define([ }, setAvailable: function (value) { - this.locked = value; + this.locked = !value; }, map: function () { @@ -274,16 +280,16 @@ define([ setTheme: function (obj, force) { var id = get_ui_theme_name(obj); if ( (this.currentThemeId() != id || force) && !!themes_map[id] ) { - var classname = document.body.className.replace(/theme-\w+\s?/, ''); - document.body.className = classname; + document.body.className = document.body.className.replace(/theme-[\w-]+\s?/gi, '').trim(); + document.body.classList.add(id, 'theme-type-' + themes_map[id].type); - $('body').addClass(id); + if ( this.api ) { + var obj = get_current_theme_colors(name_colors); + obj.type = themes_map[id].type; + obj.name = id; - var obj = get_current_theme_colors(name_colors); - obj.type = themes_map[id].type; - obj.name = id; - - this.api.asc_setSkin(obj); + this.api.asc_setSkin(obj); + } if ( !(Common.Utils.isIE10 || Common.Utils.isIE11) ) { var theme_obj = { diff --git a/apps/common/main/lib/view/Header.js b/apps/common/main/lib/view/Header.js index 1e193310e..26cb4c3da 100644 --- a/apps/common/main/lib/view/Header.js +++ b/apps/common/main/lib/view/Header.js @@ -103,7 +103,7 @@ define([ '' + '
' + '
' + - '' + diff --git a/apps/common/main/lib/view/SignDialog.js b/apps/common/main/lib/view/SignDialog.js index 261496c9c..b1f994fa5 100644 --- a/apps/common/main/lib/view/SignDialog.js +++ b/apps/common/main/lib/view/SignDialog.js @@ -105,15 +105,15 @@ define([ '', '', '' + - '', + '', '', - '', + '', '
', '
' ].join(''); this.templateCertificate = _.template([ - '', + '', '' ].join('')); diff --git a/apps/common/main/resources/less/buttons.less b/apps/common/main/resources/less/buttons.less index 8622e9525..fab2c637b 100644 --- a/apps/common/main/resources/less/buttons.less +++ b/apps/common/main/resources/less/buttons.less @@ -332,7 +332,7 @@ .border-radius(1px); background-color: transparent; - .masked & { + .masked:not(.statusbar) & { &:disabled { opacity: 1; } @@ -985,6 +985,18 @@ &.disabled { opacity: @component-disabled-opacity; } + + &:not(:disabled) { + .icon { + opacity: 1; + } + + &:hover { + .icon { + .icon(); + } + } + } } .cnt-lang { diff --git a/apps/common/main/resources/less/colors-table-classic.less b/apps/common/main/resources/less/colors-table-classic.less index 33f7e75bc..efa5c9a63 100644 --- a/apps/common/main/resources/less/colors-table-classic.less +++ b/apps/common/main/resources/less/colors-table-classic.less @@ -47,7 +47,7 @@ --text-contrast-background: #fff; --icon-normal: #444; - --icon-normal-pressed: #fff; + --icon-normal-pressed: #444; --icon-inverse: #444; --icon-toolbar-header: fade(#fff, 80%); --icon-notification-badge: #000; diff --git a/apps/common/main/resources/less/toolbar.less b/apps/common/main/resources/less/toolbar.less index f7571b713..008d01c72 100644 --- a/apps/common/main/resources/less/toolbar.less +++ b/apps/common/main/resources/less/toolbar.less @@ -392,11 +392,13 @@ } } - .extra { - #header-logo { - i { - background-image: ~"url('@{common-image-const-path}/header/dark-logo_s.svg')"; - background-repeat: no-repeat; + .theme-type-light & { + .extra { + #header-logo { + i { + background-image: ~"url('@{common-image-const-path}/header/dark-logo_s.svg')"; + background-repeat: no-repeat; + } } } } diff --git a/apps/common/main/resources/less/window.less b/apps/common/main/resources/less/window.less index 89ad03f21..65294ef4d 100644 --- a/apps/common/main/resources/less/window.less +++ b/apps/common/main/resources/less/window.less @@ -85,10 +85,8 @@ &.close { position: relative; opacity: 0.7; - transition: transform .3s; &:hover { - transform: scale(1.1); opacity: 1; } diff --git a/apps/documenteditor/main/app/controller/Main.js b/apps/documenteditor/main/app/controller/Main.js index 307d0a51f..ee3f7c6ad 100644 --- a/apps/documenteditor/main/app/controller/Main.js +++ b/apps/documenteditor/main/app/controller/Main.js @@ -1264,7 +1264,7 @@ define([ if (Asc.c_oLicenseResult.ExpiredLimited === licType) this._state.licenseType = licType; - if ( this.onServerVersion(params.asc_getBuildVersion()) ) return; + if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded()) return; this.permissions.review = (this.permissions.review === undefined) ? (this.permissions.edit !== false) : this.permissions.review; @@ -2551,6 +2551,18 @@ define([ this.getApplication().getController('DocumentHolder').getView().focus(); }, + onLanguageLoaded: function() { + if (!Common.Locale.getCurrentLanguage()) { + Common.UI.warning({ + msg: this.errorLang, + buttons: [], + closable: false + }); + return false; + } + return true; + }, + leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.', criticalErrorTitle: 'Error', notcriticalErrorTitle: 'Warning', @@ -2922,7 +2934,8 @@ define([ txtNoTableOfFigures: "No table of figures entries found.", txtTableOfFigures: 'Table of figures', txtStyle_endnote_text: 'Endnote Text', - txtTOCHeading: 'TOC Heading' + txtTOCHeading: 'TOC Heading', + errorLang: 'The interface language is not loaded.
Please contact your Document Server administrator.' } })(), DE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template b/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template index e8f46a37b..b73fe420b 100644 --- a/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template +++ b/apps/documenteditor/main/app/template/ParagraphSettingsAdvanced.template @@ -174,7 +174,7 @@
-
+
diff --git a/apps/documenteditor/main/app/view/FileMenuPanels.js b/apps/documenteditor/main/app/view/FileMenuPanels.js index 953950816..388c39c85 100644 --- a/apps/documenteditor/main/app/view/FileMenuPanels.js +++ b/apps/documenteditor/main/app/view/FileMenuPanels.js @@ -1524,7 +1524,7 @@ define([ Common.UI.BaseView.prototype.initialize.call(this,arguments); this.menu = options.menu; - this.urlPref = 'resources/help/en/'; + this.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; this.openUrl = null; this.en_data = [ @@ -1642,12 +1642,12 @@ define([ var config = { dataType: 'json', error: function () { - if ( me.urlPref.indexOf('resources/help/en/')<0 ) { - me.urlPref = 'resources/help/en/'; - store.url = 'resources/help/en/Contents.json'; + if ( me.urlPref.indexOf('resources/help/{{DEFAULT_LANG}}/')<0 ) { + me.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; + store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json'; store.fetch(config); } else { - me.urlPref = 'resources/help/en/'; + me.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; store.reset(me.en_data); } }, diff --git a/apps/documenteditor/main/app/view/TableSettingsAdvanced.js b/apps/documenteditor/main/app/view/TableSettingsAdvanced.js index fba5d8685..0df32d36a 100644 --- a/apps/documenteditor/main/app/view/TableSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/TableSettingsAdvanced.js @@ -152,7 +152,7 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat this.cmbUnit.setDisabled(!value); if (this._changedProps) { if (value && this.nfWidth.getNumberValue()>0) - this._changedProps.put_Width(this.cmbUnit.getValue() ? -field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfWidth.getNumberValue())); + this._changedProps.put_Width(this.cmbUnit.getValue() ? -this.nfWidth.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfWidth.getNumberValue())); else this._changedProps.put_Width(null); } @@ -447,7 +447,7 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat this.cmbPrefWidthUnit.setDisabled(!value); if (this._changedProps) { if (value && this.nfPrefWidth.getNumberValue()>0) - this._changedProps.put_CellsWidth(this.cmbPrefWidthUnit.getValue() ? -field.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfPrefWidth.getNumberValue())); + this._changedProps.put_CellsWidth(this.cmbPrefWidthUnit.getValue() ? -this.nfPrefWidth.getNumberValue() : Common.Utils.Metric.fnRecalcToMM(this.nfPrefWidth.getNumberValue())); else this._changedProps.put_CellsWidth(null); } diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index a4d850dbe..90fb854b6 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
  2. Wählen Sie die Option Speichern als....
  3. -
  4. Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDFA. Sie können die Option Dokumentenvorlage (DOTX oder OTT) auswählen.
  5. +
  6. Wählen Sie das gewünschte Format aus: DOCX, ODT, RTF, TXT, PDF, PDF/A. Sie können die Option Dokumentenvorlage (DOTX oder OTT) auswählen.
diff --git a/apps/documenteditor/main/resources/help/de/editor.css b/apps/documenteditor/main/resources/help/de/editor.css index 4e3f9d697..e191efd9b 100644 --- a/apps/documenteditor/main/resources/help/de/editor.css +++ b/apps/documenteditor/main/resources/help/de/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -180,7 +180,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/About.htm index c2391dbdd..add7415bd 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/About.htm @@ -18,7 +18,7 @@ and edit documents directly in your browser.

Using the Document Editor, you can perform various editing operations like in any desktop editor, print the edited documents keeping all the formatting details or download them onto your computer hard disk drive of your computer as DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB files.

-

To view the current software version and licensor details in the online version, click the About icon icon on the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item on the left sidebar of the main program window.

+

To view the current software version and licensor details in the online version, click the About icon icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item.

\ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index 72f1fdd2c..6baf4daa6 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -53,7 +53,7 @@ FB2 An ebook extension that lets you read books on your computer or mobile devices + - + + + @@ -103,13 +103,13 @@ HyperText Markup Language
The main markup language for web pages + + - in the online version + + EPUB Electronic Publication
Free and open e-book standard created by the International Digital Publishing Forum + - + + + @@ -130,7 +130,7 @@ XML Extensible Markup Language (XML).
A simple and flexible markup language that derived from SGML (ISO 8879) and is designed to store and transport data. + - + + -

Note: the HTML/EPUB/MHT formats run without Chromium and are available on all platforms.

+

Note: all formats run without Chromium and are available on all platforms.

\ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/ChangeWrappingStyle.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/ChangeWrappingStyle.htm index f25b080d3..aa830343e 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/ChangeWrappingStyle.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/ChangeWrappingStyle.htm @@ -43,7 +43,7 @@

If you select the Square, Tight, Through, or Top and bottom style, you will be able to set up some additional parameters - Distance from Text at all sides (top, bottom, left, right). To access these parameters, right-click the object, select the Advanced Settings option and switch to the Text Wrapping tab of the object Advanced Settings window. Set the required values and click OK.

If you select a wrapping style other than Inline, the Position tab is also available in the object Advanced Settings window. To learn more on these parameters, please refer to the corresponding pages with the instructions on how to work with shapes, images or charts.

-

If you select a wrapping style other than Inline, you can also edit the wrap boundary for images or shapes. Right-click the object, select the Wrapping Style option from the contextual menu and click the Edit Wrap Boundary option. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the required position. Editing Wrap Boundary

+

If you select a wrapping style other than Inline, you can also edit the wrap boundary for images or shapes. Right-click the object, select the Wrapping Style option from the contextual menu and click the Edit Wrap Boundary option. You can also use the Wrapping -> Edit Wrap Boundary menu on the Layout tab of the top toolbar. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the required position. Editing Wrap Boundary

Change text wrapping for tables

For tables, the following two wrapping styles are available: Inline table and Flow table.

To change the currently selected wrapping style:

diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateLists.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateLists.htm index 686c3a409..8b11857af 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateLists.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateLists.htm @@ -32,7 +32,7 @@

The program also creates numbered lists automatically when you enter digit 1 with a dot or a bracket and a space after it: 1., 1). Bulleted lists can be created automatically when you enter the -, * characters and a space after them.

You can also change the text indentation in the lists and their nesting by clicking the Multilevel list Multilevel list icon, Decrease indent Decrease indent icon, and Increase indent Increase indent icon icons on the Home tab of the top toolbar.

-

To change the list level, click the Numbering Ordered List icon or Bullets Unordered List icon icon and choose the Change list level option, or place the cursor at the beginning of the line and press the Tab key on a keyboard to move to the next level of the list. Proceed with the list level needed.

+

To change the list level, click the Numbering Ordered List icon, Bullets Unordered List icon, or Multilevel list Multilevel list icon icon and choose the Change List Level option, or place the cursor at the beginning of the line and press the Tab key on a keyboard to move to the next level of the list. Proceed with the list level needed.

change list level

The additional indentation and spacing parameters can be changed on the right sidebar and in the advanced settings window. To learn more about it, read the Change paragraph indents and Set paragraph line spacing section.

diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm index e8749fa76..104a18416 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm @@ -15,7 +15,7 @@

Set the font type, size, and color

In the Document Editor, you can select the font type, its size and color using the corresponding icons on the Home tab of the top toolbar.

-

In case you want to apply the formatting to the already existing text in the document, select it with the mouse or use the keyboard and apply the formatting.

+

In case you want to apply the formatting to the already existing text in the document, select it with the mouse or use the keyboard and apply the formatting. You can also place the mouse cursor within the necessary word to apply the formatting to this word only.

@@ -40,7 +40,7 @@ - + diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index 54aab2ea1..60d07e877 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. click the File tab of the top toolbar,
  2. select the Save as... option,
  3. -
  4. choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDFA. You can also choose the Document template (DOTX or OTT) option.
  5. +
  6. choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. You can also choose the Document template (DOTX or OTT) option.
diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/WordCounter.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/WordCounter.htm index 81f6133e8..4f6df71f5 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/WordCounter.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/WordCounter.htm @@ -15,9 +15,9 @@

Count words

To know the exact number of words and symbols both with and without spaces in your document, as well as the number of paragraphs altogether, use the Word counter plugin.

-
    +
      +
    1. Open the Plugins tab and click Count words and characters.
    2. Select the text.
    3. -
    4. Open the Plugins tab and click Word counter.
    Please note that the following elements are not included in the word count:

    Cree un documento nuevo o abra el documento existente

    -
    Para crear un nuevo documento
    +

    Para crear un nuevo documento

    En el editor en línea

      @@ -32,7 +32,7 @@
    -
    Para abrir un documento existente
    +

    Para abrir un documento existente

    En el editor de escritorio

    1. en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda,
    2. @@ -42,7 +42,7 @@

      Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella.

    -
    Para abrir un documento recientemente editado
    +

    Para abrir un documento recientemente editado

    En el editor en línea

      diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm index 7a52e250f..9c7e62a74 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
      1. haga clic en la pestaña Archivo en la barra de herramientas superior,
      2. seleccione la opción Guardar como...,
      3. -
      4. elija uno de los formatos disponibles: DOCX, ODT, RTF, TXT, PDF, PDFA. También puede seleccionar la opción Plantilla de documento (DOTX o OTT).
      5. +
      6. elija uno de los formatos disponibles: DOCX, ODT, RTF, TXT, PDF, PDF/A. También puede seleccionar la opción Plantilla de documento (DOTX o OTT).
    diff --git a/apps/documenteditor/main/resources/help/es/editor.css b/apps/documenteditor/main/resources/help/es/editor.css index 4e3f9d697..e191efd9b 100644 --- a/apps/documenteditor/main/resources/help/es/editor.css +++ b/apps/documenteditor/main/resources/help/es/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -180,7 +180,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/documenteditor/main/resources/help/es/images/document_language.png b/apps/documenteditor/main/resources/help/es/images/document_language.png index e9c3ed7a7..380b889d8 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/document_language.png and b/apps/documenteditor/main/resources/help/es/images/document_language.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/fitpage.png b/apps/documenteditor/main/resources/help/es/images/fitpage.png index 2ff1b9ae1..ebb5de123 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/fitpage.png and b/apps/documenteditor/main/resources/help/es/images/fitpage.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/fitwidth.png b/apps/documenteditor/main/resources/help/es/images/fitwidth.png index 17ee0330b..745cfe89f 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/fitwidth.png and b/apps/documenteditor/main/resources/help/es/images/fitwidth.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/trackchangesstatusbar.png b/apps/documenteditor/main/resources/help/es/images/trackchangesstatusbar.png index c39959e6c..d582767eb 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/trackchangesstatusbar.png and b/apps/documenteditor/main/resources/help/es/images/trackchangesstatusbar.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/zoomin.png b/apps/documenteditor/main/resources/help/es/images/zoomin.png index e2eeea6a3..55fb7d391 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/zoomin.png and b/apps/documenteditor/main/resources/help/es/images/zoomin.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/zoomout.png b/apps/documenteditor/main/resources/help/es/images/zoomout.png index 60ac9a97d..1c4a45fac 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/zoomout.png and b/apps/documenteditor/main/resources/help/es/images/zoomout.png differ diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm index 7eeb62559..29fa7a9a2 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm @@ -16,7 +16,7 @@

    À propos de Document Editor

    Document Editor est une application en ligne qui vous permet de parcourir et de modifier des documents dans votre navigateur.

    En utilisant Document Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les documents modifiés en gardant la mise en forme ou les télécharger sur votre disque dur au format DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.

    -

    Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône L'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la versionde bureau, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme.

    +

    Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône L'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index e9e684917..25ffdb379 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -50,7 +50,7 @@
- + @@ -100,13 +100,13 @@ - + - + @@ -127,7 +127,7 @@ - +
Font
Change case Change caseUsed to change the font case. Sentence case. - the case matches that of a common sentence. lowercase - all letters are small. UPPERCASE - all letters are capital. Capitalize Each Word - each word starts with a capital letter. tOGGLE cASE - reverse the case of the selected text.Used to change the font case. Sentence case. - the case matches that of a common sentence. lowercase - all letters are small. UPPERCASE - all letters are capital. Capitalize Each Word - each word starts with a capital letter. tOGGLE cASE - reverse the case of the selected text or the word where the mouse cursor is positioned.
Highlight color FB2 Une extension de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile ++ +
HyperText Markup Language
Le principale langage de balisage pour les pages web
+ +dans la version en ligne+
EPUB Electronic Publication
Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum
++ +
XML Extensible Markup Language (XML).
Le langage de balisage extensible est une forme restreinte d'application du langage de balisage généralisé standard SGM (ISO 8879) conçu pour stockage et traitement de données.
++
-

Remarque: Les formats HTML/EPUB/MHT n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes.

+

Remarque: tous les formats n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes.

\ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm index dfde26b4d..016b88968 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm @@ -43,7 +43,7 @@

Si vous avez choisi l'un des styles Carré, Rapproché, Au travers, Haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droite, gauche). Pour accéder à ces paramètres, cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Style d'habillage du texte de la fenêtre Paramètres avancés de l'objet. Définissez les valeurs voulues et cliquez sur OK.

Si vous sélectionnez un style d'habillage autre que En ligne, l'onglet Position est également disponible dans la fenêtre Paramètres avancés de l'objet. Pour en savoir plus sur ces paramètres, reportez-vous aux pages correspondantes avec les instructions sur la façon de travailler avec des formes, des images ou des graphiques.

-

Si vous sélectionnez un style d'habillage autre que En ligne, vous pouvez également modifier la limite d'habillage pour les images ou les formes. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option Style d'habillage dans le menu contextuel et cliquez sur Modifier les limites du renvoi à la ligne. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier les limites du renvoi à la ligne

+

Si vous sélectionnez un style d'habillage autre que En ligne, vous pouvez également modifier la limite d'habillage pour les images ou les formes. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option Style d'habillage dans le menu contextuel et cliquez sur Modifier les limites du renvoi à la ligne. Il est aussi possible d'utiliser le menu Retour à la ligne -> Modifier les limites du renvoi à la ligne sous l'onglet Mise en page de la barre d'outils supérieure. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier les limites du renvoi à la ligne

Modifier l'habillage de texte pour les tableaux

Pour les tableaux, les deux styles d'habillage suivants sont disponibles: Tableau aligné et Tableau flottant.

Pour changer le style d'habillage actuellement sélectionné:

diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm index 87a7822a6..f6abe3003 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm @@ -32,7 +32,7 @@

L'éditeur commence automatiquement une liste numérotée lorsque vous tapez 1 et un point ou une parenthèse droite et un espace: 1., 1). La liste à puces commence automatiquement lorsque vous tapez - ou * et un espace.

Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multi-niveaux L'icône de la liste multi-niveaux, Réduire le retrait L'icône Réduire le retrait et Augmenter le retrait L'icône Augmenter le retrait sous l'onglet Accueil de la barre d'outils supérieure.

-

Pour modifier le niveau de la liste, cliquez sur l'icône Numérotation L'icône de la liste ordonnée ou Puces L'icône de la liste non ordonnée et choisissez Changer le niveau de liste, ou placer le curseur au début de la ligne et appuyez sur la touche Tab du clavier pour augmenter le niveau de la liste. Procédez au niveau de liste approprié.

+

Pour modifier le niveau de la liste, cliquez sur l'icône Numérotation L'icône de la liste ordonnée, Puces L'icône de la liste non ordonnée, ou Liste multi-niveaux L'icône de la liste multi-niveaux et choisissez Changer le niveau de liste, ou placer le curseur au début de la ligne et appuyez sur la touche Tab du clavier pour augmenter le niveau de la liste. Procédez au niveau de liste approprié.

Changer le niveau de liste

Vous pouvez configurez les paramètres supplémentaires du retrait et de l'espacement sur la barre latérale droite et dans la fenêtre de configuration de paramètres avancées. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe .

diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm index 0293ccb67..bbd674c36 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm @@ -15,7 +15,7 @@

Définir le type de police, la taille et la couleur

Dans Document Editor, vous pouvez sélectionner le type, la taille et la couleur de police à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure.

-

Si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavier et appliquez la mise en forme appropriée.

+

Si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavier et appliquez la mise en forme appropriée. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme.

@@ -40,7 +40,7 @@ - + diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm index 9a3679400..ffdd71c58 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
  2. sélectionnez l'option Enregistrer sous...,
  3. -
  4. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT).
  5. +
  6. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT).
diff --git a/apps/documenteditor/main/resources/help/fr/editor.css b/apps/documenteditor/main/resources/help/fr/editor.css index 4e3f9d697..e191efd9b 100644 --- a/apps/documenteditor/main/resources/help/fr/editor.css +++ b/apps/documenteditor/main/resources/help/fr/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -180,7 +180,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/documenteditor/main/resources/help/fr/search/indexes.js b/apps/documenteditor/main/resources/help/fr/search/indexes.js index 3e6b4773d..3ab0a01fa 100644 --- a/apps/documenteditor/main/resources/help/fr/search/indexes.js +++ b/apps/documenteditor/main/resources/help/fr/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "À propos de Document Editor", - "body": "Document Editor est une application en ligne qui vous permet de parcourir et de modifier des documents dans votre navigateur . En utilisant Document Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les documents modifiés en gardant la mise en forme ou les télécharger sur votre disque dur au format DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la versionde bureau, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme." + "body": "Document Editor est une application en ligne qui vous permet de parcourir et de modifier des documents dans votre navigateur . En utilisant Document Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les documents modifiés en gardant la mise en forme ou les télécharger sur votre disque dur au format DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -53,7 +53,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des documents électroniques pris en charge", - "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Édition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + DOTX Word Open XML Document Template Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de documents texte. Un modèle DOTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + FB2 Une extension de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + OTT OpenDocument Document Template Format de fichier OpenDocument pour les modèles de document texte. Un modèle OTT contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + + dans la version en ligne EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies + XML Extensible Markup Language (XML). Le langage de balisage extensible est une forme restreinte d'application du langage de balisage généralisé standard SGM (ISO 8879) conçu pour stockage et traitement de données. + Remarque: Les formats HTML/EPUB/MHT n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes." + "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Édition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + DOTX Word Open XML Document Template Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de documents texte. Un modèle DOTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + FB2 Une extension de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + OTT OpenDocument Document Template Format de fichier OpenDocument pour les modèles de document texte. Un modèle OTT contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + + + EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + + + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies + XML Extensible Markup Language (XML). Le langage de balisage extensible est une forme restreinte d'application du langage de balisage généralisé standard SGM (ISO 8879) conçu pour stockage et traitement de données. + + Remarque: tous les formats n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes." }, { "id": "ProgramInterface/FileTab.htm", @@ -148,7 +148,7 @@ var indexes = { "id": "UsageInstructions/ChangeWrappingStyle.htm", "title": "Changer l'habillage du texte", - "body": "L'option Style d'habillage détermine la position de l'objet par rapport au texte. Dans Document Editor, vous pouvez modifier le style d'habillage de texte pour les objets insérés, tels que les formes, , les images, les graphiques,, les zones de texte ou les tableaux. Modifier l'habillage de texte pour les formes, les images, les graphiques, les zones de texte Pour changer le style d'habillage actuellement sélectionné: sélectionnez un objet séparé sur la page en cliquant dessus. Pour sélectionner un bloc de texte, cliquez sur son bord, pas sur le texte à l'intérieur. ouvrez les paramètres d'habillage du texte: Passez à l'onglet Mise en page de la barre d'outils supérieure et cliquez sur la flèche située en regard de l'icône Retour à la ligne, ou cliquez avec le bouton droit sur l'objet et sélectionnez l'option Style d'habillage dans le menu contextuel, ou cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Habillage du texte de la fenêtre Paramètres avancés de l'objet. sélectionnez le style d'habillage voulu: En ligne sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, l'image est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte: Carré - le texte est ajusté autour des bords de l'objet. Rapproché - le texte est ajusté sur le contour de l'objet. Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur de celle-ci. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de l'image. Devant le texte - l'image est affichée sur le texte. Derrière le texte - le texte est affiché sur l'objet. Si vous avez choisi l'un des styles Carré, Rapproché, Au travers, Haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droite, gauche). Pour accéder à ces paramètres, cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Style d'habillage du texte de la fenêtre Paramètres avancés de l'objet. Définissez les valeurs voulues et cliquez sur OK. Si vous sélectionnez un style d'habillage autre que En ligne, l'onglet Position est également disponible dans la fenêtre Paramètres avancés de l'objet. Pour en savoir plus sur ces paramètres, reportez-vous aux pages correspondantes avec les instructions sur la façon de travailler avec des formes, des images ou des graphiques. Si vous sélectionnez un style d'habillage autre que En ligne, vous pouvez également modifier la limite d'habillage pour les images ou les formes. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option Style d'habillage dans le menu contextuel et cliquez sur Modifier les limites du renvoi à la ligne. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier l'habillage de texte pour les tableaux Pour les tableaux, les deux styles d'habillage suivants sont disponibles: Tableau aligné et Tableau flottant. Pour changer le style d'habillage actuellement sélectionné: cliquez avec le bouton droit sur le tableau et sélectionnez l'option Paramètres avancés du tableau, passez à l'onglet Habillage du texte dans la fenêtre Tableau - Paramètres avancés ouverte, sélectionnez l'une des options suivantes: Tableau aligné est utilisé pour sélectionner le style d'habillage où le texte est interrompu par le tableau ainsi que l'alignement: gauche, au centre, droit. Tableau flottant est utilisé pour sélectionner le style d'habillage où le texte est enroulé autour du tableau. À l'aide de l'onglet Habillage du texte de la fenêtre Tableau - Paramètres avancésvous pouvez également configurer les paramètres suivants: Pour les tableaux alignés, vous pouvez définir le type d'alignement du tableau (à gauche, centre ou à droite) et le Retrait à gauche. Pour les tableaux flottants, vous pouvez spécifier la Distance du texte et la position du tableau dans l'onglet Position du tableau ." + "body": "L'option Style d'habillage détermine la position de l'objet par rapport au texte. Dans Document Editor, vous pouvez modifier le style d'habillage de texte pour les objets insérés, tels que les formes, , les images, les graphiques,, les zones de texte ou les tableaux. Modifier l'habillage de texte pour les formes, les images, les graphiques, les zones de texte Pour changer le style d'habillage actuellement sélectionné: sélectionnez un objet séparé sur la page en cliquant dessus. Pour sélectionner un bloc de texte, cliquez sur son bord, pas sur le texte à l'intérieur. ouvrez les paramètres d'habillage du texte: Passez à l'onglet Mise en page de la barre d'outils supérieure et cliquez sur la flèche située en regard de l'icône Retour à la ligne, ou cliquez avec le bouton droit sur l'objet et sélectionnez l'option Style d'habillage dans le menu contextuel, ou cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Habillage du texte de la fenêtre Paramètres avancés de l'objet. sélectionnez le style d'habillage voulu: En ligne sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, l'image est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte: Carré - le texte est ajusté autour des bords de l'objet. Rapproché - le texte est ajusté sur le contour de l'objet. Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur de celle-ci. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de l'image. Devant le texte - l'image est affichée sur le texte. Derrière le texte - le texte est affiché sur l'objet. Si vous avez choisi l'un des styles Carré, Rapproché, Au travers, Haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droite, gauche). Pour accéder à ces paramètres, cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Style d'habillage du texte de la fenêtre Paramètres avancés de l'objet. Définissez les valeurs voulues et cliquez sur OK. Si vous sélectionnez un style d'habillage autre que En ligne, l'onglet Position est également disponible dans la fenêtre Paramètres avancés de l'objet. Pour en savoir plus sur ces paramètres, reportez-vous aux pages correspondantes avec les instructions sur la façon de travailler avec des formes, des images ou des graphiques. Si vous sélectionnez un style d'habillage autre que En ligne, vous pouvez également modifier la limite d'habillage pour les images ou les formes. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option Style d'habillage dans le menu contextuel et cliquez sur Modifier les limites du renvoi à la ligne. Il est aussi possible d'utiliser le menu Retour à la ligne -> Modifier les limites du renvoi à la ligne sous l'onglet Mise en page de la barre d'outils supérieure. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier l'habillage de texte pour les tableaux Pour les tableaux, les deux styles d'habillage suivants sont disponibles: Tableau aligné et Tableau flottant. Pour changer le style d'habillage actuellement sélectionné: cliquez avec le bouton droit sur le tableau et sélectionnez l'option Paramètres avancés du tableau, passez à l'onglet Habillage du texte dans la fenêtre Tableau - Paramètres avancés ouverte, sélectionnez l'une des options suivantes: Tableau aligné est utilisé pour sélectionner le style d'habillage où le texte est interrompu par le tableau ainsi que l'alignement: gauche, au centre, droit. Tableau flottant est utilisé pour sélectionner le style d'habillage où le texte est enroulé autour du tableau. À l'aide de l'onglet Habillage du texte de la fenêtre Tableau - Paramètres avancésvous pouvez également configurer les paramètres suivants: Pour les tableaux alignés, vous pouvez définir le type d'alignement du tableau (à gauche, centre ou à droite) et le Retrait à gauche. Pour les tableaux flottants, vous pouvez spécifier la Distance du texte et la position du tableau dans l'onglet Position du tableau ." }, { "id": "UsageInstructions/ConvertFootnotesEndnotes.htm", @@ -168,7 +168,7 @@ var indexes = { "id": "UsageInstructions/CreateLists.htm", "title": "Créer des listes", - "body": "Pour créer une liste dans Document Editor, placez le curseur à la position où vous voulez commencer la liste (cela peut être une nouvelle ligne ou le texte existant), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type de liste à créer: Liste non ordonnée avec des marqueurs est créée à l'aide de l'icône Puces de la barre d'outils supérieure Liste ordonnée avec numérotage spécial est créée à l'aide de l'icône Numérotation de la barre d'outils supérieure Cliquez sur la flèche vers le bas à côté de l'icône Puces ou Numérotation pour sélectionner le format de puces ou de numérotation souhaité. appuyez sur la touche Entrée à la fin de la ligne pour ajouter un nouvel élément à la liste. Pour terminer la liste, appuyez sur la touche Retour arrière et continuez le travail. L'éditeur commence automatiquement une liste numérotée lorsque vous tapez 1 et un point ou une parenthèse droite et un espace: 1., 1). La liste à puces commence automatiquement lorsque vous tapez - ou * et un espace. Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multi-niveaux , Réduire le retrait et Augmenter le retrait sous l'onglet Accueil de la barre d'outils supérieure. Pour modifier le niveau de la liste, cliquez sur l'icône Numérotation ou Puces et choisissez Changer le niveau de liste, ou placer le curseur au début de la ligne et appuyez sur la touche Tab du clavier pour augmenter le niveau de la liste. Procédez au niveau de liste approprié. Vous pouvez configurez les paramètres supplémentaires du retrait et de l'espacement sur la barre latérale droite et dans la fenêtre de configuration de paramètres avancées. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe . Joindre et séparer des listes Pour joindre une liste à la précédente: cliquez avec le bouton droit sur le premier élément de la seconde liste, utilisez l'option Joindre à la liste précédente du menu contextuel. Les listes seront jointes et la numérotation se poursuivra conformément à la numérotation de la première liste. Pour séparer une liste: cliquez avec le bouton droit de la souris sur l'élément de la liste où vous voulez commencer une nouvelle liste, sélectionnez l'option Séparer la liste du menu contextuel. La liste sera séparée et la numérotation dans la deuxième liste recommencera. Modifier la numérotation Poursuivre la numérotation séquentielle dans la deuxième liste selon la numérotation de la liste précédente: cliquez avec le bouton droit sur le premier élément de la seconde liste, sélectionnez l'option Continuer la numérotation du menu contextuel. La numérotation se poursuivra conformément à la numérotation de la première liste. Pour définir une certaine valeur initiale de numérotation: cliquez avec le bouton droit de la souris sur l'élément de la liste où vous souhaitez appliquer une nouvelle valeur de numérotation, sélectionnez l'option Définit la valeur de la numérotation du menu contextuel, dans une nouvelle fenêtre qui s'ouvre, définissez la valeur numérique voulue et cliquez sur le bouton OK. Configurer les paramètres de la liste Pour configurer les paramètres de la liste comme la puce/la numérotation, l'alignement, la taille et la couleur: cliquez sur un élément de la liste actuelle ou sélectionnez le texte à partir duquel vous souhaitez créer une liste, cliquez sur l'icône Puces ou Numérotation sous l'onglet Accueil dans la barre d'outils en haut, sélectionnez l'option Paramètres de la liste, la fenêtre Paramètres de la liste s'affiche. La fenêtre de paramètres de la liste à puces se présente sous cet aspect: La fenêtre de paramètres de la liste numérotée se présente sous cet aspect: Pour la liste à puces on peut choisir le caractère à utiliser comme puce et pour la liste numérotée on peut choisir le type de numérotation. Les options Alignement, Taille et Couleur sont identiques pour toutes les listes soit à puces soit numérotée. Puce permet de sélectionner le caractère approprié pour les éléments de la liste. Lorsque vous appuyez sur le champ Symboles et caractères, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet articlepour en savoir plus sur utilisation des symboles. Type permet de sélectionner la numérotation appropriée pour la liste. Les options suivantes sont disponibles: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement. Les options d'alignement disponibles: À gauche, Au centre, À droite. Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la taille des puces correspond à la taille du texte; Ajustez la taille en utilisant les valeurs prédéfinies de 8 à 96. Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces ou des chiffres correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée. Toutes les modifications sont affichées dans le champ Aperçu. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Pour configurer les paramètres de la liste à plusieurs niveaux, appuyez sur un élément de la liste, cliquez sur l'icône Liste multiniveaux sous l'onglet Accueil dans la barre d'outils en haut, sélectionnez l'option Paramètres de la liste, la fenêtre Paramètres de la liste s'affiche. La fenêtre Paramètres de la liste multiniveaux se présente sous cet aspect: Choisissez le niveau approprié dans la liste Niveau à gauche, puis personnalisez l'aspect des puces et des nombres pour le niveau choisi: Type permet de sélectionner la numérotation appropriée pour la liste numérotée ou le caractère approprié pour la liste à puces. Les options disponibles pour la liste numérotée: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Pour la liste à puces vous pouvez choisir un des symboles prédéfinis ou utiliser l'option Nouvelle puce. Lorsque vous appuyez sur cette option, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet articlepour en savoir plus sur utilisation des symboles. Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement du début du paragraphe. À gauche, Au centre, À droite. Les options d'alignement disponibles: À gauche, Au centre, À droite. Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Ajustez la taille en utilisant les paramètres prédéfinis de 8 à 96. Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces ou des chiffres correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée. Toutes les modifications sont affichées dans le champ Aperçu. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre." + "body": "Pour créer une liste dans Document Editor, placez le curseur à la position où vous voulez commencer la liste (cela peut être une nouvelle ligne ou le texte existant), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type de liste à créer: Liste non ordonnée avec des marqueurs est créée à l'aide de l'icône Puces de la barre d'outils supérieure Liste ordonnée avec numérotage spécial est créée à l'aide de l'icône Numérotation de la barre d'outils supérieure Cliquez sur la flèche vers le bas à côté de l'icône Puces ou Numérotation pour sélectionner le format de puces ou de numérotation souhaité. appuyez sur la touche Entrée à la fin de la ligne pour ajouter un nouvel élément à la liste. Pour terminer la liste, appuyez sur la touche Retour arrière et continuez le travail. L'éditeur commence automatiquement une liste numérotée lorsque vous tapez 1 et un point ou une parenthèse droite et un espace: 1., 1). La liste à puces commence automatiquement lorsque vous tapez - ou * et un espace. Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multi-niveaux , Réduire le retrait et Augmenter le retrait sous l'onglet Accueil de la barre d'outils supérieure. Pour modifier le niveau de la liste, cliquez sur l'icône Numérotation , Puces , ou Liste multi-niveaux et choisissez Changer le niveau de liste, ou placer le curseur au début de la ligne et appuyez sur la touche Tab du clavier pour augmenter le niveau de la liste. Procédez au niveau de liste approprié. Vous pouvez configurez les paramètres supplémentaires du retrait et de l'espacement sur la barre latérale droite et dans la fenêtre de configuration de paramètres avancées. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe . Joindre et séparer des listes Pour joindre une liste à la précédente: cliquez avec le bouton droit sur le premier élément de la seconde liste, utilisez l'option Joindre à la liste précédente du menu contextuel. Les listes seront jointes et la numérotation se poursuivra conformément à la numérotation de la première liste. Pour séparer une liste: cliquez avec le bouton droit de la souris sur l'élément de la liste où vous voulez commencer une nouvelle liste, sélectionnez l'option Séparer la liste du menu contextuel. La liste sera séparée et la numérotation dans la deuxième liste recommencera. Modifier la numérotation Poursuivre la numérotation séquentielle dans la deuxième liste selon la numérotation de la liste précédente: cliquez avec le bouton droit sur le premier élément de la seconde liste, sélectionnez l'option Continuer la numérotation du menu contextuel. La numérotation se poursuivra conformément à la numérotation de la première liste. Pour définir une certaine valeur initiale de numérotation: cliquez avec le bouton droit de la souris sur l'élément de la liste où vous souhaitez appliquer une nouvelle valeur de numérotation, sélectionnez l'option Définit la valeur de la numérotation du menu contextuel, dans une nouvelle fenêtre qui s'ouvre, définissez la valeur numérique voulue et cliquez sur le bouton OK. Configurer les paramètres de la liste Pour configurer les paramètres de la liste comme la puce/la numérotation, l'alignement, la taille et la couleur: cliquez sur un élément de la liste actuelle ou sélectionnez le texte à partir duquel vous souhaitez créer une liste, cliquez sur l'icône Puces ou Numérotation sous l'onglet Accueil dans la barre d'outils en haut, sélectionnez l'option Paramètres de la liste, la fenêtre Paramètres de la liste s'affiche. La fenêtre de paramètres de la liste à puces se présente sous cet aspect: La fenêtre de paramètres de la liste numérotée se présente sous cet aspect: Pour la liste à puces on peut choisir le caractère à utiliser comme puce et pour la liste numérotée on peut choisir le type de numérotation. Les options Alignement, Taille et Couleur sont identiques pour toutes les listes soit à puces soit numérotée. Puce permet de sélectionner le caractère approprié pour les éléments de la liste. Lorsque vous appuyez sur le champ Symboles et caractères, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet articlepour en savoir plus sur utilisation des symboles. Type permet de sélectionner la numérotation appropriée pour la liste. Les options suivantes sont disponibles: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement. Les options d'alignement disponibles: À gauche, Au centre, À droite. Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la taille des puces correspond à la taille du texte; Ajustez la taille en utilisant les valeurs prédéfinies de 8 à 96. Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces ou des chiffres correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée. Toutes les modifications sont affichées dans le champ Aperçu. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Pour configurer les paramètres de la liste à plusieurs niveaux, appuyez sur un élément de la liste, cliquez sur l'icône Liste multiniveaux sous l'onglet Accueil dans la barre d'outils en haut, sélectionnez l'option Paramètres de la liste, la fenêtre Paramètres de la liste s'affiche. La fenêtre Paramètres de la liste multiniveaux se présente sous cet aspect: Choisissez le niveau approprié dans la liste Niveau à gauche, puis personnalisez l'aspect des puces et des nombres pour le niveau choisi: Type permet de sélectionner la numérotation appropriée pour la liste numérotée ou le caractère approprié pour la liste à puces. Les options disponibles pour la liste numérotée: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Pour la liste à puces vous pouvez choisir un des symboles prédéfinis ou utiliser l'option Nouvelle puce. Lorsque vous appuyez sur cette option, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet articlepour en savoir plus sur utilisation des symboles. Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement du début du paragraphe. À gauche, Au centre, À droite. Les options d'alignement disponibles: À gauche, Au centre, À droite. Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Ajustez la taille en utilisant les paramètres prédéfinis de 8 à 96. Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces ou des chiffres correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée. Toutes les modifications sont affichées dans le champ Aperçu. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre." }, { "id": "UsageInstructions/CreateTableOfContents.htm", @@ -183,7 +183,7 @@ var indexes = { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Définir le type de police, la taille et la couleur", - "body": "Dans Document Editor, vous pouvez sélectionner le type, la taille et la couleur de police à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavier et appliquez la mise en forme appropriée. Nom de la police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante, les valeurs par défaut sont: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police jusqu'à 300 pt. Appuyer sur la touche Entrée pour confirmer Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grande à un point chaque fois que vous appuyez sur le bouton. Diminuer la taille de la police Sert à modifier la taille de la police en la rendant plus petite à un point chaque fois que vous appuyez sur le bouton. Modifier la casse Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres MAJUSCULES - mettre en majuscule toutes les lettres Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot Inverser la casse - basculer entre d'affichages de la casse du texte. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (cet ensemble de couleurs ne dépend pas du Jeux de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Pour enlever la mise en surbrillance, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. La Couleur de surlignage est différente de la Couleur de fond car cette dernière est appliquée au paragraphe entier et remplit complètement l'espace du paragraphe de la marge de page gauche à la marge de page droite. Couleur de police Sert à changer la couleur des lettres /caractères dans le texte. Par défaut, la couleur de police automatique est définie dans un nouveau document vide. Elle s'affiche comme la police noire sur l'arrière-plan blanc. Si vous choisissez le noir comme la couleur d'arrière-plan, la couleur de la police se change automatiquement à la couleur blanche pour que le texte soit visible. Pour choisir une autre couleur, cliquez sur la flèche vers le bas située à côté de l'icône et sélectionnez une couleur disponible dans les palettes (les couleurs de la palette Couleurs de thème dépend du jeu de couleurssélectionné). Après avoir modifié la couleur de police par défaut, vous pouvez utiliser l'option Automatique dans la fenêtre des palettes de couleurs pour restaurer rapidement la couleur automatique pour le fragment du texte sélectionné. Pour en savoir plus sur l'utilisation des palettes de couleurs, consultez cette page." + "body": "Dans Document Editor, vous pouvez sélectionner le type, la taille et la couleur de police à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavier et appliquez la mise en forme appropriée. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme. Nom de la police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante, les valeurs par défaut sont: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police jusqu'à 300 pt. Appuyer sur la touche Entrée pour confirmer Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grande à un point chaque fois que vous appuyez sur le bouton. Diminuer la taille de la police Sert à modifier la taille de la police en la rendant plus petite à un point chaque fois que vous appuyez sur le bouton. Modifier la casse Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres. MAJUSCULES - mettre en majuscule toutes les lettres. Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot. Inverser la casse - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (cet ensemble de couleurs ne dépend pas du Jeux de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Pour enlever la mise en surbrillance, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. La Couleur de surlignage est différente de la Couleur de fond car cette dernière est appliquée au paragraphe entier et remplit complètement l'espace du paragraphe de la marge de page gauche à la marge de page droite. Couleur de police Sert à changer la couleur des lettres /caractères dans le texte. Par défaut, la couleur de police automatique est définie dans un nouveau document vide. Elle s'affiche comme la police noire sur l'arrière-plan blanc. Si vous choisissez le noir comme la couleur d'arrière-plan, la couleur de la police se change automatiquement à la couleur blanche pour que le texte soit visible. Pour choisir une autre couleur, cliquez sur la flèche vers le bas située à côté de l'icône et sélectionnez une couleur disponible dans les palettes (les couleurs de la palette Couleurs de thème dépend du jeu de couleurssélectionné). Après avoir modifié la couleur de police par défaut, vous pouvez utiliser l'option Automatique dans la fenêtre des palettes de couleurs pour restaurer rapidement la couleur automatique pour le fragment du texte sélectionné. Pour en savoir plus sur l'utilisation des palettes de couleurs, consultez cette page." }, { "id": "UsageInstructions/FormattingPresets.htm", @@ -323,7 +323,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Enregistrer / exporter / imprimer votre document", - "body": "Enregistrer /exporter / imprimer votre document Enregistrement Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer le document actif, cliquez sur l'icône Imprimer le fichier dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Il est aussi possible d'imprimer un fragment de texte en utilisant l'option Imprimer la sélection du menu contextuel en mode Édition aussi que en mode Affichage (cliquez avec le bouton droit de la souris et choisissez Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe." + "body": "Enregistrer /exporter / imprimer votre document Enregistrement Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDFA, HTML, FB2, EPUB. Vous pouvez également choisir l'option Modèle de document (DOTX or OTT). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer le document actif, cliquez sur l'icône Imprimer le fichier dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Il est aussi possible d'imprimer un fragment de texte en utilisant l'option Imprimer la sélection du menu contextuel en mode Édition aussi que en mode Affichage (cliquez avec le bouton droit de la souris et choisissez Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe." }, { "id": "UsageInstructions/SectionBreaks.htm", diff --git a/apps/documenteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm b/apps/documenteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm index 02f1a44e4..7d4404b72 100644 --- a/apps/documenteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm +++ b/apps/documenteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm @@ -14,7 +14,7 @@

Create a new document or open an existing one

-

Per creare un nuovo documento

+

Per creare un nuovo documento

Nell’Editor di Documenti Online

    @@ -32,7 +32,7 @@
-

Per aprire un documento esistente

+

Per aprire un documento esistente

Nell’Editor di Documenti Desktop

  1. Nella finestra principale del programma, seleziona nella barra a sinistra la voce di menù Apri file locale,
  2. @@ -42,7 +42,7 @@

    Tutte le directory a cui hai accesso usando l’editor per desktop verranno visualizzate nell’elenco delle Cartelle recenti in modo da poter avere un rapido accesso in seguito. Cliccando sulla cartella, verranno visualizzati i file in essa contenuti.

-

Per aprire un documento modificato recentemente

+

Per aprire un documento modificato recentemente

Nell’Editor di Documenti Online

    diff --git a/apps/documenteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm index 88818981e..3d2f5f2a7 100644 --- a/apps/documenteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
    1. click the File tab of the top toolbar,
    2. select the Save as... option,
    3. -
    4. choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDFA. You can also choose the Document template (DOTX or OTT) option.
    5. +
    6. choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDF/A. You can also choose the Document template (DOTX or OTT) option.
diff --git a/apps/documenteditor/main/resources/help/it/editor.css b/apps/documenteditor/main/resources/help/it/editor.css index 66db82aed..d06164616 100644 --- a/apps/documenteditor/main/resources/help/it/editor.css +++ b/apps/documenteditor/main/resources/help/it/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -158,7 +158,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/documenteditor/main/resources/help/it/images/document_language.png b/apps/documenteditor/main/resources/help/it/images/document_language.png index e9c3ed7a7..380b889d8 100644 Binary files a/apps/documenteditor/main/resources/help/it/images/document_language.png and b/apps/documenteditor/main/resources/help/it/images/document_language.png differ diff --git a/apps/documenteditor/main/resources/help/it/images/fitpage.png b/apps/documenteditor/main/resources/help/it/images/fitpage.png index 2ff1b9ae1..ebb5de123 100644 Binary files a/apps/documenteditor/main/resources/help/it/images/fitpage.png and b/apps/documenteditor/main/resources/help/it/images/fitpage.png differ diff --git a/apps/documenteditor/main/resources/help/it/images/fitwidth.png b/apps/documenteditor/main/resources/help/it/images/fitwidth.png index 17ee0330b..745cfe89f 100644 Binary files a/apps/documenteditor/main/resources/help/it/images/fitwidth.png and b/apps/documenteditor/main/resources/help/it/images/fitwidth.png differ diff --git a/apps/documenteditor/main/resources/help/it/images/trackchangesstatusbar.png b/apps/documenteditor/main/resources/help/it/images/trackchangesstatusbar.png index c39959e6c..d582767eb 100644 Binary files a/apps/documenteditor/main/resources/help/it/images/trackchangesstatusbar.png and b/apps/documenteditor/main/resources/help/it/images/trackchangesstatusbar.png differ diff --git a/apps/documenteditor/main/resources/help/it/images/zoomin.png b/apps/documenteditor/main/resources/help/it/images/zoomin.png index e2eeea6a3..55fb7d391 100644 Binary files a/apps/documenteditor/main/resources/help/it/images/zoomin.png and b/apps/documenteditor/main/resources/help/it/images/zoomin.png differ diff --git a/apps/documenteditor/main/resources/help/it/images/zoomout.png b/apps/documenteditor/main/resources/help/it/images/zoomout.png index 60ac9a97d..1c4a45fac 100644 Binary files a/apps/documenteditor/main/resources/help/it/images/zoomout.png and b/apps/documenteditor/main/resources/help/it/images/zoomout.png differ diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm index 8a20060d4..5f2423b3e 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm @@ -23,7 +23,7 @@ распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB.

-

Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку Значок О программе на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения.

+

Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку Значок О программе на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE.

\ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index a3c15f949..3f8fc6c09 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -51,7 +51,7 @@ - + @@ -101,13 +101,13 @@ - + - + @@ -128,7 +128,7 @@ - +
Nom de la police
Modifier la casse Modifier la casseSert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres MAJUSCULES - mettre en majuscule toutes les lettres Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot Inverser la casse - basculer entre d'affichages de la casse du texte.Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres. MAJUSCULES - mettre en majuscule toutes les lettres. Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot. Inverser la casse - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné.
Couleur de surlignage FB2 Расширение для электронных книг, позволяющее читать книги на компьютере или мобильных устройствах ++ +
HyperText Markup Language
Основной язык разметки веб-страниц
+ +в онлайн-версии+
EPUB Electronic Publication
Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum)
++ +
XML Расширяемый язык разметки (XML).
Простой и гибкий язык разметки, созданный на основе SGML (ISO 8879) и предназначенный для хранения и передачи данных
++
+

Все форматы работают без Chromium и доступны на всех платформах.

\ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/ChangeWrappingStyle.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/ChangeWrappingStyle.htm index c4c060c76..3ca378df1 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/ChangeWrappingStyle.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/ChangeWrappingStyle.htm @@ -43,7 +43,7 @@

При выборе стиля обтекания Вокруг рамки, По контуру, Сквозное или Сверху и снизу можно задать дополнительные параметры - Расстояние до текста со всех сторон (сверху, снизу, слева, справа). Чтобы открыть эти настройки, щелкните по объекту правой кнопкой мыши, выберите опцию Дополнительные параметры и перейдите на вкладку Обтекание текстом в окне Дополнительные параметры объекта. Укажите нужные значения и нажмите кнопку OK.

Если выбран стиль обтекания, отличный от стиля В тексте, в окне Дополнительные параметры объекта также становится доступна вкладка Положение. Для получения дополнительной информации об этих параметрах обратитесь к соответствующим страницам с инструкциями по работе с фигурами, изображениями или диаграммами.

-

Если выбран стиль обтекания, отличный от стиля В тексте, можно также редактировать контур обтекания для изображений или фигур. Щелкните по объекту правой кнопкой мыши, выберите в контекстном меню пункт Стиль обтекания и щелкните по опции Изменить границу обтекания. Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение границы обтекания

+

Если выбран стиль обтекания, отличный от стиля В тексте, можно также редактировать контур обтекания для изображений или фигур. Щелкните по объекту правой кнопкой мыши, выберите в контекстном меню пункт Стиль обтекания и щелкните по опции Изменить границу обтекания. Вы также можете использовтаь опцию Обтекание -> Изменить границу обтекания на вкладке Макет верхней панели инструментов. Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение границы обтекания

Изменение стиля обтекания текстом для таблиц

Для таблиц доступны два следующих стиля обтекания: Встроенная таблица и Плавающая таблица.

Для изменения выбранного в данный момент стиля обтекания:

diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateLists.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateLists.htm index adaebe97d..17a0d5958 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateLists.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CreateLists.htm @@ -32,7 +32,7 @@

Нумерованные списки также создаются автоматически при вводе цифры 1 с точкой или скобкой и пробелом после нее: 1., 1). Маркированные списки создаются автоматически при вводе символов -, * и пробела после них.

Можно также изменить отступы текста в списках и их вложенность с помощью значков Многоуровневый список Значок Многоуровневый список, Уменьшить отступ Значок Уменьшить отступ и Увеличить отступ Значок Увеличить отступ на вкладке Главная верхней панели инструментов.

-

Чтобы изменить уровень списка, щелкните значок Нумерованный список Значок Нумерованный список или Маркированный список Значок Маркированный список и в пункте меню Изменить уровень списка выберите подходящий стиль списка. Чтобы перейти на следующий уровень списка, поместите курсор на начало строки и нажмите на клавиатуре клавишу Tab.

+

Чтобы изменить уровень списка, щелкните значок Нумерованный список Значок Нумерованный список, Маркированный список Значок Маркированный список или Многоуровневый список Многоуровневый список и в пункте меню Изменить уровень списка выберите подходящий стиль списка. Чтобы перейти на следующий уровень списка, поместите курсор на начало строки и нажмите на клавиатуре клавишу Tab.

изменить уровень списка

Примечание: дополнительные параметры отступов и интервалов можно изменить на правой боковой панели и в окне дополнительных параметров. Чтобы получить дополнительную информацию об этом, прочитайте разделы Изменение отступов абзацев и Настройка междустрочного интервала в абзацах.

diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm index 0f7182aac..022d91d7c 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm @@ -15,7 +15,7 @@

Настройка типа, размера и цвета шрифта

Вы можете выбрать тип шрифта, его размер и цвет, используя соответствующие значки на вкладке Главная верхней панели инструментов.

-

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

+

Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову.

@@ -40,7 +40,7 @@ - + diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index f073b2d25..af1e9a792 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. нажмите на вкладку Файл на верхней панели инструментов,
  2. выберите опцию Сохранить как,
  3. -
  4. выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDFA. Также можно выбрать вариант Шаблон документа DOTX или OTT.
  5. +
  6. выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB. Также можно выбрать вариант Шаблон документа DOTX или OTT.
diff --git a/apps/documenteditor/main/resources/help/ru/editor.css b/apps/documenteditor/main/resources/help/ru/editor.css index ecaa6b72d..b398b1932 100644 --- a/apps/documenteditor/main/resources/help/ru/editor.css +++ b/apps/documenteditor/main/resources/help/ru/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -180,7 +180,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/documenteditor/main/resources/help/ru/search/indexes.js b/apps/documenteditor/main/resources/help/ru/search/indexes.js index c611f58db..86b7b2f36 100644 --- a/apps/documenteditor/main/resources/help/ru/search/indexes.js +++ b/apps/documenteditor/main/resources/help/ru/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе документов", - "body": "Редактор документов - это онлайн- приложение, которое позволяет просматривать и редактировать документы непосредственно в браузере . Используя онлайн- редактор документов, Вы можете выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения." + "body": "Редактор документов - это онлайн- приложение, которое позволяет просматривать и редактировать документы непосредственно в браузере . Используя онлайн- редактор документов, Вы можете выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE." }, { "id": "HelpfulHints/CollaborativeEditing.htm", @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных документов", - "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + DOTX Word Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов текстовых документов. Шаблон DOTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + FB2 Расширение для электронных книг, позволяющее читать книги на компьютере или мобильных устройствах + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + OTT OpenDocument Document Template Формат текстовых файлов OpenDocument для шаблонов текстовых документов. Шаблон OTT содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + HTML HyperText Markup Language Основной язык разметки веб-страниц + + в онлайн-версии EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий + XML Расширяемый язык разметки (XML). Простой и гибкий язык разметки, созданный на основе SGML (ISO 8879) и предназначенный для хранения и передачи данных +" + "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + DOTX Word Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов текстовых документов. Шаблон DOTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + FB2 Расширение для электронных книг, позволяющее читать книги на компьютере или мобильных устройствах + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + OTT OpenDocument Document Template Формат текстовых файлов OpenDocument для шаблонов текстовых документов. Шаблон OTT содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + HTML HyperText Markup Language Основной язык разметки веб-страниц + + + EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + + + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий + XML Расширяемый язык разметки (XML). Простой и гибкий язык разметки, созданный на основе SGML (ISO 8879) и предназначенный для хранения и передачи данных + + Все форматы работают без Chromium и доступны на всех платформах." }, { "id": "HelpfulHints/advancedsettings.htm", @@ -148,7 +148,7 @@ var indexes = { "id": "UsageInstructions/ChangeWrappingStyle.htm", "title": "Изменение стиля обтекания текстом", - "body": "Опция Стиль обтекания определяет способ размещения объекта относительно текста. Можно изменить стиль обтекания текстом для вставленных объектов, таких как фигуры, изображения, диаграммы, текстовые поля или таблицы. Изменение стиля обтекания текстом для фигур, изображений, диаграмм, текстовых полей Для изменения выбранного в данный момент стиля обтекания: выделите отдельный объект на странице, щелкнув по нему левой кнопкой мыши. Чтобы выделить текстовое поле, щелкайте по его границе, а не по тексту внутри него. откройте настройки обтекания текстом: перейдите на вкладку Макет верхней панели инструментов и нажмите на стрелку рядом со значком Обтекание или щелкните по объекту правой кнопкой мыши и выберите в контекстном меню пункт Стиль обтекания или щелкните по объекту правой кнопкой мыши, выберите опцию Дополнительные параметры и перейдите на вкладку Обтекание текстом в окне Дополнительные параметры объекта. выберите нужный стиль обтекания: В тексте - объект считается частью текста, как отдельный символ, поэтому при перемещении текста объект тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, объект можно перемещать независимо от текста и и точно задавать положение объекта на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает объект. По контуру - текст обтекает реальные контуры объекта. Сквозное - текст обтекает вокруг контуров объекта и заполняет незамкнутое свободное место внутри объекта. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже объекта. Перед текстом - объект перекрывает текст. За текстом - текст перекрывает объект. При выборе стиля обтекания Вокруг рамки, По контуру, Сквозное или Сверху и снизу можно задать дополнительные параметры - Расстояние до текста со всех сторон (сверху, снизу, слева, справа). Чтобы открыть эти настройки, щелкните по объекту правой кнопкой мыши, выберите опцию Дополнительные параметры и перейдите на вкладку Обтекание текстом в окне Дополнительные параметры объекта. Укажите нужные значения и нажмите кнопку OK. Если выбран стиль обтекания, отличный от стиля В тексте, в окне Дополнительные параметры объекта также становится доступна вкладка Положение. Для получения дополнительной информации об этих параметрах обратитесь к соответствующим страницам с инструкциями по работе с фигурами, изображениями или диаграммами. Если выбран стиль обтекания, отличный от стиля В тексте, можно также редактировать контур обтекания для изображений или фигур. Щелкните по объекту правой кнопкой мыши, выберите в контекстном меню пункт Стиль обтекания и щелкните по опции Изменить границу обтекания. Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение стиля обтекания текстом для таблиц Для таблиц доступны два следующих стиля обтекания: Встроенная таблица и Плавающая таблица. Для изменения выбранного в данный момент стиля обтекания: щелкните по таблице правой кнопкой мыши и выберите пункт контекстного меню Дополнительные параметры таблицы, перейдите на вкладку Обтекание текстом окна Таблица - дополнительные параметры выберите одну из следующих опций: Встроенная таблица - используется для выбора стиля обтекания, при котором таблица разрывает текст, а также для настройки выравнивания: по левому краю, по центру, по правому краю. Плавающая таблица - используется для выбора стиля обтекания, при котором текст размещается вокруг таблицы. На вкладке Обтекание текстом окна Таблица - дополнительные параметры можно также задать следующие дополнительные параметры: Для встроенных таблиц можно задать тип Выравнивания таблицы (по левому краю, по центру или по правому краю) и Отступ слева. Для плавающих таблиц можно задать Расстояние до текста и положение на вкладке Положение таблицы." + "body": "Опция Стиль обтекания определяет способ размещения объекта относительно текста. Можно изменить стиль обтекания текстом для вставленных объектов, таких как фигуры, изображения, диаграммы, текстовые поля или таблицы. Изменение стиля обтекания текстом для фигур, изображений, диаграмм, текстовых полей Для изменения выбранного в данный момент стиля обтекания: выделите отдельный объект на странице, щелкнув по нему левой кнопкой мыши. Чтобы выделить текстовое поле, щелкайте по его границе, а не по тексту внутри него. откройте настройки обтекания текстом: перейдите на вкладку Макет верхней панели инструментов и нажмите на стрелку рядом со значком Обтекание или щелкните по объекту правой кнопкой мыши и выберите в контекстном меню пункт Стиль обтекания или щелкните по объекту правой кнопкой мыши, выберите опцию Дополнительные параметры и перейдите на вкладку Обтекание текстом в окне Дополнительные параметры объекта. выберите нужный стиль обтекания: В тексте - объект считается частью текста, как отдельный символ, поэтому при перемещении текста объект тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, объект можно перемещать независимо от текста и и точно задавать положение объекта на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает объект. По контуру - текст обтекает реальные контуры объекта. Сквозное - текст обтекает вокруг контуров объекта и заполняет незамкнутое свободное место внутри объекта. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже объекта. Перед текстом - объект перекрывает текст. За текстом - текст перекрывает объект. При выборе стиля обтекания Вокруг рамки, По контуру, Сквозное или Сверху и снизу можно задать дополнительные параметры - Расстояние до текста со всех сторон (сверху, снизу, слева, справа). Чтобы открыть эти настройки, щелкните по объекту правой кнопкой мыши, выберите опцию Дополнительные параметры и перейдите на вкладку Обтекание текстом в окне Дополнительные параметры объекта. Укажите нужные значения и нажмите кнопку OK. Если выбран стиль обтекания, отличный от стиля В тексте, в окне Дополнительные параметры объекта также становится доступна вкладка Положение. Для получения дополнительной информации об этих параметрах обратитесь к соответствующим страницам с инструкциями по работе с фигурами, изображениями или диаграммами. Если выбран стиль обтекания, отличный от стиля В тексте, можно также редактировать контур обтекания для изображений или фигур. Щелкните по объекту правой кнопкой мыши, выберите в контекстном меню пункт Стиль обтекания и щелкните по опции Изменить границу обтекания. Вы также можете использовтаь опцию Обтекание -> Изменить границу обтекания на вкладке Макет верхней панели инструментов. Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение стиля обтекания текстом для таблиц Для таблиц доступны два следующих стиля обтекания: Встроенная таблица и Плавающая таблица. Для изменения выбранного в данный момент стиля обтекания: щелкните по таблице правой кнопкой мыши и выберите пункт контекстного меню Дополнительные параметры таблицы, перейдите на вкладку Обтекание текстом окна Таблица - дополнительные параметры выберите одну из следующих опций: Встроенная таблица - используется для выбора стиля обтекания, при котором таблица разрывает текст, а также для настройки выравнивания: по левому краю, по центру, по правому краю. Плавающая таблица - используется для выбора стиля обтекания, при котором текст размещается вокруг таблицы. На вкладке Обтекание текстом окна Таблица - дополнительные параметры можно также задать следующие дополнительные параметры: Для встроенных таблиц можно задать тип Выравнивания таблицы (по левому краю, по центру или по правому краю) и Отступ слева. Для плавающих таблиц можно задать Расстояние до текста и положение на вкладке Положение таблицы." }, { "id": "UsageInstructions/ConvertFootnotesEndnotes.htm", @@ -168,7 +168,7 @@ var indexes = { "id": "UsageInstructions/CreateLists.htm", "title": "Создание списков", - "body": "Для создания в документе списка: установите курсор в том месте, где начнется список (это может быть новая строка или уже введенный текст), перейдите на вкладку Главная верхней панели инструментов, выберите тип списка, который требуется создать: Неупорядоченный список с маркерами создается с помощью значка Маркированный список , расположенного на верхней панели инструментов Упорядоченный список с цифрами или буквами создается с помощью значка Нумерованный список , расположенного на верхней панели инструментов Примечание: нажмите направленную вниз стрелку рядом со значком Маркированный список или Нумерованный список, чтобы выбрать, как должен выглядеть список. теперь при каждом нажатии в конце строки клавиши Enter будет появляться новый элемент упорядоченного или неупорядоченного списка. Чтобы закончить список, нажмите клавишу Backspace и продолжайте текст обычного абзаца. Нумерованные списки также создаются автоматически при вводе цифры 1 с точкой или скобкой и пробелом после нее: 1., 1). Маркированные списки создаются автоматически при вводе символов -, * и пробела после них. Можно также изменить отступы текста в списках и их вложенность с помощью значков Многоуровневый список , Уменьшить отступ и Увеличить отступ на вкладке Главная верхней панели инструментов. Чтобы изменить уровень списка, щелкните значок Нумерованный список или Маркированный список и в пункте меню Изменить уровень списка выберите подходящий стиль списка. Чтобы перейти на следующий уровень списка, поместите курсор на начало строки и нажмите на клавиатуре клавишу Tab. Примечание: дополнительные параметры отступов и интервалов можно изменить на правой боковой панели и в окне дополнительных параметров. Чтобы получить дополнительную информацию об этом, прочитайте разделы Изменение отступов абзацев и Настройка междустрочного интервала в абзацах. Объединение и разделение списков Для того чтобы объединить список с предыдущим списком: щелкните правой кнопкой мыши по первому пункту второго списка, используйте опцию контекстного меню Объединить с предыдущим списком. Списки будут объединены, и нумерация будет продолжена в соответствии с нумерацией первого списка. Для того чтобы разделить список: щелкните правой кнопкой мыши по тому пункту списка, с которого требуется начать новый список, используйте опцию контекстного меню Начать новый список. Список будет разделен, и во втором списке нумерация начнется заново. Изменение нумерации Для того чтобы продолжить во втором списке последовательную нумерацию в соответствии с предыдущим списком: щелкните правой кнопкой мыши по первому пункту второго списка, используйте опцию контекстного меню Продолжить нумерацию. Нумерация будет продолжена в соответствии с нумерацией первого списка. Для того чтобы задать произвольное начальное значение нумерации: щелкните правой кнопкой мыши по тому пункту списка, к которому требуется применить новое значение нумерации, используйте опцию контекстного меню Задать начальное значение, в новом открывшемся окне укажите нужное числовое значение и нажмите кнопку OK. Изменение параметров списков Для того чтобы изменить параметры списка, такие как тип, выравнивание, размер и цвет маркеров или нумерации: щелкните по какому-либо пункту существующего списка или выделите текст, который требуется отформатировать как список, нажмите на кнопку Маркированный список или Нумерованный список на вкладке Главная верхней панели инструментов, выберите опцию Параметры списка, откроется окно Параметры списка. Окно настроек маркированного списка выглядит следующим образом: Окно настроек нумерованного списка выглядит следующим образом: Для маркированного списка можно выбрать символ, используемый в качестве маркера, тогда как для нумерованного списка можно выбрать тип нумерации. Параметры Выравнивание, Размер и Цвет идентичны как для маркированных, так и для нумерованных списков. Маркер - позволяет выбрать нужный символ, используемый для маркированного списка. При нажатии на поле Шрифт и символ открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. Тип - позволяет выбрать нужный тип нумерации, используемый для нумерованного списка. Доступны следующие варианты: Нет, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Выравнивание - позволяет выбрать нужный тип выравнивания маркеров или нумерации, который используется для горизонтального выравнивания маркеров или нумерации внутри отведенного для них пространства. Доступны следующие типы выравнивания: По левому краю, По центру, По правому краю. Размер - позволяет выбрать нужный размер маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, размер маркеров или нумерации соответствует размеру текста. Вы можете выбрать один из предварительно заданных размеров от 8 до 96. Цвет - позволяет выбрать нужный цвет маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, цвет маркеров или нумерации соответствует цвету текста. Вы можете выбрать опцию Автоматически, чтобы применить автоматический цвет, или выбрать на палитре один из цветов темы или стандартных цветов или задать пользовательский цвет. Все изменения отображаются в поле Просмотр. нажмите кнопку OK, чтобы применить изменения и закрыть окно настроек. Для того чтобы изменить параметры многоуровневого списка, щелкните по какому-либо пункту списка, нажмите на кнопку Многоуровневый список на вкладке Главная верхней панели инструментов, выберите опцию Параметры списка, откроется окно Параметры списка. Окно настроек многоуровневого списка выглядит следующим образом: Выберите нужный уровень списка в поле Уровень слева, затем используйте кнопки в верхней части окна настроек, чтобы настроить внешний вид маркера или нумерации для выбранного уровня: Тип - позволяет выбрать нужный тип нумерации, используемый для нумерованного списка, или нужный символ, используемый для маркированного списка. Для нумерованного списка доступны следующие варианты: Нет, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Для маркированного списка можно выбрать один из стандартных символов или использовать опцию Новый маркер. При выборе этой опции открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. Выравнивание - позволяет выбрать нужный тип выравнивания маркеров или нумерации, который используется для горизонтального выравнивания маркеров или нумерации внутри отведенного для них пространства в начале абзаца. Доступны следующие типы выравнивания: По левому краю, По центру, По правому краю. Размер - позволяет выбрать нужный размер маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, размер маркеров или нумерации соответствует размеру текста. Вы можете выбрать один из предварительно заданных размеров от 8 до 96. Цвет - позволяет выбрать нужный цвет маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, цвет маркеров или нумерации соответствует цвету текста. Вы можете выбрать опцию Автоматически, чтобы применить автоматический цвет, или выбрать на палитре один из цветов темы или стандартных цветов или задать пользовательский цвет. Все изменения отображаются в поле Просмотр. нажмите кнопку OK, чтобы применить изменения и закрыть окно настроек." + "body": "Для создания в документе списка: установите курсор в том месте, где начнется список (это может быть новая строка или уже введенный текст), перейдите на вкладку Главная верхней панели инструментов, выберите тип списка, который требуется создать: Неупорядоченный список с маркерами создается с помощью значка Маркированный список , расположенного на верхней панели инструментов Упорядоченный список с цифрами или буквами создается с помощью значка Нумерованный список , расположенного на верхней панели инструментов Примечание: нажмите направленную вниз стрелку рядом со значком Маркированный список или Нумерованный список, чтобы выбрать, как должен выглядеть список. теперь при каждом нажатии в конце строки клавиши Enter будет появляться новый элемент упорядоченного или неупорядоченного списка. Чтобы закончить список, нажмите клавишу Backspace и продолжайте текст обычного абзаца. Нумерованные списки также создаются автоматически при вводе цифры 1 с точкой или скобкой и пробелом после нее: 1., 1). Маркированные списки создаются автоматически при вводе символов -, * и пробела после них. Можно также изменить отступы текста в списках и их вложенность с помощью значков Многоуровневый список , Уменьшить отступ и Увеличить отступ на вкладке Главная верхней панели инструментов. Чтобы изменить уровень списка, щелкните значок Нумерованный список , Маркированный список или Многоуровневый список и в пункте меню Изменить уровень списка выберите подходящий стиль списка. Чтобы перейти на следующий уровень списка, поместите курсор на начало строки и нажмите на клавиатуре клавишу Tab. Примечание: дополнительные параметры отступов и интервалов можно изменить на правой боковой панели и в окне дополнительных параметров. Чтобы получить дополнительную информацию об этом, прочитайте разделы Изменение отступов абзацев и Настройка междустрочного интервала в абзацах. Объединение и разделение списков Для того чтобы объединить список с предыдущим списком: щелкните правой кнопкой мыши по первому пункту второго списка, используйте опцию контекстного меню Объединить с предыдущим списком. Списки будут объединены, и нумерация будет продолжена в соответствии с нумерацией первого списка. Для того чтобы разделить список: щелкните правой кнопкой мыши по тому пункту списка, с которого требуется начать новый список, используйте опцию контекстного меню Начать новый список. Список будет разделен, и во втором списке нумерация начнется заново. Изменение нумерации Для того чтобы продолжить во втором списке последовательную нумерацию в соответствии с предыдущим списком: щелкните правой кнопкой мыши по первому пункту второго списка, используйте опцию контекстного меню Продолжить нумерацию. Нумерация будет продолжена в соответствии с нумерацией первого списка. Для того чтобы задать произвольное начальное значение нумерации: щелкните правой кнопкой мыши по тому пункту списка, к которому требуется применить новое значение нумерации, используйте опцию контекстного меню Задать начальное значение, в новом открывшемся окне укажите нужное числовое значение и нажмите кнопку OK. Изменение параметров списков Для того чтобы изменить параметры списка, такие как тип, выравнивание, размер и цвет маркеров или нумерации: щелкните по какому-либо пункту существующего списка или выделите текст, который требуется отформатировать как список, нажмите на кнопку Маркированный список или Нумерованный список на вкладке Главная верхней панели инструментов, выберите опцию Параметры списка, откроется окно Параметры списка. Окно настроек маркированного списка выглядит следующим образом: Окно настроек нумерованного списка выглядит следующим образом: Для маркированного списка можно выбрать символ, используемый в качестве маркера, тогда как для нумерованного списка можно выбрать тип нумерации. Параметры Выравнивание, Размер и Цвет идентичны как для маркированных, так и для нумерованных списков. Маркер - позволяет выбрать нужный символ, используемый для маркированного списка. При нажатии на поле Шрифт и символ открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. Тип - позволяет выбрать нужный тип нумерации, используемый для нумерованного списка. Доступны следующие варианты: Нет, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Выравнивание - позволяет выбрать нужный тип выравнивания маркеров или нумерации, который используется для горизонтального выравнивания маркеров или нумерации внутри отведенного для них пространства. Доступны следующие типы выравнивания: По левому краю, По центру, По правому краю. Размер - позволяет выбрать нужный размер маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, размер маркеров или нумерации соответствует размеру текста. Вы можете выбрать один из предварительно заданных размеров от 8 до 96. Цвет - позволяет выбрать нужный цвет маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, цвет маркеров или нумерации соответствует цвету текста. Вы можете выбрать опцию Автоматически, чтобы применить автоматический цвет, или выбрать на палитре один из цветов темы или стандартных цветов или задать пользовательский цвет. Все изменения отображаются в поле Просмотр. нажмите кнопку OK, чтобы применить изменения и закрыть окно настроек. Для того чтобы изменить параметры многоуровневого списка, щелкните по какому-либо пункту списка, нажмите на кнопку Многоуровневый список на вкладке Главная верхней панели инструментов, выберите опцию Параметры списка, откроется окно Параметры списка. Окно настроек многоуровневого списка выглядит следующим образом: Выберите нужный уровень списка в поле Уровень слева, затем используйте кнопки в верхней части окна настроек, чтобы настроить внешний вид маркера или нумерации для выбранного уровня: Тип - позволяет выбрать нужный тип нумерации, используемый для нумерованного списка, или нужный символ, используемый для маркированного списка. Для нумерованного списка доступны следующие варианты: Нет, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Для маркированного списка можно выбрать один из стандартных символов или использовать опцию Новый маркер. При выборе этой опции открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. Выравнивание - позволяет выбрать нужный тип выравнивания маркеров или нумерации, который используется для горизонтального выравнивания маркеров или нумерации внутри отведенного для них пространства в начале абзаца. Доступны следующие типы выравнивания: По левому краю, По центру, По правому краю. Размер - позволяет выбрать нужный размер маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, размер маркеров или нумерации соответствует размеру текста. Вы можете выбрать один из предварительно заданных размеров от 8 до 96. Цвет - позволяет выбрать нужный цвет маркеров или нумерации. По умолчанию выбрана опция Как текст. Когда выбрана эта опция, цвет маркеров или нумерации соответствует цвету текста. Вы можете выбрать опцию Автоматически, чтобы применить автоматический цвет, или выбрать на палитре один из цветов темы или стандартных цветов или задать пользовательский цвет. Все изменения отображаются в поле Просмотр. нажмите кнопку OK, чтобы применить изменения и закрыть окно настроек." }, { "id": "UsageInstructions/CreateTableOfContents.htm", @@ -183,7 +183,7 @@ var indexes = { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Настройка типа, размера и цвета шрифта", - "body": "Вы можете выбрать тип шрифта, его размер и цвет, используя соответствующие значки на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение до 300 пунктов в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Изменить регистр Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет выделения отличается от Цвета фона , поскольку последний применяется ко всему абзацу и полностью заполняет пространство абзаца от левого поля страницы до правого поля страницы. Цвет шрифта Используется для изменения цвета букв/символов в тексте. По умолчанию в новом пустом документе установлен автоматический цвет шрифта. Он отображается как черный шрифт на белом фоне. Если изменить цвет фона на черный, цвет шрифта автоматически изменится на белый, так чтобы текст по-прежнему был четко виден. Для выбора другого цвета нажмите направленную вниз стрелку рядом со значком и выберите цвет на доступных палитрах (цвета на палитре Цвета темы зависят от выбранной цветовой схемы). После изменения цвета шрифта по умолчанию можно использовать опцию Автоматический в окне цветовых палитр для быстрого восстановления автоматического цвета выбранного фрагмента текста. Примечание: более подробно о работе с цветовыми палитрами рассказывается на этой странице." + "body": "Вы можете выбрать тип шрифта, его размер и цвет, используя соответствующие значки на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение до 300 пунктов в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Изменить регистр Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста или слова, в котором находится курсор мыши. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет выделения отличается от Цвета фона , поскольку последний применяется ко всему абзацу и полностью заполняет пространство абзаца от левого поля страницы до правого поля страницы. Цвет шрифта Используется для изменения цвета букв/символов в тексте. По умолчанию в новом пустом документе установлен автоматический цвет шрифта. Он отображается как черный шрифт на белом фоне. Если изменить цвет фона на черный, цвет шрифта автоматически изменится на белый, так чтобы текст по-прежнему был четко виден. Для выбора другого цвета нажмите направленную вниз стрелку рядом со значком и выберите цвет на доступных палитрах (цвета на палитре Цвета темы зависят от выбранной цветовой схемы). После изменения цвета шрифта по умолчанию можно использовать опцию Автоматический в окне цветовых палитр для быстрого восстановления автоматического цвета выбранного фрагмента текста. Примечание: более подробно о работе с цветовыми палитрами рассказывается на этой странице." }, { "id": "UsageInstructions/FormattingPresets.htm", @@ -248,7 +248,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В редакторе документов можно вставлять в документ изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в текст документа: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того, как изображение будет добавлено, можно изменить его размер, свойства и положение. К изображению также можно добавить подпись. Для получения дополнительной информации о работе с подписями к изображениям вы можете обратиться к этой статье. Перемещение и изменение размера изображений Для изменения размера изображения перетаскивайте маленькие квадраты , расположенные по его краям. Чтобы сохранить исходные пропорции выбранного изображения при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения изображения используйте значок , который появляется после наведения курсора мыши на изображение. Перетащите изображение на нужное место, не отпуская кнопку мыши. При перемещении изображения на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы повернуть изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров изображения Некоторые параметры изображения можно изменить с помощью вкладки Параметры изображения на правой боковой панели. Чтобы ее активировать, щелкните по изображению и выберите значок Параметры изображения справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла, Из хранилища или По URL. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Обрезать - используется, чтобы применить один из вариантов обрезки: Обрезать, Заливка или Вписать. Выберите из подменю пункт Обрезать, затем перетащите маркеры обрезки, чтобы задать область обрезки, и нажмите на одну из этих трех опций в подменю еще раз, чтобы применить изменения. Реальный размер - используется для смены текущего размера изображения на реальный размер. Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Конкуры фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительных параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения изображения относительно текста: или оно будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать его со всех сторон (если выбран один из остальных стилей). В тексте - изображение считается частью текста, как отдельный символ, поэтому при перемещении текста изображение тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, изображение можно перемещать независимо от текста и точно задавать положение изображения на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает изображение. По контуру - текст обтекает реальные контуры изображения. Сквозное - текст обтекает вокруг контуров изображения и заполняет незамкнутое свободное место внутри него. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже изображения. Перед текстом - изображение перекрывает текст. За текстом - текст перекрывает изображение. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли изображение перемещаться вместе с текстом, к которому оно привязано. Опция Разрешить перекрытие определяет, будут ли перекрываться два изображения, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение." + "body": "В редакторе документов можно вставлять в документ изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в текст документа: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того, как изображение будет добавлено, можно изменить его размер, свойства и положение. К изображению также можно добавить подпись. Для получения дополнительной информации о работе с подписями к изображениям вы можете обратиться к этой статье. Перемещение и изменение размера изображений Для изменения размера изображения перетаскивайте маленькие квадраты , расположенные по его краям. Чтобы сохранить исходные пропорции выбранного изображения при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения изображения используйте значок , который появляется после наведения курсора мыши на изображение. Перетащите изображение на нужное место, не отпуская кнопку мыши. При перемещении изображения на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы повернуть изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров изображения Некоторые параметры изображения можно изменить с помощью вкладки Параметры изображения на правой боковой панели. Чтобы ее активировать, щелкните по изображению и выберите значок Параметры изображения справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла, Из хранилища или По URL. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Обрезать - используется, чтобы применить один из вариантов обрезки: Обрезать, Заливка или Вписать. Выберите из подменю пункт Обрезать, затем перетащите маркеры обрезки, чтобы задать область обрезки, и нажмите на одну из этих трех опций в подменю еще раз, чтобы применить изменения. Реальный размер - используется для смены текущего размера изображения на реальный размер. Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительных параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения изображения относительно текста: или оно будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать его со всех сторон (если выбран один из остальных стилей). В тексте - изображение считается частью текста, как отдельный символ, поэтому при перемещении текста изображение тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, изображение можно перемещать независимо от текста и точно задавать положение изображения на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает изображение. По контуру - текст обтекает реальные контуры изображения. Сквозное - текст обтекает вокруг контуров изображения и заполняет незамкнутое свободное место внутри него. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже изображения. Перед текстом - изображение перекрывает текст. За текстом - текст перекрывает изображение. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли изображение перемещаться вместе с текстом, к которому оно привязано. Опция Разрешить перекрытие определяет, будут ли перекрываться два изображения, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение." }, { "id": "UsageInstructions/InsertLineNumbers.htm", @@ -308,7 +308,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / скачивание / печать документа", - "body": "Сохранение По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущий документ вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить документ под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDFA. Также можно выбрать вариант Шаблон документа DOTX или OTT. Скачивание Чтобы в онлайн-версии скачать готовый документ и сохранить его на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Сохранение копии Чтобы в онлайн-версии сохранить копию документа на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущий документ, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать документа без предварительной загрузки в виде файла .pdf. Также можно распечатать выделенный фрагмент текста с помощью пункта контекстного меню Напечатать выделенное как в режиме Редактирования, так и в режиме Просмотра (кликните правой кнопкой мыши и выберите опцию Напечатать выделенное). В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." + "body": "Сохранение По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущий документ вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить документ под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDFA, HTML, FB2, EPUB. Также можно выбрать вариант Шаблон документа DOTX или OTT. Скачивание Чтобы в онлайн-версии скачать готовый документ и сохранить его на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. Сохранение копии Чтобы в онлайн-версии сохранить копию документа на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB. выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущий документ, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать документа без предварительной загрузки в виде файла .pdf. Также можно распечатать выделенный фрагмент текста с помощью пункта контекстного меню Напечатать выделенное как в режиме Редактирования, так и в режиме Просмотра (кликните правой кнопкой мыши и выберите опцию Напечатать выделенное). В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." }, { "id": "UsageInstructions/SectionBreaks.htm", diff --git a/apps/presentationeditor/main/app/controller/Main.js b/apps/presentationeditor/main/app/controller/Main.js index 8b1de3e59..97d05fbae 100644 --- a/apps/presentationeditor/main/app/controller/Main.js +++ b/apps/presentationeditor/main/app/controller/Main.js @@ -999,7 +999,7 @@ define([ if (Asc.c_oLicenseResult.ExpiredLimited === licType) this._state.licenseType = licType; - if ( this.onServerVersion(params.asc_getBuildVersion()) ) return; + if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded() ) return; if (params.asc_getRights() !== Asc.c_oRights.Edit) this.permissions.edit = false; @@ -2191,6 +2191,18 @@ define([ this._renameDialog.show(Common.Utils.innerWidth() - this._renameDialog.options.width - 15, 30); }, + onLanguageLoaded: function() { + if (!Common.Locale.getCurrentLanguage()) { + Common.UI.warning({ + msg: this.errorLang, + buttons: [], + closable: false + }); + return false; + } + return true; + }, + onRefreshHistory: function(opts) { if (!this.appOptions.canUseHistory) return; @@ -2709,6 +2721,7 @@ define([ textRenameError: 'User name must not be empty.', textLongName: 'Enter a name that is less than 128 characters.', textGuest: 'Guest', + errorLang: 'The interface language is not loaded.
Please contact your Document Server administrator.', txtErrorLoadHistory: 'Loading history failed', leavePageTextOnClose: 'All unsaved changes in this document will be lost.
Click \'Cancel\' then \'Save\' to save them. Click \'OK\' to discard all the unsaved changes.', textTryUndoRedoWarn: 'The Undo/Redo functions are disabled for the Fast co-editing mode.', diff --git a/apps/presentationeditor/main/app/template/Toolbar.template b/apps/presentationeditor/main/app/template/Toolbar.template index f967bcac2..e467ca86c 100644 --- a/apps/presentationeditor/main/app/template/Toolbar.template +++ b/apps/presentationeditor/main/app/template/Toolbar.template @@ -101,7 +101,7 @@
-
+
diff --git a/apps/presentationeditor/main/app/view/FileMenuPanels.js b/apps/presentationeditor/main/app/view/FileMenuPanels.js index b648d0d15..b883f8412 100644 --- a/apps/presentationeditor/main/app/view/FileMenuPanels.js +++ b/apps/presentationeditor/main/app/view/FileMenuPanels.js @@ -1324,7 +1324,7 @@ define([ Common.UI.BaseView.prototype.initialize.call(this,arguments); this.menu = options.menu; - this.urlPref = 'resources/help/en/'; + this.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; this.en_data = [ {"src": "ProgramInterface/ProgramInterface.htm", "name": "Introducing Presentation Editor user interface", "headername": "Program Interface"}, @@ -1424,12 +1424,12 @@ define([ var config = { dataType: 'json', error: function () { - if ( me.urlPref.indexOf('resources/help/en/')<0 ) { - me.urlPref = 'resources/help/en/'; - store.url = 'resources/help/en/Contents.json'; + if ( me.urlPref.indexOf('resources/help/{{DEFAULT_LANG}}/')<0 ) { + me.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; + store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json'; store.fetch(config); } else { - me.urlPref = 'resources/help/en/'; + me.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; store.reset(me.en_data); } }, diff --git a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index 604b363f1..a0ae7592f 100644 --- a/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
  2. Wählen Sie die Option Speichern als....
  3. -
  4. Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDFA. Sie können auch die Option Präsentationsvorlage (POTX oder OTP) auswählen.
  5. +
  6. Wählen Sie das gewünschte Format aus: PPTX, ODP, PDF, PDF/A. Sie können auch die Option Präsentationsvorlage (POTX oder OTP) auswählen.
diff --git a/apps/presentationeditor/main/resources/help/de/editor.css b/apps/presentationeditor/main/resources/help/de/editor.css index fb0013f79..cf91b6c92 100644 --- a/apps/presentationeditor/main/resources/help/de/editor.css +++ b/apps/presentationeditor/main/resources/help/de/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm index 2f708d0cc..b92d42ef1 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm @@ -19,7 +19,7 @@

Using the Presentation Editor, you can perform various editing operations like in any desktop editor, print the edited presentations keeping all the formatting details or download them onto the hard disk drive of your computer as PPTX, PDF, ODP, POTX, PDF/A, OTP files.

-

To view the current software version and licensor details in the online version, click the About icon icon on the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item on the left sidebar of the main program window.

+

To view the current software version and licensor details in the online version, click the About icon icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item.

\ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm index c1aae9b55..8843dd6e3 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm @@ -79,7 +79,7 @@

Adjust font type, size, color and apply decoration styles

You can select the font type, its size and color as well as apply various font decoration styles using the corresponding icons situated on the Home tab of the top toolbar.

-

Note: in case you want to apply the formatting to the text already present in the presentation, select it with the mouse or using the keyboard and apply the formatting.

+

Note: in case you want to apply the formatting to the text already present in the presentation, select it with the mouse or using the keyboard and apply the formatting. You can also place the mouse cursor within the necessary word to apply the formatting to this word only.

Шрифт
Изменить регистр Change caseИспользуется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста.Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста или слова, в котором находится курсор мыши.
Цвет выделения
@@ -104,7 +104,7 @@ - + diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index 226b686f6..4d100eea8 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. click the File tab of the top toolbar,
  2. select the Save as... option,
  3. -
  4. choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDFA. You can also choose the Рresentation template (POTX or OTP) option.
  5. +
  6. choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDF/A. You can also choose the Рresentation template (POTX or OTP) option.
diff --git a/apps/presentationeditor/main/resources/help/en/editor.css b/apps/presentationeditor/main/resources/help/en/editor.css index 108b9b531..ffb4d3b01 100644 --- a/apps/presentationeditor/main/resources/help/en/editor.css +++ b/apps/presentationeditor/main/resources/help/en/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/presentationeditor/main/resources/help/en/search/indexes.js b/apps/presentationeditor/main/resources/help/en/search/indexes.js index d830d6fc2..3d9367ca9 100644 --- a/apps/presentationeditor/main/resources/help/en/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/en/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About the Presentation Editor", - "body": "The Presentation Editor is an online application that lets you look through and edit presentations directly in your browser . Using the Presentation Editor, you can perform various editing operations like in any desktop editor, print the edited presentations keeping all the formatting details or download them onto the hard disk drive of your computer as PPTX, PDF, ODP, POTX, PDF/A, OTP files. To view the current software version and licensor details in the online version, click the icon on the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item on the left sidebar of the main program window." + "body": "The Presentation Editor is an online application that lets you look through and edit presentations directly in your browser . Using the Presentation Editor, you can perform various editing operations like in any desktop editor, print the edited presentations keeping all the formatting details or download them onto the hard disk drive of your computer as PPTX, PDF, ODP, POTX, PDF/A, OTP files. To view the current software version and licensor details in the online version, click the icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -158,7 +158,7 @@ var indexes = { "id": "UsageInstructions/InsertText.htm", "title": "Insert and format your text", - "body": "Insert your text In the Presentation Editor, you can add a new text in three different ways: Add a text passage within the corresponding text placeholder on the slide layout. To do that, just put the cursor within the placeholder and type in your text or paste it using the Ctrl+V key combination instead of the default text. Add a text passage anywhere on a slide. You can insert a text box (a rectangular frame that allows you to enter some text within it) or a Text Art object (a text box with a predefined font style and color that allows you to apply some text effects). Depending on the necessary text object type, you can do the following: to add a text box, click the Text Box icon on the Home or Insert tab of the top toolbar, then click where you want to insert the text box, hold the mouse button and drag the text box border to specify its size. When you release the mouse button, the insertion point will appear in the added text box, allowing you to enter your text. It's also possible to insert a text box by clicking the Shape icon on the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon on the Insert tab of the top toolbar, then click on the desired style template – the Text Art object will be added in the center of the slide. Select the default text within the text box with the mouse and replace it with your own text. Add a text passage within an autoshape. Select a shape and start typing your text. Click outside of the text object to apply the changes and return to the slide. The text within the text object is a part of the latter (when you move or rotate the text object, the text moves or rotates with it). As an inserted text object represents a rectangular frame (it has invisible text box borders by default) with text in it and this frame is a common autoshape, you can change both the shape and text properties. To delete the added text object, click on the text box border and press the Delete key. The text within the text box will also be deleted. Format a text box Select the text box by clicking on its border to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines. to resize, move, rotate the text box, use the special handles on the edges of the shape. to edit the text box fill, line, replace the rectangular box with a different shape, or access the shape advanced settings, click the Shape settings icon on the right sidebar and use the corresponding options. to align a text box on the slide, rotate or flip it, arrange text boxes as related to other objects, right-click on the text box border and use the contextual menu options. to create columns of text within the text box, click the corresponding icon on the text formatting toolbar and choose the preferable option, or right-click on the text box border, click the Shape Advanced Settings option and switch to the Columns tab in the Shape - Advanced Settings window. Format the text within the text box Click the text within the text box to change its properties. When the text is selected, the text box borders are displayed as dashed lines. Note: it's also possible to change text formatting when the text box (not the text itself) is selected. In such a case, any changes will be applied to the whole text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to the previously selected part of the text separately. Align your text within the text box The text is aligned horizontally in four ways: left, right, center or justified. To do that: place the cursor to the position where you want the alignment to be applied (this can be a new line or already entered text), drop-down the Horizontal align list on the Home tab of the top toolbar, select the alignment type you would like to apply: the Align text left option allows you to line up your text on the left side of the text box (the right side remains unaligned). the Align text center option allows you to line up your text in the center of the text box (the right and the left sides remains unaligned). the Align text right option allows you to line up your text on the right side of the text box (the left side remains unaligned). the Justify option allows you to line up your text both on the left and on the right sides of the text box (additional spacing is added where necessary to keep the alignment). Note: these parameters can also be found in the Paragraph - Advanced Settings window. The text is aligned vertically in three ways: top, middle or bottom. To do that: place the cursor to the position where you want the alignment to be applied (this can be a new line or already entered text), drop-down the Vertical align list on the Home tab of the top toolbar, select the alignment type you would like to apply: the Align text to the top option allows you to line up your text to the top of the text box. the Align text to the middle option allows you to line up your text in the center of the text box. the Align text to the bottom option allows you to line up your text to the bottom of the text box. Change the text direction To Rotate the text within the text box, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (selected by default), Rotate Text Down (used to set a vertical direction, from top to bottom) or Rotate Text Up (used to set a vertical direction, from bottom to top). Adjust font type, size, color and apply decoration styles You can select the font type, its size and color as well as apply various font decoration styles using the corresponding icons situated on the Home tab of the top toolbar. Note: in case you want to apply the formatting to the text already present in the presentation, select it with the mouse or using the keyboard and apply the formatting. Font Used to select one of the fonts from the list of the available ones. If the required font is not available in the list, you can download and install it on your operating system, and the font will be available for use in the desktop version. Font size Used to choose from the preset font size values in the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value up to 300 pt in the font size field. Press Enter to confirm. Increment font size Used to change the font size making it one point bigger each time the button is pressed. Decrement font size Used to change the font size making it one point smaller each time the button is pressed. Change case Used to change the font case. Sentence case. - the case matches that of a common sentence. lowercase - all letters are small. UPPERCASE - all letters are capital. Capitalize Each Word - each word starts with a capital letter. tOGGLE cASE - reverse the case of the selected text. Highlight color Used to mark separate sentences, phrases, words, or even characters by adding a color band that imitates the highlighter pen effect throughout the text. You can select the required part of the text and click the downward arrow next to the icon to select a color in the palette (this color set does not depend on the selected Color scheme and includes 16 colors) - the color will be applied to the selected text. Alternatively, you can first choose a highlight color and then start selecting the text with the mouse - the mouse pointer will look like this and you'll be able to highlight several different parts of your text sequentially. To stop highlighting, just click the icon once again. To delete the highlight color, choose the No Fill option. Font color Used to change the color of the letters/characters in the text. Click the downward arrow next to the icon to select the color. Bold Used to make the font bold giving it a heavier appearance. Italic Used to make the font slightly slanted to the right. Underline Used to make the text underlined with a line going under the letters. Strikeout Used to make the text struck out with a line going through the letters. Superscript Used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript Used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. Set line spacing and change paragraph indents You can set the line height for the text lines within the paragraph as well as the margins between the current and the previous or the following paragraph. To do that, put the cursor within the required paragraph or select several paragraphs with the mouse, use the corresponding fields of the Text settings tab on the right sidebar to achieve the desired results: Line Spacing - set the line height for the text lines within the paragraph. You can select among three options: at least (sets the minimum line spacing that is needed to fit the largest font or graphic on the line), multiple (sets line spacing that can be expressed in numbers greater than 1), exactly (sets fixed line spacing). You can specify the necessary value in the field on the right. Paragraph Spacing - set the amount of space between paragraphs. Before - set the amount of space before the paragraph. After - set the amount of space after the paragraph. Note: these parameters can also be found in the Paragraph - Advanced Settings window. To quickly change the current paragraph line spacing, you can also use the Line spacing icon on the Home tab of the top toolbar selecting the required value from the list: 1.0, 1.15, 1.5, 2.0, 2.5, or 3.0 lines. To change the paragraph offset from the left side of the text box, put the cursor within the required paragraph, or select several paragraphs with the mouse and use the respective icons on the Home tab of the top toolbar: Decrease indent and Increase indent . Adjust paragraph advanced settings To open the Paragraph - Advanced Settings window, right-click the text and choose the Text Advanced Settings option from the menu. It's also possible to put the cursor within the required paragraph - the Text settings tab will be activated on the right sidebar. Press the Show advanced settings link. The paragraph properties window will be opened: The Indents & Spacing tab allows you to: change the alignment type for the paragraph text, change the paragraph indents as related to internal margins of the text box, Left - set the paragraph offset from the left internal margin of the text box specifying the necessary numeric value, Right - set the paragraph offset from the right internal margin of the text box specifying the necessary numeric value, Special - set an indent for the first line of the paragraph: select the corresponding menu item ((none), First line, Hanging) and change the default numeric value specified for First Line or Hanging, change the paragraph line spacing. You can also use the horizontal ruler to set indents. Select the necessary paragraph(s) and drag the indent markers along the ruler. First Line Indent marker is used to set the offset from the left internal margin of the text box for the first line of the paragraph. Hanging Indent marker is used to set the offset from the left internal margin of the text box for the second and all the subsequent lines of the paragraph. Left Indent marker is used to set the entire paragraph offset from the left internal margin of the text box. Right Indent marker is used to set the paragraph offset from the right internal margin of the text box. Note: if you don't see the rulers, switch to the Home tab of the top toolbar, click the View settings icon at the upper right corner and uncheck the Hide Rulers option to display them. The Font tab contains the following parameters: Strikethrough is used to make the text struck out with a line going through the letters. Double strikethrough is used to make the text struck out with a double line going through the letters. Superscript is used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. Small caps is used to make all letters lower case. All caps is used to make all letters upper case. Character Spacing is used to set the space between the characters. Increase the default value to apply the Expanded spacing, or decrease the default value to apply the Condensed spacing. Use the arrow buttons or enter the necessary value in the box. All the changes will be displayed in the preview field below. The Tab tab allows you to change tab stops i.e. the position the cursor advances to when you press the Tab key. Default Tab is set at 2.54 cm. You can decrease or increase this value using the arrow buttons or enter the necessary one in the box. Tab Position - is used to set custom tab stops. Enter the necessary value in this box, adjust it more precisely using the arrow buttons and press the Specify button. Your custom tab position will be added to the list in the field below. Alignment - is used to set the necessary alignment type for each of the tab positions in the list above. Select the necessary tab position in the list, choose the Left, Center or Right option from the Alignment drop-down list and press the Specify button. Left - lines up your text on the left side at the tab stop position; the text moves to the right from the tab stop as you type. Such a tab stop will be indicated on the horizontal ruler by the marker. Center - centres the text at the tab stop position. Such a tab stop will be indicated on the horizontal ruler by the marker. Right - lines up your text on the right side at the tab stop position; the text moves to the left from the tab stop as you type. Such a tab stop will be indicated on the horizontal ruler by the marker. To delete tab stops from the list, select a tab stop and press the Remove or Remove All button. To set tab stops, you can also use the horizontal ruler: Click the tab selector button in the upper left corner of the working area to choose the necessary tab stop type: Left , Center , Right . Click on the bottom edge of the ruler where you want to place the tab stop. Drag it along the ruler to change its position. To remove the added tab stop, drag it out of the ruler. Note: if you don't see the rulers, switch to the Home tab of the top toolbar, click the View settings icon at the upper right corner and uncheck the Hide Rulers option to display them. Edit a Text Art style Select a text object and click the Text Art settings icon on the right sidebar. Change the applied text style selecting a new Template from the gallery. You can also change the basic style additionally by selecting a different font type, size etc. Change the font fill and line. The available options are the same as the ones for autoshapes. Apply a text effect by selecting the necessary text transformation type from the Transform gallery. You can adjust the degree of the text distortion by dragging the pink diamond-shaped handle." + "body": "Insert your text In the Presentation Editor, you can add a new text in three different ways: Add a text passage within the corresponding text placeholder on the slide layout. To do that, just put the cursor within the placeholder and type in your text or paste it using the Ctrl+V key combination instead of the default text. Add a text passage anywhere on a slide. You can insert a text box (a rectangular frame that allows you to enter some text within it) or a Text Art object (a text box with a predefined font style and color that allows you to apply some text effects). Depending on the necessary text object type, you can do the following: to add a text box, click the Text Box icon on the Home or Insert tab of the top toolbar, then click where you want to insert the text box, hold the mouse button and drag the text box border to specify its size. When you release the mouse button, the insertion point will appear in the added text box, allowing you to enter your text. It's also possible to insert a text box by clicking the Shape icon on the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon on the Insert tab of the top toolbar, then click on the desired style template – the Text Art object will be added in the center of the slide. Select the default text within the text box with the mouse and replace it with your own text. Add a text passage within an autoshape. Select a shape and start typing your text. Click outside of the text object to apply the changes and return to the slide. The text within the text object is a part of the latter (when you move or rotate the text object, the text moves or rotates with it). As an inserted text object represents a rectangular frame (it has invisible text box borders by default) with text in it and this frame is a common autoshape, you can change both the shape and text properties. To delete the added text object, click on the text box border and press the Delete key. The text within the text box will also be deleted. Format a text box Select the text box by clicking on its border to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines. to resize, move, rotate the text box, use the special handles on the edges of the shape. to edit the text box fill, line, replace the rectangular box with a different shape, or access the shape advanced settings, click the Shape settings icon on the right sidebar and use the corresponding options. to align a text box on the slide, rotate or flip it, arrange text boxes as related to other objects, right-click on the text box border and use the contextual menu options. to create columns of text within the text box, click the corresponding icon on the text formatting toolbar and choose the preferable option, or right-click on the text box border, click the Shape Advanced Settings option and switch to the Columns tab in the Shape - Advanced Settings window. Format the text within the text box Click the text within the text box to change its properties. When the text is selected, the text box borders are displayed as dashed lines. Note: it's also possible to change text formatting when the text box (not the text itself) is selected. In such a case, any changes will be applied to the whole text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to the previously selected part of the text separately. Align your text within the text box The text is aligned horizontally in four ways: left, right, center or justified. To do that: place the cursor to the position where you want the alignment to be applied (this can be a new line or already entered text), drop-down the Horizontal align list on the Home tab of the top toolbar, select the alignment type you would like to apply: the Align text left option allows you to line up your text on the left side of the text box (the right side remains unaligned). the Align text center option allows you to line up your text in the center of the text box (the right and the left sides remains unaligned). the Align text right option allows you to line up your text on the right side of the text box (the left side remains unaligned). the Justify option allows you to line up your text both on the left and on the right sides of the text box (additional spacing is added where necessary to keep the alignment). Note: these parameters can also be found in the Paragraph - Advanced Settings window. The text is aligned vertically in three ways: top, middle or bottom. To do that: place the cursor to the position where you want the alignment to be applied (this can be a new line or already entered text), drop-down the Vertical align list on the Home tab of the top toolbar, select the alignment type you would like to apply: the Align text to the top option allows you to line up your text to the top of the text box. the Align text to the middle option allows you to line up your text in the center of the text box. the Align text to the bottom option allows you to line up your text to the bottom of the text box. Change the text direction To Rotate the text within the text box, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (selected by default), Rotate Text Down (used to set a vertical direction, from top to bottom) or Rotate Text Up (used to set a vertical direction, from bottom to top). Adjust font type, size, color and apply decoration styles You can select the font type, its size and color as well as apply various font decoration styles using the corresponding icons situated on the Home tab of the top toolbar. Note: in case you want to apply the formatting to the text already present in the presentation, select it with the mouse or using the keyboard and apply the formatting. You can also place the mouse cursor within the necessary word to apply the formatting to this word only. Font Used to select one of the fonts from the list of the available ones. If the required font is not available in the list, you can download and install it on your operating system, and the font will be available for use in the desktop version. Font size Used to choose from the preset font size values in the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value up to 300 pt in the font size field. Press Enter to confirm. Increment font size Used to change the font size making it one point bigger each time the button is pressed. Decrement font size Used to change the font size making it one point smaller each time the button is pressed. Change case Used to change the font case. Sentence case. - the case matches that of a common sentence. lowercase - all letters are small. UPPERCASE - all letters are capital. Capitalize Each Word - each word starts with a capital letter. tOGGLE cASE - reverse the case of the selected text or the word where the mouse cursor is positioned. Highlight color Used to mark separate sentences, phrases, words, or even characters by adding a color band that imitates the highlighter pen effect throughout the text. You can select the required part of the text and click the downward arrow next to the icon to select a color in the palette (this color set does not depend on the selected Color scheme and includes 16 colors) - the color will be applied to the selected text. Alternatively, you can first choose a highlight color and then start selecting the text with the mouse - the mouse pointer will look like this and you'll be able to highlight several different parts of your text sequentially. To stop highlighting, just click the icon once again. To delete the highlight color, choose the No Fill option. Font color Used to change the color of the letters/characters in the text. Click the downward arrow next to the icon to select the color. Bold Used to make the font bold giving it a heavier appearance. Italic Used to make the font slightly slanted to the right. Underline Used to make the text underlined with a line going under the letters. Strikeout Used to make the text struck out with a line going through the letters. Superscript Used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript Used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. Set line spacing and change paragraph indents You can set the line height for the text lines within the paragraph as well as the margins between the current and the previous or the following paragraph. To do that, put the cursor within the required paragraph or select several paragraphs with the mouse, use the corresponding fields of the Text settings tab on the right sidebar to achieve the desired results: Line Spacing - set the line height for the text lines within the paragraph. You can select among three options: at least (sets the minimum line spacing that is needed to fit the largest font or graphic on the line), multiple (sets line spacing that can be expressed in numbers greater than 1), exactly (sets fixed line spacing). You can specify the necessary value in the field on the right. Paragraph Spacing - set the amount of space between paragraphs. Before - set the amount of space before the paragraph. After - set the amount of space after the paragraph. Note: these parameters can also be found in the Paragraph - Advanced Settings window. To quickly change the current paragraph line spacing, you can also use the Line spacing icon on the Home tab of the top toolbar selecting the required value from the list: 1.0, 1.15, 1.5, 2.0, 2.5, or 3.0 lines. To change the paragraph offset from the left side of the text box, put the cursor within the required paragraph, or select several paragraphs with the mouse and use the respective icons on the Home tab of the top toolbar: Decrease indent and Increase indent . Adjust paragraph advanced settings To open the Paragraph - Advanced Settings window, right-click the text and choose the Text Advanced Settings option from the menu. It's also possible to put the cursor within the required paragraph - the Text settings tab will be activated on the right sidebar. Press the Show advanced settings link. The paragraph properties window will be opened: The Indents & Spacing tab allows you to: change the alignment type for the paragraph text, change the paragraph indents as related to internal margins of the text box, Left - set the paragraph offset from the left internal margin of the text box specifying the necessary numeric value, Right - set the paragraph offset from the right internal margin of the text box specifying the necessary numeric value, Special - set an indent for the first line of the paragraph: select the corresponding menu item ((none), First line, Hanging) and change the default numeric value specified for First Line or Hanging, change the paragraph line spacing. You can also use the horizontal ruler to set indents. Select the necessary paragraph(s) and drag the indent markers along the ruler. First Line Indent marker is used to set the offset from the left internal margin of the text box for the first line of the paragraph. Hanging Indent marker is used to set the offset from the left internal margin of the text box for the second and all the subsequent lines of the paragraph. Left Indent marker is used to set the entire paragraph offset from the left internal margin of the text box. Right Indent marker is used to set the paragraph offset from the right internal margin of the text box. Note: if you don't see the rulers, switch to the Home tab of the top toolbar, click the View settings icon at the upper right corner and uncheck the Hide Rulers option to display them. The Font tab contains the following parameters: Strikethrough is used to make the text struck out with a line going through the letters. Double strikethrough is used to make the text struck out with a double line going through the letters. Superscript is used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. Small caps is used to make all letters lower case. All caps is used to make all letters upper case. Character Spacing is used to set the space between the characters. Increase the default value to apply the Expanded spacing, or decrease the default value to apply the Condensed spacing. Use the arrow buttons or enter the necessary value in the box. All the changes will be displayed in the preview field below. The Tab tab allows you to change tab stops i.e. the position the cursor advances to when you press the Tab key. Default Tab is set at 2.54 cm. You can decrease or increase this value using the arrow buttons or enter the necessary one in the box. Tab Position - is used to set custom tab stops. Enter the necessary value in this box, adjust it more precisely using the arrow buttons and press the Specify button. Your custom tab position will be added to the list in the field below. Alignment - is used to set the necessary alignment type for each of the tab positions in the list above. Select the necessary tab position in the list, choose the Left, Center or Right option from the Alignment drop-down list and press the Specify button. Left - lines up your text on the left side at the tab stop position; the text moves to the right from the tab stop as you type. Such a tab stop will be indicated on the horizontal ruler by the marker. Center - centres the text at the tab stop position. Such a tab stop will be indicated on the horizontal ruler by the marker. Right - lines up your text on the right side at the tab stop position; the text moves to the left from the tab stop as you type. Such a tab stop will be indicated on the horizontal ruler by the marker. To delete tab stops from the list, select a tab stop and press the Remove or Remove All button. To set tab stops, you can also use the horizontal ruler: Click the tab selector button in the upper left corner of the working area to choose the necessary tab stop type: Left , Center , Right . Click on the bottom edge of the ruler where you want to place the tab stop. Drag it along the ruler to change its position. To remove the added tab stop, drag it out of the ruler. Note: if you don't see the rulers, switch to the Home tab of the top toolbar, click the View settings icon at the upper right corner and uncheck the Hide Rulers option to display them. Edit a Text Art style Select a text object and click the Text Art settings icon on the right sidebar. Change the applied text style selecting a new Template from the gallery. You can also change the basic style additionally by selecting a different font type, size etc. Change the font fill and line. The available options are the same as the ones for autoshapes. Apply a text effect by selecting the necessary text transformation type from the Transform gallery. You can adjust the degree of the text distortion by dragging the pink diamond-shaped handle." }, { "id": "UsageInstructions/ManageSlides.htm", diff --git a/apps/presentationeditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm b/apps/presentationeditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm index e1a108e0d..3abbc6222 100644 --- a/apps/presentationeditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm +++ b/apps/presentationeditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm @@ -14,7 +14,7 @@

Cree una presentación nueva o abra la existente

-

Para crear una nueva presentación

+

Para crear una nueva presentación

En el editor en línea

    @@ -32,7 +32,7 @@
-

Para abrir una presentación existente

+

Para abrir una presentación existente

En el editor de escritorio

  1. en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda,
  2. @@ -42,7 +42,7 @@

    Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella.

-

Para abrir una presentación recientemente editada

+

Para abrir una presentación recientemente editada

En el editor en línea

    diff --git a/apps/presentationeditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm index d05d75491..e8570ded7 100644 --- a/apps/presentationeditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
    1. haga clic en la pestaña Archivo en la barra de herramientas superior,
    2. seleccione la opción Guardar como...,
    3. -
    4. elija uno de los formatos disponibles: PPTX, ODP, PDF, PDFA. También puede seleccionar la opción Plantilla de presentación (POTX o OTP).
    5. +
    6. elija uno de los formatos disponibles: PPTX, ODP, PDF, PDF/A. También puede seleccionar la opción Plantilla de presentación (POTX o OTP).
diff --git a/apps/presentationeditor/main/resources/help/es/editor.css b/apps/presentationeditor/main/resources/help/es/editor.css index fb0013f79..cf91b6c92 100644 --- a/apps/presentationeditor/main/resources/help/es/editor.css +++ b/apps/presentationeditor/main/resources/help/es/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/presentationeditor/main/resources/help/es/images/document_language.png b/apps/presentationeditor/main/resources/help/es/images/document_language.png index 4fb48ec51..380b889d8 100644 Binary files a/apps/presentationeditor/main/resources/help/es/images/document_language.png and b/apps/presentationeditor/main/resources/help/es/images/document_language.png differ diff --git a/apps/presentationeditor/main/resources/help/es/images/fitslide.png b/apps/presentationeditor/main/resources/help/es/images/fitslide.png index 61d79799b..c015aa783 100644 Binary files a/apps/presentationeditor/main/resources/help/es/images/fitslide.png and b/apps/presentationeditor/main/resources/help/es/images/fitslide.png differ diff --git a/apps/presentationeditor/main/resources/help/es/images/fitwidth.png b/apps/presentationeditor/main/resources/help/es/images/fitwidth.png index eae730c65..745cfe89f 100644 Binary files a/apps/presentationeditor/main/resources/help/es/images/fitwidth.png and b/apps/presentationeditor/main/resources/help/es/images/fitwidth.png differ diff --git a/apps/presentationeditor/main/resources/help/es/images/zoomin.png b/apps/presentationeditor/main/resources/help/es/images/zoomin.png index e2eeea6a3..55fb7d391 100644 Binary files a/apps/presentationeditor/main/resources/help/es/images/zoomin.png and b/apps/presentationeditor/main/resources/help/es/images/zoomin.png differ diff --git a/apps/presentationeditor/main/resources/help/es/images/zoomout.png b/apps/presentationeditor/main/resources/help/es/images/zoomout.png index 60ac9a97d..1c4a45fac 100644 Binary files a/apps/presentationeditor/main/resources/help/es/images/zoomout.png and b/apps/presentationeditor/main/resources/help/es/images/zoomout.png differ diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm index 2ba8d0e06..7227901d3 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm @@ -16,7 +16,7 @@

À propos de Presentation Editor

Presentation Editor est une application en ligne qui vous permet de parcourir et de modifier des présentations dans votre navigateur.

En utilisant Presentation Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les présentations modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format PPTX, PDF, ODP, POTX, PDF/A, OTP.

-

Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône L'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la versionde bureau, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme.

+

Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône L'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE.

\ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm index dcd669ccf..e39931f27 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertText.htm @@ -79,7 +79,7 @@

Ajuster le type de police, la taille, la couleur et appliquer les styles de décoration

Vous pouvez sélectionner le type, la taille et la couleur de police et appliquer l'un des styles de décoration en utilisant les icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure.

-

Remarque: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavieret appliquez la mise en forme.

+

Remarque: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavieret appliquez la mise en forme. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme.

Font
Change case Change caseUsed to change the font case. Sentence case. - the case matches that of a common sentence. lowercase - all letters are small. UPPERCASE - all letters are capital. Capitalize Each Word - each word starts with a capital letter. tOGGLE cASE - reverse the case of the selected text.Used to change the font case. Sentence case. - the case matches that of a common sentence. lowercase - all letters are small. UPPERCASE - all letters are capital. Capitalize Each Word - each word starts with a capital letter. tOGGLE cASE - reverse the case of the selected text or the word where the mouse cursor is positioned.
Highlight color
@@ -104,7 +104,7 @@ - + diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm index 50c06687d..4bf222cc9 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
  2. sélectionnez l'option Enregistrer sous...,
  3. -
  4. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, ODP, PDF, PDFA. Vous pouvez également choisir l'option Modèle de présentation (POTX or OTP).
  5. +
  6. sélectionnez l'un des formats disponibles selon vos besoins: PPTX, ODP, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de présentation (POTX or OTP).
diff --git a/apps/presentationeditor/main/resources/help/fr/editor.css b/apps/presentationeditor/main/resources/help/fr/editor.css index 443ea7b42..0927a3895 100644 --- a/apps/presentationeditor/main/resources/help/fr/editor.css +++ b/apps/presentationeditor/main/resources/help/fr/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/presentationeditor/main/resources/help/fr/search/indexes.js b/apps/presentationeditor/main/resources/help/fr/search/indexes.js index 062541023..158e014c0 100644 --- a/apps/presentationeditor/main/resources/help/fr/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/fr/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "À propos de Presentation Editor", - "body": "Presentation Editor est une application en ligne qui vous permet de parcourir et de modifier des présentations dans votre navigateur . En utilisant Presentation Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les présentations modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format PPTX, PDF, ODP, POTX, PDF/A, OTP. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la versionde bureau, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme." + "body": "Presentation Editor est une application en ligne qui vous permet de parcourir et de modifier des présentations dans votre navigateur . En utilisant Presentation Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les présentations modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format PPTX, PDF, ODP, POTX, PDF/A, OTP. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -158,7 +158,7 @@ var indexes = { "id": "UsageInstructions/InsertText.htm", "title": "Insérer et mettre en forme votre texte", - "body": "Insérer votre texte Dans Presentation Editor, vous pouvez ajouter un nouveau texte de trois manières différentes: Ajoutez un passage de texte dans l'espace réservé de texte correspondant inclus dans la présentation de diapositive. Pour ce faire, placez simplement le curseur dans l'espace réservé et tapez votre texte ou collez-le en utilisant la combinaison de touches Ctrl+V à la place du texte par défaut correspondant. Ajoutez un passage de texte n'importe où sur une diapositive. Vous pouvez insérer une zone de texte (un cadre rectangulaire qui permet de saisir du texte) ou un objet Text Art (une zone de texte avec un style de police et une couleur prédéfinis permettant d'appliquer certains effets de texte). Selon le type d'objet textuel voulu, vous pouvez effectuer les opérations suivantes: Pour ajouter une zone de texte, cliquez sur l'icône Zone de texte dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, puis cliquez sur l'emplacement où vous souhaitez insérer la zone de texte, maintenez le bouton de la souris enfoncé et faites glisser la bordure pour définir sa taille. Lorsque vous relâchez le bouton de la souris, le point d'insertion apparaîtra dans la zone de texte ajoutée, vous permettant d'entrer votre texte. Il est également possible d'insérer une zone de texte en cliquant sur l'icône Forme dans la barre d'outils supérieure et en sélectionnant la forme dans le groupe Formes de base. Pour ajouter un objet Text Art, cliquez sur l'icône Text Art sous l'onglet Insertion dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. Ajouter un passage de texte dans une forme automatique. Sélectionnez une forme et commencez à taper votre texte. Cliquez en dehors de l'objet texte pour appliquer les modifications et revenir à la diapositive. Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi). Comme un objet texte inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte. Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé. Mettre en forme une zone de texte Sélectionnez la zone de texte en cliquant sur sa bordure pour pouvoir modifier ses propriétés. Lorsque la zone de texte est sélectionnée, ses bordures sont affichées en tant que lignes pleines (non pointillées). Pour redimensionner, déplacer, faire pivoter la zone de texte, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contourou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramèteres avancés de forme, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. pour aligner une zone de texte sur la diapositive, la faire pivoter ou la retourner, organiser des zones de texte par rapport à d'autres objets, cliquez avec le bouton droit sur la bordure de la zone de texte et utilisez les options de menu contextuel. pour créer des colonnes de texte dans la zone de texte, cliquez sur l'icône appropriée de la barre de mise en forme du texte et choisissez l'option appropriée, ou cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez sur Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés. Mettre en forme le texte dans la zone de texte Cliquez sur le texte dans la zone de texte pour pouvoir modifier ses propriétés. Lorsque le texte est sélectionné, les bordures de la zone de texte sont affichées en lignes pointillées. Remarque: il est également possible de modifier le formatage du texte lorsque la zone de texte (et non le texte lui-même) est sélectionnée. Dans ce cas, toutes les modifications seront appliquées à tout le texte dans la zone de texte. Certaines options de mise en forme de police (type de police, taille, couleur et styles de décoration) peuvent être appliquées séparément à une partie du texte précédemment sélectionnée. Aligner le texte dans la zone de texte Le texte peut être aligné horizontalement de quatre façons : aligné à gauche, centré, aligné à droite et justifié. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement horizontal dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte à gauche vous permet d'aligner votre texte sur le côté gauche de la zone de texte (le côté droit reste non aligné). l'option Aligner le texte au centre vous permet d'aligner votre texte au centre de la zone de texte (les côtés droit et gauche ne sont pas alignés). l'option Aligner le texte à droite vous permet d'aligner votre texte sur le côté droit de la zone de texte (le côté gauche reste non aligné). l'option Justifier vous permet d'aligner votre texte par les côtés gauche et droit de la zone de texte (l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Le texte peut être aligné verticalement de trois façons: haut, milieu ou bas. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement vertical dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte en haut vous permet d'aligner votre texte sur le haut de la zone de texte. l'option Aligner le texte au milieu vous permet d'aligner votre texte au centre de la zone de texte. l'option Aligner le texte en bas vous permet d'aligner votre texte au bas de la zone de texte. Changer la direction du texte Pour Faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Ajuster le type de police, la taille, la couleur et appliquer les styles de décoration Vous pouvez sélectionner le type, la taille et la couleur de police et appliquer l'un des styles de décoration en utilisant les icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Remarque: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavieret appliquez la mise en forme. Police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante, les valeurs par défaut sont: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police jusqu'à 300 pt. Appuyer sur la touche Entrée pour confirmer Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grande à un point chaque fois que vous appuyez sur le bouton. Diminuer la taille de la police Sert à modifier la taille de la police en la rendant plus petite à un point chaque fois que vous appuyez sur le bouton. Modifier la casse Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres MAJUSCULES - mettre en majuscule toutes les lettres Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot Inverser la casse - basculer entre d'affichages de la casse du texte. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (cet ensemble de couleurs ne dépend pas du Jeux de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Pour enlever la mise en surbrillance, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. Couleur de police Sert à changer la couleur des lettres /caractères dans le texte. Cliquez sur la flèche vers le bas à côté de l'icône pour sélectionner la couleur. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Exposant Sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice Sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Définir l'interligne et modifier les retraits de paragraphe Vous pouvez définir l'interligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et le précédent ou le suivant. Pour ce faire, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes avec la souris, utilisez les champs correspondants de l'onglet Paramètres de texte dans la barre latérale droite pour obtenir les résultats nécessaires: Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options: Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes. Pour modifier le décalage de paragraphe du côté gauche de la zone de texte, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes à l'aide de la souris et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure: Réduire le retrait et Augmenter le retrait . Configurer les paramètres avancés du paragraphe Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du texte dans le menu. Il est également possible de placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du texte devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. La fenêtre paramètres du paragraphe s'ouvre: L'onglet Retrait et emplacement permet de: modifier le type d'alignement du paragraphe, modifier les retraits du paragraphe par rapport aux marges internes de la zone de texte, A gauche - spécifiez le décalage du paragraphe de la marge interne gauche de la zone de texte et saisissez la valeur numérique appropriée, A droite - spécifiez le décalage du paragraphe de la marge interne droite de la zone de texte et saisissez la valeur numérique appropriée, Spécial - spécifier le retrait de première ligne du paragraphe: sélectionnez l'élément approprié du menu ((aucun), Première ligne, Suspendu) et modifiez la valeur numérique par défaut pour les options Première ligne ou Suspendu, modifiez l'interligne du paragraphe. Vous pouvez également utilisez la règle horizontale pour changer les retraits. Sélectionnez le(s) paragraphe(s) et faites glisser les marqueurs tout au long de la règle Le marqueur Retrait de première ligne sert à définir le décalage de la marge interne gauche de la zone de texte pour la première ligne du paragraphe. Le marqueur Retrait suspendu sert à définir le décalage de la marge interne gauche de la zone de texte pour la deuxième ligne et toutes les lignes suivantes du paragraphe. Le marqueur Retrait de gauche sert à définir le décalage du paragraphe de la marge interne gauche de la zone de texte. Le marqueur Retrait de droite sert à définir le décalage du paragraphe de la marge interne droite de la zone de texte. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. L'onglet Police comporte les paramètres suivants: Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement des caractères sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Tous les changements seront affichés dans le champ de prévisualisation ci-dessous. L'onglet Tabulation vous permet de changer des taquets de tabulation c'est-à-dire l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. La Tabulation par défaut est 2.54 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans la zone. Position sert à personnaliser les taquets de tabulation. Saisissez la valeur nécessaire dans ce champ, réglez-la en utilisant les boutons à flèche et cliquez sur le bouton Spécifier. La position du taquet de tabulation personnalisée sera ajoutée à la liste dans le champ au-dessous. Alignement sert à définir le type d'alignement pour chaque taquet de tabulation de la liste. Sélectionnez le taquet nécessaire dans la liste, choisissez l'option De gauche, De centre ou De droite dans la liste déroulante Alignement et cliquez sur le bouton Spécifier. De gauche sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de tabulation . Du centre - sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . De droite - sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste. Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale: Cliquez sur le bouton de sélection de tabulation dans le coin supérieur gauche de la zone de travail pour choisir le type d'arrêt de tabulation requis: À gauche , Au centre , À droite . Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art dans la barre latérale de droite. Modifiez le style de texte appliqué en sélectionnant un nouveau Modèle dans la galerie. Vous pouvez également modifier le style de base en sélectionnant un type de police différent, une autre taille, etc. Changez le remplissage et le contour de police. Les options disponibles sont les mêmes que pour les formes automatiques. Appliquez un effet de texte en sélectionnant le type de transformation de texte voulu dans la galerie Transformation. Vous pouvez ajuster le degré de distorsion du texte en faisant glisser la poignée en forme de diamant rose." + "body": "Insérer votre texte Dans Presentation Editor, vous pouvez ajouter un nouveau texte de trois manières différentes: Ajoutez un passage de texte dans l'espace réservé de texte correspondant inclus dans la présentation de diapositive. Pour ce faire, placez simplement le curseur dans l'espace réservé et tapez votre texte ou collez-le en utilisant la combinaison de touches Ctrl+V à la place du texte par défaut correspondant. Ajoutez un passage de texte n'importe où sur une diapositive. Vous pouvez insérer une zone de texte (un cadre rectangulaire qui permet de saisir du texte) ou un objet Text Art (une zone de texte avec un style de police et une couleur prédéfinis permettant d'appliquer certains effets de texte). Selon le type d'objet textuel voulu, vous pouvez effectuer les opérations suivantes: Pour ajouter une zone de texte, cliquez sur l'icône Zone de texte dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, puis cliquez sur l'emplacement où vous souhaitez insérer la zone de texte, maintenez le bouton de la souris enfoncé et faites glisser la bordure pour définir sa taille. Lorsque vous relâchez le bouton de la souris, le point d'insertion apparaîtra dans la zone de texte ajoutée, vous permettant d'entrer votre texte. Il est également possible d'insérer une zone de texte en cliquant sur l'icône Forme dans la barre d'outils supérieure et en sélectionnant la forme dans le groupe Formes de base. Pour ajouter un objet Text Art, cliquez sur l'icône Text Art sous l'onglet Insertion dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. Ajouter un passage de texte dans une forme automatique. Sélectionnez une forme et commencez à taper votre texte. Cliquez en dehors de l'objet texte pour appliquer les modifications et revenir à la diapositive. Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi). Comme un objet texte inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte. Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé. Mettre en forme une zone de texte Sélectionnez la zone de texte en cliquant sur sa bordure pour pouvoir modifier ses propriétés. Lorsque la zone de texte est sélectionnée, ses bordures sont affichées en tant que lignes pleines (non pointillées). Pour redimensionner, déplacer, faire pivoter la zone de texte, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contourou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramèteres avancés de forme, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. pour aligner une zone de texte sur la diapositive, la faire pivoter ou la retourner, organiser des zones de texte par rapport à d'autres objets, cliquez avec le bouton droit sur la bordure de la zone de texte et utilisez les options de menu contextuel. pour créer des colonnes de texte dans la zone de texte, cliquez sur l'icône appropriée de la barre de mise en forme du texte et choisissez l'option appropriée, ou cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez sur Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés. Mettre en forme le texte dans la zone de texte Cliquez sur le texte dans la zone de texte pour pouvoir modifier ses propriétés. Lorsque le texte est sélectionné, les bordures de la zone de texte sont affichées en lignes pointillées. Remarque: il est également possible de modifier le formatage du texte lorsque la zone de texte (et non le texte lui-même) est sélectionnée. Dans ce cas, toutes les modifications seront appliquées à tout le texte dans la zone de texte. Certaines options de mise en forme de police (type de police, taille, couleur et styles de décoration) peuvent être appliquées séparément à une partie du texte précédemment sélectionnée. Aligner le texte dans la zone de texte Le texte peut être aligné horizontalement de quatre façons : aligné à gauche, centré, aligné à droite et justifié. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement horizontal dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte à gauche vous permet d'aligner votre texte sur le côté gauche de la zone de texte (le côté droit reste non aligné). l'option Aligner le texte au centre vous permet d'aligner votre texte au centre de la zone de texte (les côtés droit et gauche ne sont pas alignés). l'option Aligner le texte à droite vous permet d'aligner votre texte sur le côté droit de la zone de texte (le côté gauche reste non aligné). l'option Justifier vous permet d'aligner votre texte par les côtés gauche et droit de la zone de texte (l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Le texte peut être aligné verticalement de trois façons: haut, milieu ou bas. Pour le faire: placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi), faites dérouler la liste Alignement vertical dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer: l'option Aligner le texte en haut vous permet d'aligner votre texte sur le haut de la zone de texte. l'option Aligner le texte au milieu vous permet d'aligner votre texte au centre de la zone de texte. l'option Aligner le texte en bas vous permet d'aligner votre texte au bas de la zone de texte. Changer la direction du texte Pour Faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Ajuster le type de police, la taille, la couleur et appliquer les styles de décoration Vous pouvez sélectionner le type, la taille et la couleur de police et appliquer l'un des styles de décoration en utilisant les icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Remarque: si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavieret appliquez la mise en forme. Vous pouvez aussi positionner le curseur de la souris sur le mot à mettre en forme. Police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante, les valeurs par défaut sont: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police jusqu'à 300 pt. Appuyer sur la touche Entrée pour confirmer Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grande à un point chaque fois que vous appuyez sur le bouton. Diminuer la taille de la police Sert à modifier la taille de la police en la rendant plus petite à un point chaque fois que vous appuyez sur le bouton. Modifier la casse Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres. MAJUSCULES - mettre en majuscule toutes les lettres. Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot. Inverser la casse - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (cet ensemble de couleurs ne dépend pas du Jeux de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Pour enlever la mise en surbrillance, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. Couleur de police Sert à changer la couleur des lettres /caractères dans le texte. Cliquez sur la flèche vers le bas à côté de l'icône pour sélectionner la couleur. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Exposant Sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice Sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Définir l'interligne et modifier les retraits de paragraphe Vous pouvez définir l'interligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et le précédent ou le suivant. Pour ce faire, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes avec la souris, utilisez les champs correspondants de l'onglet Paramètres de texte dans la barre latérale droite pour obtenir les résultats nécessaires: Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options: Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes. Pour modifier le décalage de paragraphe du côté gauche de la zone de texte, placez le curseur dans le paragraphe de votre choix ou sélectionnez plusieurs paragraphes à l'aide de la souris et utilisez les icônes correspondantes dans l'onglet Accueil de la barre d'outils supérieure: Réduire le retrait et Augmenter le retrait . Configurer les paramètres avancés du paragraphe Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du texte dans le menu. Il est également possible de placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du texte devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. La fenêtre paramètres du paragraphe s'ouvre: L'onglet Retrait et emplacement permet de: modifier le type d'alignement du paragraphe, modifier les retraits du paragraphe par rapport aux marges internes de la zone de texte, A gauche - spécifiez le décalage du paragraphe de la marge interne gauche de la zone de texte et saisissez la valeur numérique appropriée, A droite - spécifiez le décalage du paragraphe de la marge interne droite de la zone de texte et saisissez la valeur numérique appropriée, Spécial - spécifier le retrait de première ligne du paragraphe: sélectionnez l'élément approprié du menu ((aucun), Première ligne, Suspendu) et modifiez la valeur numérique par défaut pour les options Première ligne ou Suspendu, modifiez l'interligne du paragraphe. Vous pouvez également utilisez la règle horizontale pour changer les retraits. Sélectionnez le(s) paragraphe(s) et faites glisser les marqueurs tout au long de la règle Le marqueur Retrait de première ligne sert à définir le décalage de la marge interne gauche de la zone de texte pour la première ligne du paragraphe. Le marqueur Retrait suspendu sert à définir le décalage de la marge interne gauche de la zone de texte pour la deuxième ligne et toutes les lignes suivantes du paragraphe. Le marqueur Retrait de gauche sert à définir le décalage du paragraphe de la marge interne gauche de la zone de texte. Le marqueur Retrait de droite sert à définir le décalage du paragraphe de la marge interne droite de la zone de texte. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. L'onglet Police comporte les paramètres suivants: Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, par exemple comme dans les fractions. Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement des caractères sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Tous les changements seront affichés dans le champ de prévisualisation ci-dessous. L'onglet Tabulation vous permet de changer des taquets de tabulation c'est-à-dire l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. La Tabulation par défaut est 2.54 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans la zone. Position sert à personnaliser les taquets de tabulation. Saisissez la valeur nécessaire dans ce champ, réglez-la en utilisant les boutons à flèche et cliquez sur le bouton Spécifier. La position du taquet de tabulation personnalisée sera ajoutée à la liste dans le champ au-dessous. Alignement sert à définir le type d'alignement pour chaque taquet de tabulation de la liste. Sélectionnez le taquet nécessaire dans la liste, choisissez l'option De gauche, De centre ou De droite dans la liste déroulante Alignement et cliquez sur le bouton Spécifier. De gauche sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de tabulation . Du centre - sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . De droite - sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste. Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale: Cliquez sur le bouton de sélection de tabulation dans le coin supérieur gauche de la zone de travail pour choisir le type d'arrêt de tabulation requis: À gauche , Au centre , À droite . Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. Remarque: si vous ne voyez pas les règles, passez à l'onglet Accueil de la barre d'outils supérieure, cliquez sur l'icône Paramètres d'affichage dans le coin supérieur droit et décochez l'option Masquer les règles pour les afficher. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art dans la barre latérale de droite. Modifiez le style de texte appliqué en sélectionnant un nouveau Modèle dans la galerie. Vous pouvez également modifier le style de base en sélectionnant un type de police différent, une autre taille, etc. Changez le remplissage et le contour de police. Les options disponibles sont les mêmes que pour les formes automatiques. Appliquez un effet de texte en sélectionnant le type de transformation de texte voulu dans la galerie Transformation. Vous pouvez ajuster le degré de distorsion du texte en faisant glisser la poignée en forme de diamant rose." }, { "id": "UsageInstructions/ManageSlides.htm", diff --git a/apps/presentationeditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm b/apps/presentationeditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm index 24e151c5c..36331edfd 100644 --- a/apps/presentationeditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm +++ b/apps/presentationeditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm @@ -14,7 +14,7 @@

Create a new presentation or open an existing one

-

To create a new presentation

+

To create a new presentation

In the online editor

    @@ -32,7 +32,7 @@
-

To open an existing presentation

+

To open an existing presentation

In the desktop editor

  1. in the main program window, select the Open local file menu item at the left sidebar,
  2. @@ -42,7 +42,7 @@

    All the directories that you have accessed using the desktop editor will be displayed in the Recent folders list so that you can quickly access them afterwards. Click the necessary folder to select one of the files stored in it.

-

To open a recently edited presentation

+

To open a recently edited presentation

In the online editor

    diff --git a/apps/presentationeditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm index 6d5339cef..fb8f2e4f5 100644 --- a/apps/presentationeditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
    1. click the File tab of the top toolbar,
    2. select the Save as... option,
    3. -
    4. choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDFA. You can also choose the Рresentation template (POTX or OTP) option.
    5. +
    6. choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDF/A. You can also choose the Рresentation template (POTX or OTP) option.
diff --git a/apps/presentationeditor/main/resources/help/it/editor.css b/apps/presentationeditor/main/resources/help/it/editor.css index 9a4fc74bf..80985ff8a 100644 --- a/apps/presentationeditor/main/resources/help/it/editor.css +++ b/apps/presentationeditor/main/resources/help/it/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -148,7 +148,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/presentationeditor/main/resources/help/it/images/document_language.png b/apps/presentationeditor/main/resources/help/it/images/document_language.png index 4fb48ec51..380b889d8 100644 Binary files a/apps/presentationeditor/main/resources/help/it/images/document_language.png and b/apps/presentationeditor/main/resources/help/it/images/document_language.png differ diff --git a/apps/presentationeditor/main/resources/help/it/images/fitslide.png b/apps/presentationeditor/main/resources/help/it/images/fitslide.png index 61d79799b..c015aa783 100644 Binary files a/apps/presentationeditor/main/resources/help/it/images/fitslide.png and b/apps/presentationeditor/main/resources/help/it/images/fitslide.png differ diff --git a/apps/presentationeditor/main/resources/help/it/images/fitwidth.png b/apps/presentationeditor/main/resources/help/it/images/fitwidth.png index eae730c65..745cfe89f 100644 Binary files a/apps/presentationeditor/main/resources/help/it/images/fitwidth.png and b/apps/presentationeditor/main/resources/help/it/images/fitwidth.png differ diff --git a/apps/presentationeditor/main/resources/help/it/images/zoomin.png b/apps/presentationeditor/main/resources/help/it/images/zoomin.png index e2eeea6a3..55fb7d391 100644 Binary files a/apps/presentationeditor/main/resources/help/it/images/zoomin.png and b/apps/presentationeditor/main/resources/help/it/images/zoomin.png differ diff --git a/apps/presentationeditor/main/resources/help/it/images/zoomout.png b/apps/presentationeditor/main/resources/help/it/images/zoomout.png index 60ac9a97d..1c4a45fac 100644 Binary files a/apps/presentationeditor/main/resources/help/it/images/zoomout.png and b/apps/presentationeditor/main/resources/help/it/images/zoomout.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm index 6dd634f00..4d27895c4 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm @@ -17,7 +17,7 @@

Редактор презентаций - это онлайн-приложение, которое позволяет просматривать и редактировать презентации непосредственно в браузере.

Используя онлайн-редактор презентаций, можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные презентации, сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF, ODP, POTX, PDF/A, OTP.

-

Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку Значок О программе на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения.

+

Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку Значок О программе на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE.

\ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm index 95b486ec7..ab4882802 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm @@ -79,7 +79,7 @@

Настройка типа, размера, цвета шрифта и применение стилей оформления

Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов.

-

Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование.

+

Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову.

Police
Modifier la casse Modifier la casseSert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres MAJUSCULES - mettre en majuscule toutes les lettres Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot Inverser la casse - basculer entre d'affichages de la casse du texte.Sert à modifier la casse du texte. Majuscule en début de phrase - la casse à correspondre la casse de la proposition ordinaire. minuscule - mettre en minuscule toutes les lettres. MAJUSCULES - mettre en majuscule toutes les lettres. Mettre en majuscule chaque mot - mettre en majuscule la première lettre de chaque mot. Inverser la casse - basculer entre d'affichages de la casse du texte ou le mot sur lequel le curseur de la souris est positionné.
Couleur de surlignage
@@ -104,7 +104,7 @@ - + diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index e1cce6439..da2f23d56 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. нажмите на вкладку Файл на верхней панели инструментов,
  2. выберите опцию Сохранить как,
  3. -
  4. выберите один из доступных форматов: PPTX, ODP, PDF, PDFA. Также можно выбрать вариант Шаблон презентации POTX или OTP.
  5. +
  6. выберите один из доступных форматов: PPTX, ODP, PDF, PDF/A. Также можно выбрать вариант Шаблон презентации POTX или OTP.
diff --git a/apps/presentationeditor/main/resources/help/ru/editor.css b/apps/presentationeditor/main/resources/help/ru/editor.css index 108b9b531..ffb4d3b01 100644 --- a/apps/presentationeditor/main/resources/help/ru/editor.css +++ b/apps/presentationeditor/main/resources/help/ru/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/presentationeditor/main/resources/help/ru/search/indexes.js b/apps/presentationeditor/main/resources/help/ru/search/indexes.js index 59e316102..ccd16da61 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/ru/search/indexes.js @@ -3,7 +3,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе презентаций", - "body": "Редактор презентаций - это онлайн- приложение, которое позволяет просматривать и редактировать презентации непосредственно в браузере . Используя онлайн- редактор презентаций, можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные презентации, сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF, ODP, POTX, PDF/A, OTP. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения." + "body": "Редактор презентаций - это онлайн- приложение, которое позволяет просматривать и редактировать презентации непосредственно в браузере . Используя онлайн- редактор презентаций, можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные презентации, сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF, ODP, POTX, PDF/A, OTP. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -138,7 +138,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", @@ -153,7 +153,7 @@ var indexes = { "id": "UsageInstructions/InsertText.htm", "title": "Вставка и форматирование текста", - "body": "Вставка текста Новый текст можно добавить тремя разными способами: Добавить фрагмент текста внутри соответствующей текстовой рамки, предусмотренной на макете слайда. Для этого установите курсор внутри текстовой рамки и напишите свой текст или вставьте его, используя сочетание клавиш Ctrl+V, вместо соответствующего текста по умолчанию. Добавить фрагмент текста в любом месте на слайде. Можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). В зависимости от требуемого типа текстового объекта можно сделать следующее: чтобы добавить текстовое поле, щелкните по значку Надпись на вкладке Главная или Вставка верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на вкладке Вставка верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре слайда. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. Добавить фрагмент текста внутри автофигуры. Выделите фигуру и начинайте печатать текст. Щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к слайду. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку (у нее по умолчанию невидимые границы) с текстом внутри, а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, контур текстового поля, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на слайде, повернуть или отразить поле, расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Выравнивание текста внутри текстового поля Горизонтально текст выравнивается четырьмя способами: по левому краю, по правому краю, по центру или по ширине. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Горизонтальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по левому краю позволяет выровнять текст по левому краю текстового поля (правый край остается невыровненным). опция Выравнивание текста по центру позволяет выровнять текст по центру текстового поля (правый и левый края остаются невыровненными). опция Выравнивание текста по правому краю позволяет выровнять текст по правому краю текстового поля (левый край остается невыровненным). опция Выравнивание текста по ширине позволяет выровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Вертикально текст выравнивается тремя способами: по верхнему краю, по середине или по нижнему краю. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Вертикальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по верхнему краю позволяет выровнять текст по верхнему краю текстового поля. опция Выравнивание текста по середине позволяет выровнять текст по центру текстового поля. опция Выравнивание текста по нижнему краю позволяет выровнять текст по нижнему краю текстового поля. Изменение направления текста Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Настройка типа, размера, цвета шрифта и применение стилей оформления Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение до 300 пунктов в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Изменить регистр Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет шрифта Используется для изменения цвета букв/символов в тексте. Для выбора цвета нажмите направленную вниз стрелку рядом со значком. Полужирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Задание междустрочного интервала и изменение отступов абзацев Можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Для этого: установите курсор в пределах нужного абзаца, или выделите мышью несколько абзацев, используйте соответствующие поля вкладки Параметры текста на правой боковой панели, чтобы добиться нужного результата: Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из трех опций: минимум (устанавливает минимальный междустрочный интервал, который требуется, чтобы соответствовать самому крупному шрифту или графическому элементу на строке), множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки. Чтобы изменить смещение абзаца от левого края текстового поля, установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев и используйте соответствующие значки на вкладке Главная верхней панели инструментов: Уменьшить отступ и Увеличить отступ . Изменение дополнительных параметров абзаца Чтобы открыть окно Абзац - Дополнительные параметры, щелкните по тексту правой кнопкой мыши и выберите в контекстном меню пункт Дополнительные параметры текста. Также можно установить курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и интервалы можно выполнить следующие действия: изменить тип выравнивания текста внутри абзаца, изменить отступы абзаца от внутренних полей текстового объекта, Слева - задайте смещение всего абзаца от левого внутреннего поля текстового блока, указав нужное числовое значение, Справа - задайте смещение всего абзаца от правого внутреннего поля текстового блока, указав нужное числовое значение, Первая строка - задайте отступ для первой строки абзаца, выбрав соответствующий пункт меню ((нет), Отступ, Выступ) и изменив числовое значение для Отступа или Выступа, заданное по умолчанию, изменить междустрочный интервал внутри абзаца. Чтобы задать отступы, можно также использовать горизонтальную линейку. Выделите нужный абзац или абзацы и перетащите маркеры отступов по линейке. Маркер отступа первой строки используется, чтобы задать смещение от левого внутреннего поля текстового объекта для первой строки абзаца. Маркер выступа используется, чтобы задать смещение от левого внутреннего поля текстового объекта для второй и всех последующих строк абзаца. Маркер отступа слева используется, чтобы задать смещение от левого внутреннего поля текстового объекта для всего абзаца. Маркер отступа справа используется, чтобы задать смещение абзаца от правого внутреннего поля текстового объекта. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция табуляции По умолчанию имеет значение 2.54 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите в выпадающем списке Выравнивание опцию По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Для установки позиций табуляции можно также использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области: По левому краю , По центру , По правому краю . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и контур шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." + "body": "Вставка текста Новый текст можно добавить тремя разными способами: Добавить фрагмент текста внутри соответствующей текстовой рамки, предусмотренной на макете слайда. Для этого установите курсор внутри текстовой рамки и напишите свой текст или вставьте его, используя сочетание клавиш Ctrl+V, вместо соответствующего текста по умолчанию. Добавить фрагмент текста в любом месте на слайде. Можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). В зависимости от требуемого типа текстового объекта можно сделать следующее: чтобы добавить текстовое поле, щелкните по значку Надпись на вкладке Главная или Вставка верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на вкладке Вставка верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре слайда. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. Добавить фрагмент текста внутри автофигуры. Выделите фигуру и начинайте печатать текст. Щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к слайду. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку (у нее по умолчанию невидимые границы) с текстом внутри, а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, контур текстового поля, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на слайде, повернуть или отразить поле, расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Выравнивание текста внутри текстового поля Горизонтально текст выравнивается четырьмя способами: по левому краю, по правому краю, по центру или по ширине. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Горизонтальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по левому краю позволяет выровнять текст по левому краю текстового поля (правый край остается невыровненным). опция Выравнивание текста по центру позволяет выровнять текст по центру текстового поля (правый и левый края остаются невыровненными). опция Выравнивание текста по правому краю позволяет выровнять текст по правому краю текстового поля (левый край остается невыровненным). опция Выравнивание текста по ширине позволяет выровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Вертикально текст выравнивается тремя способами: по верхнему краю, по середине или по нижнему краю. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Вертикальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по верхнему краю позволяет выровнять текст по верхнему краю текстового поля. опция Выравнивание текста по середине позволяет выровнять текст по центру текстового поля. опция Выравнивание текста по нижнему краю позволяет выровнять текст по нижнему краю текстового поля. Изменение направления текста Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Настройка типа, размера, цвета шрифта и применение стилей оформления Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Также можно поместить курсор мыши в нужное слово, чтобы применить форматирование только к этому слову. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение до 300 пунктов в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Изменить регистр Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста или слова, в котором находится курсор мыши. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет шрифта Используется для изменения цвета букв/символов в тексте. Для выбора цвета нажмите направленную вниз стрелку рядом со значком. Полужирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Задание междустрочного интервала и изменение отступов абзацев Можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Для этого: установите курсор в пределах нужного абзаца, или выделите мышью несколько абзацев, используйте соответствующие поля вкладки Параметры текста на правой боковой панели, чтобы добиться нужного результата: Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из трех опций: минимум (устанавливает минимальный междустрочный интервал, который требуется, чтобы соответствовать самому крупному шрифту или графическому элементу на строке), множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки. Чтобы изменить смещение абзаца от левого края текстового поля, установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев и используйте соответствующие значки на вкладке Главная верхней панели инструментов: Уменьшить отступ и Увеличить отступ . Изменение дополнительных параметров абзаца Чтобы открыть окно Абзац - Дополнительные параметры, щелкните по тексту правой кнопкой мыши и выберите в контекстном меню пункт Дополнительные параметры текста. Также можно установить курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и интервалы можно выполнить следующие действия: изменить тип выравнивания текста внутри абзаца, изменить отступы абзаца от внутренних полей текстового объекта, Слева - задайте смещение всего абзаца от левого внутреннего поля текстового блока, указав нужное числовое значение, Справа - задайте смещение всего абзаца от правого внутреннего поля текстового блока, указав нужное числовое значение, Первая строка - задайте отступ для первой строки абзаца, выбрав соответствующий пункт меню ((нет), Отступ, Выступ) и изменив числовое значение для Отступа или Выступа, заданное по умолчанию, изменить междустрочный интервал внутри абзаца. Чтобы задать отступы, можно также использовать горизонтальную линейку. Выделите нужный абзац или абзацы и перетащите маркеры отступов по линейке. Маркер отступа первой строки используется, чтобы задать смещение от левого внутреннего поля текстового объекта для первой строки абзаца. Маркер выступа используется, чтобы задать смещение от левого внутреннего поля текстового объекта для второй и всех последующих строк абзаца. Маркер отступа слева используется, чтобы задать смещение от левого внутреннего поля текстового объекта для всего абзаца. Маркер отступа справа используется, чтобы задать смещение абзаца от правого внутреннего поля текстового объекта. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция табуляции По умолчанию имеет значение 2.54 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите в выпадающем списке Выравнивание опцию По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Для установки позиций табуляции можно также использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области: По левому краю , По центру , По правому краю . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и контур шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." }, { "id": "UsageInstructions/ManageSlides.htm", diff --git a/apps/presentationeditor/main/resources/less/app.less b/apps/presentationeditor/main/resources/less/app.less index 0ae16d046..0b848f56b 100644 --- a/apps/presentationeditor/main/resources/less/app.less +++ b/apps/presentationeditor/main/resources/less/app.less @@ -206,7 +206,7 @@ left: 0; right: 0; bottom: 0; - background: rgb(226, 226, 226); + background: @canvas-background; .slide-h { display: flex; diff --git a/apps/spreadsheeteditor/main/app/controller/Main.js b/apps/spreadsheeteditor/main/app/controller/Main.js index d6cea0b00..347b68ff7 100644 --- a/apps/spreadsheeteditor/main/app/controller/Main.js +++ b/apps/spreadsheeteditor/main/app/controller/Main.js @@ -1062,7 +1062,7 @@ define([ if (Asc.c_oLicenseResult.ExpiredLimited === licType) this._state.licenseType = licType; - if ( this.onServerVersion(params.asc_getBuildVersion()) ) return; + if ( this.onServerVersion(params.asc_getBuildVersion()) || !this.onLanguageLoaded() ) return; if (params.asc_getRights() !== Asc.c_oRights.Edit) this.permissions.edit = false; @@ -2552,6 +2552,18 @@ define([ this.getApplication().getController('DocumentHolder').getView().focus(); }, + onLanguageLoaded: function() { + if (!Common.Locale.getCurrentLanguage()) { + Common.UI.warning({ + msg: this.errorLang, + buttons: [], + closable: false + }); + return false; + } + return true; + }, + leavePageText: 'You have unsaved changes in this document. Click \'Stay on this Page\' then \'Save\' to save them. Click \'Leave this Page\' to discard all the unsaved changes.', criticalErrorTitle: 'Error', notcriticalErrorTitle: 'Warning', @@ -2952,6 +2964,7 @@ define([ errorPivotWithoutUnderlying: 'The Pivot Table report was saved without the underlying data.
Use the \'Refresh\' button to update the report.', txtQuarter: 'Qtr', txtOr: '%1 or %2', + errorLang: 'The interface language is not loaded.
Please contact your Document Server administrator.', confirmReplaceFormulaInTable: 'Formulas in the header row will be removed and converted to static text.
Do you want to continue?' } })(), SSE.Controllers.Main || {})) diff --git a/apps/spreadsheeteditor/main/app/controller/Toolbar.js b/apps/spreadsheeteditor/main/app/controller/Toolbar.js index 47e2e43e8..92881e950 100644 --- a/apps/spreadsheeteditor/main/app/controller/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/controller/Toolbar.js @@ -2175,6 +2175,10 @@ define([ toolbar.listStyles.resumeEvents(); this._state.prstyle = undefined; } + + if ( this.appConfig.isDesktopApp && this.appConfig.canProtect ) { + this.getApplication().getController('Common.Controllers.Protection').SetDisabled(is_cell_edited, false); + } } else { if (state == Asc.c_oAscCellEditorState.editText) var is_text = true, is_formula = false; else if (state == Asc.c_oAscCellEditorState.editFormula) is_text = !(is_formula = true); else diff --git a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js index b9bbfbf16..6b269fb32 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js @@ -2247,7 +2247,7 @@ define([ Common.UI.BaseView.prototype.initialize.call(this,arguments); this.menu = options.menu; - this.urlPref = 'resources/help/en/'; + this.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; this.en_data = [ {"src": "ProgramInterface/ProgramInterface.htm", "name": "Introducing Spreadsheet Editor user interface", "headername": "Program Interface"}, @@ -2349,12 +2349,12 @@ define([ var config = { dataType: 'json', error: function () { - if ( me.urlPref.indexOf('resources/help/en/')<0 ) { - me.urlPref = 'resources/help/en/'; - store.url = 'resources/help/en/Contents.json'; + if ( me.urlPref.indexOf('resources/help/{{DEFAULT_LANG}}/')<0 ) { + me.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; + store.url = 'resources/help/{{DEFAULT_LANG}}/Contents.json'; store.fetch(config); } else { - me.urlPref = 'resources/help/en/'; + me.urlPref = 'resources/help/{{DEFAULT_LANG}}/'; store.reset(me.en_data); } }, diff --git a/apps/spreadsheeteditor/main/app/view/FormulaWizard.js b/apps/spreadsheeteditor/main/app/view/FormulaWizard.js index 0ea3115c8..2bcb0f506 100644 --- a/apps/spreadsheeteditor/main/app/view/FormulaWizard.js +++ b/apps/spreadsheeteditor/main/app/view/FormulaWizard.js @@ -465,7 +465,7 @@ define([ me.helpUrl = url; me.showHelp(); } else { - lang = 'en'; + lang = '{{DEFAULT_LANG}}'; url = 'resources/help/' + lang + name; fetch(url).then(function(response){ if ( response.ok ) { diff --git a/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js b/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js index cdb1d7e90..077cd3092 100644 --- a/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js +++ b/apps/spreadsheeteditor/main/app/view/HeaderFooterDialog.js @@ -273,7 +273,7 @@ define([ parentEl: $('#id-dlg-h-presets'), cls: 'btn-text-menu-default', caption: this.textPresets, - style: 'width: 110px;', + style: 'width: 115px;', menu: true }); @@ -281,7 +281,7 @@ define([ parentEl: $('#id-dlg-f-presets'), cls: 'btn-text-menu-default', caption: this.textPresets, - style: 'width: 110px;', + style: 'width: 115px;', menu: true }); @@ -298,9 +298,9 @@ define([ parentEl: $('#id-dlg-h-insert'), cls: 'btn-text-menu-default', caption: this.textInsert, - style: 'width: 110px;', + style: 'width: 115px;', menu: new Common.UI.Menu({ - style: 'min-width: 110px;', + style: 'min-width: 115px;', maxHeight: 200, additionalAlign: this.menuAddAlign, items: data @@ -313,9 +313,9 @@ define([ parentEl: $('#id-dlg-f-insert'), cls: 'btn-text-menu-default', caption: this.textInsert, - style: 'width: 110px;', + style: 'width: 115px;', menu: new Common.UI.Menu({ - style: 'min-width: 110px;', + style: 'min-width: 115px;', maxHeight: 200, additionalAlign: this.menuAddAlign, items: data @@ -376,9 +376,9 @@ define([ this.cmbFontSize.push(new Common.UI.ComboBox({ el: $('#id-dlg-h-font-size'), cls: 'input-group-nr', - style: 'width: 55px;', + style: 'width: 45px;', menuCls : 'scrollable-menu', - menuStyle: 'min-width: 55px;max-height: 270px;', + menuStyle: 'min-width: 45px;max-height: 270px;', hint: this.tipFontSize, data: data })); @@ -392,9 +392,9 @@ define([ this.cmbFontSize.push(new Common.UI.ComboBox({ el: $('#id-dlg-f-font-size'), cls: 'input-group-nr', - style: 'width: 55px;', + style: 'width: 45px;', menuCls : 'scrollable-menu', - menuStyle: 'min-width: 55px;max-height: 270px;', + menuStyle: 'min-width: 45px;max-height: 270px;', hint: this.tipFontSize, data: data })); @@ -662,14 +662,14 @@ define([ }); this.btnPresetsH.setMenu(new Common.UI.Menu({ - style: 'min-width: 110px;', + style: 'min-width: 115px;', maxHeight: 200, additionalAlign: this.menuAddAlign, items: presets })); this.btnPresetsH.menu.on('item:click', _.bind(this.onPresetSelect, this, false)); this.btnPresetsF.setMenu(new Common.UI.Menu({ - style: 'min-width: 110px;', + style: 'min-width: 115px;', maxHeight: 200, additionalAlign: this.menuAddAlign, items: presets diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index 6d72fb6e2..095969a02 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
  2. Wählen Sie die Option Speichern als....
  3. -
  4. Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDFA. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen.
  5. +
  6. Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDF/A. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen.
diff --git a/apps/spreadsheeteditor/main/resources/help/de/editor.css b/apps/spreadsheeteditor/main/resources/help/de/editor.css index 443ea7b42..0927a3895 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/de/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/xlookup.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/xlookup.htm index 5def33286..f54a04a73 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/Functions/xlookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/xlookup.htm @@ -18,11 +18,11 @@

The XLOOKUP function syntax is:

XLOOKUP (lookup_value, lookup_array, return_array, [if_not_found], [match_mode], [search_mode])

where

-

lookup-value is a value to search for.

+

lookup_value is a value to search for.

lookup_array is an array or range to search in.

return_array is an array or range to return the results to.

if_not_found is an optional argument. If there is no search result, the argument returns the text stated in [if_not_found]. In case the text is not specified, the “N/A” is returned.

-

match_mode is an optional argument. +

match_mode is an optional argument. The following values are available:

-

search_mode is an optional argument. +

search_mode is an optional argument. The following values are available:

\ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm index fb6601d52..c2de0a497 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm @@ -15,41 +15,53 @@

Align data in cells

In the Spreadsheet Editor, you can align data horizontally and vertically or even rotate data within a cell. To do that, select a cell or a cell range with the mouse or the whole worksheet by pressing the Ctrl+A key combination. You can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. Then perform one of the following operations using the icons situated on the Home tab of the top toolbar.

- +

Cell Settings

+ diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm index 8ff449fb5..95fe05a28 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm @@ -150,6 +150,12 @@
  • By - set the required interval for grouping numbers. E.g., “2” will group the set of numbers from 1 through 10 as “1-2”, “3-4”, etc.
  • Click OK when finished.
  • +

    Ungrouping data

    +

    To ungroup previously grouped data,

    +
      +
    1. right-click any cell that is in the group,
    2. +
    3. select the Ungroup option in the context menu.
    4. +

    Change the appearance of pivot tables

    You can use options available on the top toolbar to adjust the way your pivot table is displayed. These options are applied to the entire pivot table.

    diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index a2e239fbe..7c13ee3c0 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
    1. click the File tab of the top toolbar,
    2. select the Save as... option,
    3. -
    4. choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDFA. You can also choose the Spreadsheet template (XLTX or OTS) option.
    5. +
    6. choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDF/A. You can also choose the Spreadsheet template (XLTX or OTS) option.
    diff --git a/apps/spreadsheeteditor/main/resources/help/en/editor.css b/apps/spreadsheeteditor/main/resources/help/en/editor.css index 108b9b531..ffb4d3b01 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/en/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js index eaa2c0ae0..50f68c2e2 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js @@ -2258,7 +2258,7 @@ var indexes = { "id": "Functions/xlookup.htm", "title": "XLOOKUP Function", - "body": "The XLOOKUP function is one of the lookup and reference functions. It is used to perform the search for a specific item by row both horizontally and vertically. The result is returned in another column and can accommodate two-dimensional datasets. The XLOOKUP function syntax is: XLOOKUP (lookup_value, lookup_array, return_array, [if_not_found], [match_mode], [search_mode]) where lookup-value is a value to search for. lookup_array is an array or range to search in. return_array is an array or range to return the results to. if_not_found is an optional argument. If there is no search result, the argument returns the text stated in [if_not_found]. In case the text is not specified, the “N/A” is returned. match_mode is an optional argument. 0 (set by default) returns the exact match; if there is no match, the “N/A” is returned instead. -1 returns the exact match; if there is none, the next smaller item is returned. 1 returns the exact match; if there is none, the next larger item is returned. 2 is a wildcard match. search_mode is an optional argument. 1 starts a search at the first item (set by default). -1 starts a reverse search, i.e. at the last item. 2 starts a binary search with the lookup_array sorted in ascending order. If not sorted, invalid results will be returned. -2 starts a binary search with the lookup_array sorted in descending order. If not sorted, invalid results will be returned. Wildcard characters include the question mark (?) that matches a single character and the asterisk (*) that matches multiple characters. If you want to find a question mark or asterisk, type a tilde (~) before the character. To apply the XLOOKUP function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Lookup and Reference function group from the list, click the XLOOKUP function, enter the required arguments separating them by comma, press the Enter button. The result will be displayed in the selected cell." + "body": "The XLOOKUP function is one of the lookup and reference functions. It is used to perform the search for a specific item by row both horizontally and vertically. The result is returned in another column and can accommodate two-dimensional datasets. The XLOOKUP function syntax is: XLOOKUP (lookup_value, lookup_array, return_array, [if_not_found], [match_mode], [search_mode]) where lookup_value is a value to search for. lookup_array is an array or range to search in. return_array is an array or range to return the results to. if_not_found is an optional argument. If there is no search result, the argument returns the text stated in [if_not_found]. In case the text is not specified, the “N/A” is returned. match_mode is an optional argument. The following values are available: 0 (set by default) returns the exact match; if there is no match, the “N/A” is returned instead. -1 returns the exact match; if there is none, the next smaller item is returned. 1 returns the exact match; if there is none, the next larger item is returned. 2 is a wildcard match. search_mode is an optional argument. The following values are available: 1 starts a search at the first item (set by default). -1 starts a reverse search, i.e. at the last item. 2 starts a binary search with the lookup_array sorted in ascending order. If not sorted, invalid results will be returned. -2 starts a binary search with the lookup_array sorted in descending order. If not sorted, invalid results will be returned. Wildcard characters include the question mark (?) that matches a single character and the asterisk (*) that matches multiple characters. If you want to find a question mark or asterisk, type a tilde (~) before the character. To apply the XLOOKUP function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Lookup and Reference function group from the list, click the XLOOKUP function, enter the required arguments in the Function Arguments window, press the Enter button. The result will be displayed in the selected cell." }, { "id": "Functions/xnpv.htm", @@ -2308,7 +2308,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About Spreadsheet Editor", - "body": "The Spreadsheet Editor is an online application that allows you to edit spreadsheets directly in your browser . Using the Spreadsheet Editor, you can perform various editing operations like in any desktop editor, print the edited spreadsheets keeping all the formatting details or download them onto your computer hard disk drive as XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS file. To view the current version of the software and licensor details in the online version, click the About icon on the left sidebar. To view the current version of the software and licensor details in the desktop version, select the About menu item on the left sidebar of the main program window." + "body": "The Spreadsheet Editor is an online application that allows you to edit spreadsheets directly in your browser . Using the Spreadsheet Editor, you can perform various editing operations like in any desktop editor, print the edited spreadsheets keeping all the formatting details or download them onto your computer hard disk drive as XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS file. To view the current version of the software and licensor details in the online version, click the About icon on the left sidebar. To view the current version of the software and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -2423,7 +2423,7 @@ var indexes = { "id": "UsageInstructions/AlignText.htm", "title": "Align data in cells", - "body": "In the Spreadsheet Editor, you can align data horizontally and vertically or even rotate data within a cell. To do that, select a cell or a cell range with the mouse or the whole worksheet by pressing the Ctrl+A key combination. You can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. Then perform one of the following operations using the icons situated on the Home tab of the top toolbar. Apply one of the horizontal alignment styles to the data within a cell, click the Align left icon to align the data to the left side of the cell (the right side remains unaligned); click the Align center icon to align the data in the center of the cell (the right and the left sides remains unaligned); click the Align right icon to align the data to the right side of the cell (the left side remains unaligned); click the Justified icon to align the data both to the left and the right sides of the cell (additional spacing is added where necessary to keep the alignment). Change the vertical alignment of the data within a cell, click the Align top icon to align your data to the top of the cell; click the Align middle icon to align your data to the middle of the cell; click the Align bottom icon to align your data to the bottom of the cell. Change the angle of the data within a cell by clicking the Orientation icon and choosing one of the following options: use the Horizontal Text option to place the text horizontally (default option), use the Angle Counterclockwise option to place the text from the bottom left corner to the top right corner of a cell, use the Angle Clockwise option to place the text from the top left corner to the bottom right corner of a cell, use the Vertical text option to place the text vertically, use the Rotate Text Up option to place the text from bottom to top of a cell, use the Rotate Text Down option to place the text from top to bottom of a cell. Indent text within a cell using the Indent section on the Cell Settings right sidebar. Specify the value (i.e. the number of characters) by which the contents will be moved to the right. Rotate the text by an exactly specified angle, click the Cell settings icon on the right sidebar and use the Orientation. Enter the necessary value measured in degrees into the Angle field or adjust it using the arrows on the right. Fit your data to the column width by clicking the Wrap text icon on the Home tab of the top toolbar or by checking the Wrap text checkbox on the right sidebar. Note: if you change the column width, data wrapping adjusts automatically. Fit your data to the cell width by checking the Shrink to fit checkbox on the right sidebar. The contents of the cell will be reduced in size to such an extent that it can fit in it." + "body": "In the Spreadsheet Editor, you can align data horizontally and vertically or even rotate data within a cell. To do that, select a cell or a cell range with the mouse or the whole worksheet by pressing the Ctrl+A key combination. You can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. Then perform one of the following operations using the icons situated on the Home tab of the top toolbar. Apply one of the horizontal alignment styles to the data within a cell, click the Align left icon to align the data to the left side of the cell (the right side remains unaligned); click the Align center icon to align the data in the center of the cell (the right and the left sides remains unaligned); click the Align right icon to align the data to the right side of the cell (the left side remains unaligned); click the Justified icon to align the data both to the left and the right sides of the cell (additional spacing is added where necessary to keep the alignment). Change the vertical alignment of the data within a cell, click the Align top icon to align your data to the top of the cell; click the Align middle icon to align your data to the middle of the cell; click the Align bottom icon to align your data to the bottom of the cell. Change the angle of the data within a cell by clicking the Orientation icon and choosing one of the following options: use the Horizontal Text option to place the text horizontally (default option), use the Angle Counterclockwise option to place the text from the bottom left corner to the top right corner of a cell, use the Angle Clockwise option to place the text from the top left corner to the bottom right corner of a cell, use the Vertical text option to place the text vertically, use the Rotate Text Up option to place the text from bottom to top of a cell, use the Rotate Text Down option to place the text from top to bottom of a cell. Indent text within a cell using the Indent section on the Cell Settings right sidebar. Specify the value (i.e. the number of characters) by which the contents will be moved to the right. If you change the orientation of the text, indents will be reset. If you change indents for the rotated text, the orientation of the text will be reset. Indents can only be set if the horizontal or vertical text orientation is selected. Rotate the text by an exactly specified angle, click the Cell settings icon on the right sidebar and use the Orientation. Enter the necessary value measured in degrees into the Angle field or adjust it using the arrows on the right. Fit your data to the column width by clicking the Wrap text icon on the Home tab of the top toolbar or by checking the Wrap text checkbox on the right sidebar. If you change the column width, data wrapping adjusts automatically. Fit your data to the cell width by checking the Shrink to fit checkbox on the right sidebar. The contents of the cell will be reduced in size to such an extent that it can fit in it." }, { "id": "UsageInstructions/ChangeNumberFormat.htm", @@ -2548,7 +2548,7 @@ var indexes = { "id": "UsageInstructions/PivotTables.htm", "title": "Create and edit pivot tables", - "body": "Pivot tables allow you to group and arrange data of large data sets to get summarized information. In the Spreadsheet Editor you can reorganize data in many different ways to display only the necessary information and focus on important aspects. Create a new pivot table To create a pivot table, Prepare the source data set you want to use for creating a pivot table. It should include column headers. The data set should not contain empty rows or columns. Select any cell within the source data range. Switch to the Pivot Table tab of the top toolbar and click the Insert Table icon. If you want to create a pivot table on the base of a formatted table, you can also use the Insert pivot table option on the Table settings tab of the right sidebar. The Create Pivot Table window will appear. The Source data range is already specified. In this case, all data from the source data range will be used. If you want to change the data range (e.g. to include only a part of source data), click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range on the sheet using the mouse. When ready, click OK. Specify where you want to place the pivot table. The New worksheet option is selected by default. It allows you to place the pivot table in a new worksheet. You can also select the Existing worksheet option and choose a certain cell. In this case, the selected cell will be the upper right cell of the created pivot table. To select a cell, click the icon. In the Select Data Range window, enter the cell address in the following format: Sheet1!$G$2. You can also click the necessary cell in the sheet. When ready, click OK. When you select the pivot table location, click OK in the Create Table window. An empty pivot table will be inserted in the selected location. The Pivot table settings tab on the right sidebar will be opened. You can hide or display this tab by clicking the icon. Select fields to display The Select Fields section contains the fields named according to the column headers in your source data set. Each field contains values from the corresponding column of the source table. The following four sections are available below: Filters, Columns, Rows, and Values. Check the fields you want to display in the pivot table. When you check a field, it will be added to one of the available sections on the right sidebar depending on the data type and will be displayed in the pivot table. Fields containing text values will be added to the Rows section; fields containing numeric values will be added to the Values section. You can simply drag fields to the necessary section as well as drag the fields between sections to quickly reorganize your pivot table. To remove a field from the current section, drag it out of this section. In order to add a field to the necessary section, it's also possible to click the black arrow to the right of a field in the Select Fields section and choose the necessary option from the menu: Add to Filters, Add to Rows, Add to Columns, Add to Values. Below you can see some examples of using the Filters, Columns, Rows, and Values sections. If you add a field to the Filters section, a separate filter will be added above the pivot table. It will be applied to the entire pivot table. If you click the drop-down arrow in the added filter, you'll see the values from the selected field. When you uncheck some values in the filter option window and click OK, the unchecked values will not be displayed in the pivot table. If you add a field to the Columns section, the pivot table will contain a number of columns equal to the number of values from the selected field. The Grand Total column will also be added. If you add a field to the Rows section, the pivot table will contain a number of rows equal to the number of values from the selected field. The Grand Total row will also be added. If you add a field to the Values section, the pivot table will display the summation value for all numeric values from the selected field. If the field contains text values, the count of values will be displayed. The function used to calculate the summation value can be changed in the field settings. Rearrange fields and adjust their properties Once the fields are added to the necessary sections, you can manage them to change the layout and format of the pivot table. Click the black arrow to the right of a field within the Filters, Columns, Rows, or Values sections to access the field context menu. It allows you to: Move the selected field Up, Down, to the Beginning, or to the End of the current section if you have added more than one field to the current section. Move the selected field to a different section - to Filters, Columns, Rows, or Values. The option that corresponds to the current section will be disabled. Remove the selected field from the current section. Adjust the selected field settings. The Filters, Columns, and Rows field settings look similarly: The Layout tab contains the following options: The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Report Form section allows you to change the way the selected field is displayed in the pivot table: Choose the necessary layout for the selected field in the pivot table: The Tabular form displays one column for each field and provides space for field headers. The Outline form displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. The Compact form displays items from different row section fields in a single column. The Repeat items labels at each row option allows you to visually group rows or columns together if you have multiple fields in the tabular form. The Insert blank rows after each item option allows you to add blank lines after items of the selected field. The Show subtotals option allows you to choose if you want to display subtotals for the selected field. You can select one of the options: Show at top of group or Show at bottom of group. The Show items with no data option allows you to show or hide blank items in the selected field. The Subtotals tab allows you to choose Functions for Subtotals. Check the necessary functions in the list: Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Values field settings The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Summarize value field by list allows you to choose the function used to calculate the summation value for all values from this field. By default, Sum is used for numeric values, Count is used for text values. The available functions are Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Group and ungroup data Data in pivot tables can be grouped according to custom requirements. Grouping is available for dates and basic numbers. Grouping dates To group dates, create a pivot table incorporating a set of needed dates. Right click any cell in a pivot table with a date, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the first date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the starting point. Ending at - the last date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the ending point. By - the Seconds, Minutes, and Hours options group the data according to the time given in the source data. The Months option eliminates days and leaves months only. The Quarters option operates at a condition: four months constitute a quarter, thus providing Qtr1, Qtr2, etc. The Years option groups dates as per years given in the source data. Combine the options to achieve the needed result. Number of days - set the required value to determine a date range. Click OK when finished. Grouping numbers To group numbers, create a pivot table incorporating a set of needed numbers. Right click any cell in a pivot table with a number, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the smallest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the smallest number. Ending at - the largest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the largest number. By - set the required interval for grouping numbers. E.g., “2” will group the set of numbers from 1 through 10 as “1-2”, “3-4”, etc. Click OK when finished. Change the appearance of pivot tables You can use options available on the top toolbar to adjust the way your pivot table is displayed. These options are applied to the entire pivot table. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The Report Layout drop-down list allows you to choose the necessary layout for your pivot table: Show in Compact Form - allows you to display items from different row section fields in a single column. Show in Outline Form - allows you to display the pivot table in the classic pivot table style. It displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. Show in Tabular Form - allows you to display the pivot table in a traditional table format. It displays one column for each field and provides space for field headers. Repeat All Item Labels - allows you to visually group rows or columns together if you have multiple fields in the tabular form. Don't Repeat All Item Labels - allows you to hide item labels if you have multiple fields in the tabular form. The Blank Rows drop-down list allows you to choose if you want to display blank lines after items: Insert Blank Line after Each Item - allows you to add blank lines after items. Remove Blank Line after Each Item - allows you to remove the added blank lines. The Subtotals drop-down list allows you to choose if you want to display subtotals in the pivot table: Don't Show Subtotals - allows you to hide subtotals for all items. Show all Subtotals at Bottom of Group - allows you to display subtotals below the subtotaled rows. Show all Subtotals at Top of Group - allows you to display subtotals above the subtotaled rows. The Grand Totals drop-down list allows you to choose if you want to display grand totals in the pivot table: Off for Rows and Columns - allows you to hide grand totals for both rows and columns. On for Rows and Columns - allows you to display grand totals for both rows and columns. On for Rows Only - allows you to display grand totals for rows only. On for Columns Only - allows you to display grand totals for columns only. Note: the similar settings are also available in the pivot table advanced settings window in the Grand Totals section of the Name and Layout tab. The Select button allows you to select the entire pivot table. If you change the data in your source data set, select the pivot table and click the Refresh button to update the pivot table. Change the style of pivot tables You can change the appearance of pivot tables in a spreadsheet using the style editing tools available on the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The rows and columns options allow you to emphasize certain rows/columns applying specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Row Headers - allows you to highlight the row headers with special formatting. Column Headers - allows you to highlight the column headers with special formatting. Banded Rows - enables the background color alternation for odd and even rows. Banded Columns - enables the background color alternation for odd and even columns. The template list allows you to choose one of the predefined pivot table styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding, etc. Depending on the options checked for rows and columns, the templates set will be displayed differently. For example, if you've checked the Row Headers and Banded Columns options, the displayed templates list will include only templates with the row headers highlighted and banded columns enabled. Filter, sort and add slicers in pivot tables You can filter pivot tables by labels or values and use the additional sort parameters. Filtering Click the drop-down arrow in the Row Labels or Column Labels of the pivot table. The Filter option list will open: Adjust the filter parameters. You can proceed in one of the following ways: select the data to display or filter the data by certain criteria. Select the data to display Uncheck the boxes near the data you need to hide. For your convenience, all the data within the Filter option list are sorted in ascending order. Note: the (blank) checkbox corresponds to the empty cells. It is available if the selected cell range contains at least one empty cell. To facilitate the process, make use of the search field on the top. Enter your query, entirely or partially, in the field - the values that include these characters will be displayed in the list below. The following two options will be also available: Select All Search Results - is checked by default. It allows selecting all the values that correspond to your query in the list. Add current selection to filter - if you check this box, the selected values will not be hidden when you apply the filter. After you select all the necessary data, click the OK button in the Filter option list to apply the filter. Filter data by certain criteria You can choose either the Label filter or the Value filter option on the right side of the Filter options list, and then select one of the options from the submenu: For the Label filter the following options are available: For texts: Equals..., Does not equal..., Begins with..., Does not begin with..., Ends with..., Does not end with..., Contains..., Does not contain... For numbers: Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between. For the Value filter the following options are available: Equals..., Does not equal..., Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between, Top 10. After you select one of the above options (apart from Top 10), the Label/Value Filter window will open. The corresponding field and criterion will be selected in the first and second drop-down lists. Enter the necessary value in the field on the right. Click OK to apply the filter. If you choose the Top 10 option from the Value filter option list, a new window will open: The first drop-down list allows choosing if you wish to display the highest (Top) or the lowest (Bottom) values. The second field allows specifying how many entries from the list or which percent of the overall entries number you want to display (you can enter a number from 1 to 500). The third drop-down list allows setting the units of measure: Item, Percent, or Sum. The fourth drop-down list displays the selected field name. Once the necessary parameters are set, click OK to apply the filter. The Filter button will appear in the Row Labels or Column Labels of the pivot table. It means that the filter is applied. Sorting You can sort your pivot table data using the sort options. Click the drop-down arrow in the Row Labels or Column Labels of the pivot table and then select Sort Lowest to Highest or Sort Highest to Lowest option from the submenu. The More Sort Options option allows you to open the Sort window where you can select the necessary sorting order - Ascending or Descending - and then select a certain field you want to sort. Adding slicers You can add slicers to filter data easier by displaying only what is needed. To learn more about slicers, please read the guide on creating slicers. Adjust pivot table advanced settings To change the advanced settings of the pivot table, use the Show advanced settings link on the right sidebar. The 'Pivot Table - Advanced Settings' window will open: The Name and Layout tab allows you to change the pivot table common properties. The Name option allows you to change the pivot table name. The Grand Totals section allows you to choose if you want to display grand totals in the pivot table. The Show for rows and Show for columns options are checked by default. You can uncheck either one of them or both these options to hide the corresponding grand totals from your pivot table. Note: the similar settings are available on the top toolbar in the Grand Totals menu. The Display fields in report filter area section allows you to adjust the report filters which appear when you add fields to the Filters section: The Down, then over option is used for column arrangement. It allows you to show the report filters across the column. The Over, then down option is used for row arrangement. It allows you to show the report filters across the row. The Report filter fields per column option allows you to select the number of filters to go in each column. The default value is set to 0. You can set the necessary numeric value. The Field Headers section allows you to choose if you want to display field headers in your pivot table. The Show field headers for rows and columns option is selected by default. Uncheck it to hide field headers from your pivot table. The Data Source tab allows you to change the data you wish to use to create the pivot table. Check the selected Data Range and modify it, if necessary. To do that, click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range in the sheet using the mouse. When ready, click OK. The Alternative Text tab allows specifying the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the pivot table contains. Delete a pivot table To delete a pivot table, Select the entire pivot table using the Select button on the top toolbar. Press the Delete key." + "body": "Pivot tables allow you to group and arrange data of large data sets to get summarized information. In the Spreadsheet Editor you can reorganize data in many different ways to display only the necessary information and focus on important aspects. Create a new pivot table To create a pivot table, Prepare the source data set you want to use for creating a pivot table. It should include column headers. The data set should not contain empty rows or columns. Select any cell within the source data range. Switch to the Pivot Table tab of the top toolbar and click the Insert Table icon. If you want to create a pivot table on the base of a formatted table, you can also use the Insert pivot table option on the Table settings tab of the right sidebar. The Create Pivot Table window will appear. The Source data range is already specified. In this case, all data from the source data range will be used. If you want to change the data range (e.g. to include only a part of source data), click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range on the sheet using the mouse. When ready, click OK. Specify where you want to place the pivot table. The New worksheet option is selected by default. It allows you to place the pivot table in a new worksheet. You can also select the Existing worksheet option and choose a certain cell. In this case, the selected cell will be the upper right cell of the created pivot table. To select a cell, click the icon. In the Select Data Range window, enter the cell address in the following format: Sheet1!$G$2. You can also click the necessary cell in the sheet. When ready, click OK. When you select the pivot table location, click OK in the Create Table window. An empty pivot table will be inserted in the selected location. The Pivot table settings tab on the right sidebar will be opened. You can hide or display this tab by clicking the icon. Select fields to display The Select Fields section contains the fields named according to the column headers in your source data set. Each field contains values from the corresponding column of the source table. The following four sections are available below: Filters, Columns, Rows, and Values. Check the fields you want to display in the pivot table. When you check a field, it will be added to one of the available sections on the right sidebar depending on the data type and will be displayed in the pivot table. Fields containing text values will be added to the Rows section; fields containing numeric values will be added to the Values section. You can simply drag fields to the necessary section as well as drag the fields between sections to quickly reorganize your pivot table. To remove a field from the current section, drag it out of this section. In order to add a field to the necessary section, it's also possible to click the black arrow to the right of a field in the Select Fields section and choose the necessary option from the menu: Add to Filters, Add to Rows, Add to Columns, Add to Values. Below you can see some examples of using the Filters, Columns, Rows, and Values sections. If you add a field to the Filters section, a separate filter will be added above the pivot table. It will be applied to the entire pivot table. If you click the drop-down arrow in the added filter, you'll see the values from the selected field. When you uncheck some values in the filter option window and click OK, the unchecked values will not be displayed in the pivot table. If you add a field to the Columns section, the pivot table will contain a number of columns equal to the number of values from the selected field. The Grand Total column will also be added. If you add a field to the Rows section, the pivot table will contain a number of rows equal to the number of values from the selected field. The Grand Total row will also be added. If you add a field to the Values section, the pivot table will display the summation value for all numeric values from the selected field. If the field contains text values, the count of values will be displayed. The function used to calculate the summation value can be changed in the field settings. Rearrange fields and adjust their properties Once the fields are added to the necessary sections, you can manage them to change the layout and format of the pivot table. Click the black arrow to the right of a field within the Filters, Columns, Rows, or Values sections to access the field context menu. It allows you to: Move the selected field Up, Down, to the Beginning, or to the End of the current section if you have added more than one field to the current section. Move the selected field to a different section - to Filters, Columns, Rows, or Values. The option that corresponds to the current section will be disabled. Remove the selected field from the current section. Adjust the selected field settings. The Filters, Columns, and Rows field settings look similarly: The Layout tab contains the following options: The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Report Form section allows you to change the way the selected field is displayed in the pivot table: Choose the necessary layout for the selected field in the pivot table: The Tabular form displays one column for each field and provides space for field headers. The Outline form displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. The Compact form displays items from different row section fields in a single column. The Repeat items labels at each row option allows you to visually group rows or columns together if you have multiple fields in the tabular form. The Insert blank rows after each item option allows you to add blank lines after items of the selected field. The Show subtotals option allows you to choose if you want to display subtotals for the selected field. You can select one of the options: Show at top of group or Show at bottom of group. The Show items with no data option allows you to show or hide blank items in the selected field. The Subtotals tab allows you to choose Functions for Subtotals. Check the necessary functions in the list: Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Values field settings The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Summarize value field by list allows you to choose the function used to calculate the summation value for all values from this field. By default, Sum is used for numeric values, Count is used for text values. The available functions are Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Group and ungroup data Data in pivot tables can be grouped according to custom requirements. Grouping is available for dates and basic numbers. Grouping dates To group dates, create a pivot table incorporating a set of needed dates. Right click any cell in a pivot table with a date, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the first date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the starting point. Ending at - the last date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the ending point. By - the Seconds, Minutes, and Hours options group the data according to the time given in the source data. The Months option eliminates days and leaves months only. The Quarters option operates at a condition: four months constitute a quarter, thus providing Qtr1, Qtr2, etc. The Years option groups dates as per years given in the source data. Combine the options to achieve the needed result. Number of days - set the required value to determine a date range. Click OK when finished. Grouping numbers To group numbers, create a pivot table incorporating a set of needed numbers. Right click any cell in a pivot table with a number, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the smallest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the smallest number. Ending at - the largest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the largest number. By - set the required interval for grouping numbers. E.g., “2” will group the set of numbers from 1 through 10 as “1-2”, “3-4”, etc. Click OK when finished. Ungrouping data To ungroup previously grouped data, right-click any cell that is in the group, select the Ungroup option in the context menu. Change the appearance of pivot tables You can use options available on the top toolbar to adjust the way your pivot table is displayed. These options are applied to the entire pivot table. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The Report Layout drop-down list allows you to choose the necessary layout for your pivot table: Show in Compact Form - allows you to display items from different row section fields in a single column. Show in Outline Form - allows you to display the pivot table in the classic pivot table style. It displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. Show in Tabular Form - allows you to display the pivot table in a traditional table format. It displays one column for each field and provides space for field headers. Repeat All Item Labels - allows you to visually group rows or columns together if you have multiple fields in the tabular form. Don't Repeat All Item Labels - allows you to hide item labels if you have multiple fields in the tabular form. The Blank Rows drop-down list allows you to choose if you want to display blank lines after items: Insert Blank Line after Each Item - allows you to add blank lines after items. Remove Blank Line after Each Item - allows you to remove the added blank lines. The Subtotals drop-down list allows you to choose if you want to display subtotals in the pivot table: Don't Show Subtotals - allows you to hide subtotals for all items. Show all Subtotals at Bottom of Group - allows you to display subtotals below the subtotaled rows. Show all Subtotals at Top of Group - allows you to display subtotals above the subtotaled rows. The Grand Totals drop-down list allows you to choose if you want to display grand totals in the pivot table: Off for Rows and Columns - allows you to hide grand totals for both rows and columns. On for Rows and Columns - allows you to display grand totals for both rows and columns. On for Rows Only - allows you to display grand totals for rows only. On for Columns Only - allows you to display grand totals for columns only. Note: the similar settings are also available in the pivot table advanced settings window in the Grand Totals section of the Name and Layout tab. The Select button allows you to select the entire pivot table. If you change the data in your source data set, select the pivot table and click the Refresh button to update the pivot table. Change the style of pivot tables You can change the appearance of pivot tables in a spreadsheet using the style editing tools available on the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The rows and columns options allow you to emphasize certain rows/columns applying specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Row Headers - allows you to highlight the row headers with special formatting. Column Headers - allows you to highlight the column headers with special formatting. Banded Rows - enables the background color alternation for odd and even rows. Banded Columns - enables the background color alternation for odd and even columns. The template list allows you to choose one of the predefined pivot table styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding, etc. Depending on the options checked for rows and columns, the templates set will be displayed differently. For example, if you've checked the Row Headers and Banded Columns options, the displayed templates list will include only templates with the row headers highlighted and banded columns enabled. Filter, sort and add slicers in pivot tables You can filter pivot tables by labels or values and use the additional sort parameters. Filtering Click the drop-down arrow in the Row Labels or Column Labels of the pivot table. The Filter option list will open: Adjust the filter parameters. You can proceed in one of the following ways: select the data to display or filter the data by certain criteria. Select the data to display Uncheck the boxes near the data you need to hide. For your convenience, all the data within the Filter option list are sorted in ascending order. Note: the (blank) checkbox corresponds to the empty cells. It is available if the selected cell range contains at least one empty cell. To facilitate the process, make use of the search field on the top. Enter your query, entirely or partially, in the field - the values that include these characters will be displayed in the list below. The following two options will be also available: Select All Search Results - is checked by default. It allows selecting all the values that correspond to your query in the list. Add current selection to filter - if you check this box, the selected values will not be hidden when you apply the filter. After you select all the necessary data, click the OK button in the Filter option list to apply the filter. Filter data by certain criteria You can choose either the Label filter or the Value filter option on the right side of the Filter options list, and then select one of the options from the submenu: For the Label filter the following options are available: For texts: Equals..., Does not equal..., Begins with..., Does not begin with..., Ends with..., Does not end with..., Contains..., Does not contain... For numbers: Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between. For the Value filter the following options are available: Equals..., Does not equal..., Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between, Top 10. After you select one of the above options (apart from Top 10), the Label/Value Filter window will open. The corresponding field and criterion will be selected in the first and second drop-down lists. Enter the necessary value in the field on the right. Click OK to apply the filter. If you choose the Top 10 option from the Value filter option list, a new window will open: The first drop-down list allows choosing if you wish to display the highest (Top) or the lowest (Bottom) values. The second field allows specifying how many entries from the list or which percent of the overall entries number you want to display (you can enter a number from 1 to 500). The third drop-down list allows setting the units of measure: Item, Percent, or Sum. The fourth drop-down list displays the selected field name. Once the necessary parameters are set, click OK to apply the filter. The Filter button will appear in the Row Labels or Column Labels of the pivot table. It means that the filter is applied. Sorting You can sort your pivot table data using the sort options. Click the drop-down arrow in the Row Labels or Column Labels of the pivot table and then select Sort Lowest to Highest or Sort Highest to Lowest option from the submenu. The More Sort Options option allows you to open the Sort window where you can select the necessary sorting order - Ascending or Descending - and then select a certain field you want to sort. Adding slicers You can add slicers to filter data easier by displaying only what is needed. To learn more about slicers, please read the guide on creating slicers. Adjust pivot table advanced settings To change the advanced settings of the pivot table, use the Show advanced settings link on the right sidebar. The 'Pivot Table - Advanced Settings' window will open: The Name and Layout tab allows you to change the pivot table common properties. The Name option allows you to change the pivot table name. The Grand Totals section allows you to choose if you want to display grand totals in the pivot table. The Show for rows and Show for columns options are checked by default. You can uncheck either one of them or both these options to hide the corresponding grand totals from your pivot table. Note: the similar settings are available on the top toolbar in the Grand Totals menu. The Display fields in report filter area section allows you to adjust the report filters which appear when you add fields to the Filters section: The Down, then over option is used for column arrangement. It allows you to show the report filters across the column. The Over, then down option is used for row arrangement. It allows you to show the report filters across the row. The Report filter fields per column option allows you to select the number of filters to go in each column. The default value is set to 0. You can set the necessary numeric value. The Field Headers section allows you to choose if you want to display field headers in your pivot table. The Show field headers for rows and columns option is selected by default. Uncheck it to hide field headers from your pivot table. The Data Source tab allows you to change the data you wish to use to create the pivot table. Check the selected Data Range and modify it, if necessary. To do that, click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range in the sheet using the mouse. When ready, click OK. The Alternative Text tab allows specifying the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the pivot table contains. Delete a pivot table To delete a pivot table, Select the entire pivot table using the Select button on the top toolbar. Press the Delete key." }, { "id": "UsageInstructions/RemoveDuplicates.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm index 5d50ae46b..374432d3b 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/OpenCreateNew.htm @@ -14,7 +14,7 @@

    Cree una hoja de cálculo nueva o abra una que ya existe

    -
    Para crear una nueva hoja de cálculo
    +

    Para crear una nueva hoja de cálculo

    En el editor en línea

      @@ -32,7 +32,7 @@
    -
    Para abrir un documento existente
    +

    Para abrir un documento existente

    En el editor de escritorio

    1. en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda,
    2. @@ -42,7 +42,7 @@

      Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella.

    -
    Para abrir una hoja de cálculo recientemente editada
    +

    Para abrir una hoja de cálculo recientemente editada

    En el editor en línea

      diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm index 8d4f0712a..0161eec9a 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
      1. haga clic en la pestaña Archivo en la barra de herramientas superior,
      2. seleccione la opción Guardar como...,
      3. -
      4. elija uno de los formatos disponibles: XLSX, ODS, CSV, PDF, PDFA. También puede seleccionar la opción Plantilla de hoja de cálculo (XLTX o OTS).
      5. +
      6. elija uno de los formatos disponibles: XLSX, ODS, CSV, PDF, PDF/A. También puede seleccionar la opción Plantilla de hoja de cálculo (XLTX o OTS).
    diff --git a/apps/spreadsheeteditor/main/resources/help/es/editor.css b/apps/spreadsheeteditor/main/resources/help/es/editor.css index 443ea7b42..0927a3895 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/es/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/firstsheet.png b/apps/spreadsheeteditor/main/resources/help/es/images/firstsheet.png index f9f608214..11c93e804 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/firstsheet.png and b/apps/spreadsheeteditor/main/resources/help/es/images/firstsheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/lastsheet.png b/apps/spreadsheeteditor/main/resources/help/es/images/lastsheet.png index 45cef7eee..bcbed26ea 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/lastsheet.png and b/apps/spreadsheeteditor/main/resources/help/es/images/lastsheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/nextsheet.png b/apps/spreadsheeteditor/main/resources/help/es/images/nextsheet.png index 02fb28b7c..22aef2c03 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/nextsheet.png and b/apps/spreadsheeteditor/main/resources/help/es/images/nextsheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/previoussheet.png b/apps/spreadsheeteditor/main/resources/help/es/images/previoussheet.png index 27a20e75b..ff6b7738a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/previoussheet.png and b/apps/spreadsheeteditor/main/resources/help/es/images/previoussheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/zoomin.png b/apps/spreadsheeteditor/main/resources/help/es/images/zoomin.png index e2eeea6a3..55fb7d391 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/zoomin.png and b/apps/spreadsheeteditor/main/resources/help/es/images/zoomin.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/zoomout.png b/apps/spreadsheeteditor/main/resources/help/es/images/zoomout.png index 60ac9a97d..1c4a45fac 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/zoomout.png and b/apps/spreadsheeteditor/main/resources/help/es/images/zoomout.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/Functions/xlookup.htm b/apps/spreadsheeteditor/main/resources/help/fr/Functions/xlookup.htm index ed1df0098..1339bc034 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/Functions/xlookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/Functions/xlookup.htm @@ -22,7 +22,7 @@

    lookup_array est matrice ou plage à rechercher.

    return_array est matrice ou plage à renvoyer.

    if_not_found est un argument facultatif. Lorsqu'aucune résultat n'est trouvée, cet argument renvoie le texte [if_not_found] que vous définissez. Si le texte est manquant, la #N/A est renvoyée.

    -

    match_mode est un argument facultatif +

    match_mode est un argument facultatif. Les valeurs disponibles:

    -

    search_mode est un argument facultatif. +

    search_mode est un argument facultatif. Les valeurs disponibles:

    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AlignText.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AlignText.htm index 1dc280bfd..e184ae36b 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AlignText.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/AlignText.htm @@ -15,41 +15,50 @@

    Aligner les données dans une cellule

    Dans Spreadsheet Editor, vous pouvez aligner vos données horizontalement ou verticalement ou même les faire pivoter dans une cellule.. sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Remarque: vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure.

    - + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/PivotTables.htm index ea6c5384f..fdd236777 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/PivotTables.htm @@ -135,8 +135,8 @@
  • Commence à - la première date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le début.
  • Fin à - la dernière date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le fin.
  • Par - on peut grouper les dates par Secondes, Minutes et Heures selon l'heure spécifiée dans les données sources. L'option Mois enlève les jours et maintient uniquement les mois. L'option Quartiers fonctionne à la condition que quatre mois est un quartier, alors on fournit Qtr1, Qtr2, etc. L'option Années groupe les dates selon les années spécifiées dans les données source. Vous pouvez combiner plusieurs options pour obtenir le résultat souhaité,
  • -
  • Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période.
  • -
  • Cliquez sur OK pour valider.
  • +
  • Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période.
  • +
  • Cliquez sur OK pour valider.
  • Grouper des nombres

    Pour grouper les nombres, créez un tableau croisé dynamique comprenant l'ensemble de nombres en question. Cliquez avec le bouton droit sur l'une des cellules comprenant un nombre dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche.

    @@ -144,9 +144,15 @@ +

    Dissocier des données

    +

    Pour dissocier des données groupées,

    +
      +
    1. cliquez avec le bouton droit sur une cellule du groupe,
    2. +
    3. sélectionnez l'option Dissocier dans le menu contextuel.
    4. +

    Modifier la disposition d'un tableau croisé dynamique

    Vous pouvez utiliser les options disponibles dans la barre d'outils supérieure pour modifier le format du tableau croisé dynamique. Ces paramètres sont appliquées au tableau croisé dynamique entier.

    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm index 91fa93e89..2f8800b54 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
    1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
    2. sélectionnez l'option Enregistrer sous...,
    3. -
    4. sélectionnez l'un des formats disponibles selon vos besoins: XLSX, ODS, CSV, PDF, PDFA. Vous pouvez également choisir l'option Modèle de feuille de calcul (XLTX ou OTS) .
    5. +
    6. sélectionnez l'un des formats disponibles selon vos besoins: XLSX, ODS, CSV, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de feuille de calcul (XLTX ou OTS) .
    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/editor.css b/apps/spreadsheeteditor/main/resources/help/fr/editor.css index fb0013f79..cf91b6c92 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/fr/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/xlookup.png b/apps/spreadsheeteditor/main/resources/help/fr/images/xlookup.png new file mode 100644 index 000000000..063d5c4c0 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/xlookup.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js index 01744688f..5587a5693 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js @@ -2258,7 +2258,7 @@ var indexes = { "id": "Functions/xlookup.htm", "title": "Fonction XLOOKUP", - "body": "La fonction XLOOKUP (RECHERCHEX) est l'une des fonctions de recherche et de référence. Elle est utilisée pour rechercher des éléments par ligne verticalement et horizontalement. Cette fonction permet de renvoyer un résultat dans une autre colonne et de prendre en charge des feuilles de calcul à deux dimensions. Le syntaxe de la fonction XLOOKUP: XLOOKUP (lookup_value, lookup_array, return_array, [if_not_found], [match_mode], [search_mode]) où: valeur_cherchée est une valeur à chercher. lookup_array est matrice ou plage à rechercher. return_array est matrice ou plage à renvoyer. if_not_found est un argument facultatif. Lorsqu'aucune résultat n'est trouvée, cet argument renvoie le texte [if_not_found] que vous définissez. Si le texte est manquant, la #N/A est renvoyée. match_mode est un argument facultatif 0 (par défaut) renvoie une correspondance exacte, si aucune n'a été trouvée la #N/A est renvoyée. -1 renvoie une correspondance exacte, si aucune information n'a été trouvée, l'élément le plus petit suivant est renvoyé. 1 renvoie une correspondance exacte, si aucune information n'a été trouvée, l'élément plus grand suivant est renvoyé. 2 est une correspondance avec caractère générique. search_mode est un argument facultatif. 1 la recherche est effectuée à partir du premier élément (valeurnpar défaut). -1 une recherche inverse est effectuée, c-à-d à partir du dernier élément. 2 une recherche binaire est effectuée quand lookup_array est triée dans l'ordre croissant. S'il n'est pas trié, des résultats non valides seront renvoyés. -2 une recherche binaire est effectuée quand lookup_array est triée dans l'ordre décroissant. S'il n'est pas trié, des résultats non valides seront renvoyés. Des caractères génériques sont (?) le point d'interrogation pour rechercher un seul caractère et (*) l'astérisque pour rechercher plusieurs caractères. Quand vous recherchez le point d'interrogation ou l'astérisque, saisissez un tilde (~) avant le caractère. Pour appliquer la fonction XLOOKUP, sélectionnez la cellule où vous voulez afficher le résultat, appuyez sur l'icône Insérer une fonction de la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule et choisissez l'option Insérer une fonction dans le menu, ou cliquez sur l'icône de la barre de formule, sélectionnez le groupe de fonctions Recherche et référence depuis la liste, cliquez sur la fonction XLOOKUP, insérez les arguments nécessaires en les séparant par des virgules, appuyez sur la touche Entrée. Le résultat s'affiche dans la cellule choisie." + "body": "La fonction XLOOKUP (RECHERCHEX) est l'une des fonctions de recherche et de référence. Elle est utilisée pour rechercher des éléments par ligne verticalement et horizontalement. Cette fonction permet de renvoyer un résultat dans une autre colonne et de prendre en charge des feuilles de calcul à deux dimensions. Le syntaxe de la fonction XLOOKUP: XLOOKUP (lookup_value, lookup_array, return_array, [if_not_found], [match_mode], [search_mode]) où: valeur_cherchée est une valeur à chercher. lookup_array est matrice ou plage à rechercher. return_array est matrice ou plage à renvoyer. if_not_found est un argument facultatif. Lorsqu'aucune résultat n'est trouvée, cet argument renvoie le texte [if_not_found] que vous définissez. Si le texte est manquant, la #N/A est renvoyée. match_mode est un argument facultatif. Les valeurs disponibles: 0 (par défaut) renvoie une correspondance exacte, si aucune n'a été trouvée la #N/A est renvoyée. -1 renvoie une correspondance exacte, si aucune information n'a été trouvée, l'élément le plus petit suivant est renvoyé. 1 renvoie une correspondance exacte, si aucune information n'a été trouvée, l'élément plus grand suivant est renvoyé. 2 est une correspondance avec caractère générique. search_mode est un argument facultatif. Les valeurs disponibles: 1 la recherche est effectuée à partir du premier élément (valeurnpar défaut). -1 une recherche inverse est effectuée, c-à-d à partir du dernier élément. 2 une recherche binaire est effectuée quand lookup_array est triée dans l'ordre croissant. S'il n'est pas trié, des résultats non valides seront renvoyés. -2 une recherche binaire est effectuée quand lookup_array est triée dans l'ordre décroissant. S'il n'est pas trié, des résultats non valides seront renvoyés. Des caractères génériques sont (?) le point d'interrogation pour rechercher un seul caractère et (*) l'astérisque pour rechercher plusieurs caractères. Quand vous recherchez le point d'interrogation ou l'astérisque, saisissez un tilde (~) avant le caractère. Pour appliquer la fonction XLOOKUP, sélectionnez la cellule où vous voulez afficher le résultat, appuyez sur l'icône Insérer une fonction de la barre d'outils supérieure, ou cliquez avec le bouton droit sur la cellule et choisissez l'option Insérer une fonction dans le menu, ou cliquez sur l'icône de la barre de formule, sélectionnez le groupe de fonctions Recherche et référence depuis la liste, cliquez sur la fonction XLOOKUP, saisissez les arguments requis dans la fenêtre Argument de formule, appuyez sur la touche Entrée. Le résultat s'affiche dans la cellule choisie." }, { "id": "Functions/xnpv.htm", @@ -2308,7 +2308,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "À propos de Spreadsheet Editor", - "body": "Spreadsheet Editor est une application en ligne qui vous permet de parcourir et de modifier des feuilles de calcul dans votre navigateur . En utilisant Spreadsheet Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les feuilles de calcul modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme." + "body": "Spreadsheet Editor est une application en ligne qui vous permet de parcourir et de modifier des feuilles de calcul dans votre navigateur . En utilisant Spreadsheet Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les feuilles de calcul modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE." }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -2423,7 +2423,7 @@ var indexes = { "id": "UsageInstructions/AlignText.htm", "title": "Aligner les données dans une cellule", - "body": "Dans Spreadsheet Editor, vous pouvez aligner vos données horizontalement ou verticalement ou même les faire pivoter dans une cellule.. sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Remarque: vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure. Appliquez l'une des options d'alignement horizontal dans la cellule, cliquez sur l'icône Aligner à gauche pour aligner les données sur le bord gauche de la cellule (le bord droit reste non aligné); cliquez sur l'icône Aligner au centre pour aligner les données par le centre de la cellule (les bords droit et gauche restent non alignés); cliquez sur l'icône Aligner à droite pour aligner les données sur le bord droit de la cellule (le bord gauche reste non aligné); cliquez sur l'icône Justifié pour aligner vos données sur le bord gauche et droit de la cellule (un espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Changez l'alignement vertical des données dans la cellule, cliquez sur l'icône Aligner en haut pour aligner vos données sur le bord supérieur de la cellule; cliquez sur l'icône Aligner au milieu pour aligner vos données au milieu de la cellule; cliquez sur l'icône Aligner en bas pour aligner vos données sur le bord inférieur de la cellule. Changez l'angle des données en cliquant sur l'icône Orientation et en choisissant l'une des options: utilisez l'option Texte horizontal pour positionner le texte à l'horizontale (par défaut), utilisez l'option Rotation dans le sens inverse des aiguilles d'une montre pour positionner le texte du coin inférieur gauche au coin supérieur droit d'une cellule, utilisez l'option Rotation dans le sens des aiguilles d'une montre pour positionner le texte du coin supérieur gauche au coin inférieur droit d'une cellule, utilisez l'option Texte vertical pour positionner le texte verticalement, utilisez l'option Rotation du texte vers le haut pour positionner le texte de bas en haut d'une cellule, utilisez l'option Rotation du texte vers le bas pour positionner le texte de haut en bas d'une cellule. Appliquez un retrait au contenu d'une cellule à l'aide de la section Retrait sur la barre latérale droite Paramètres de cellule. Définissez la valeur (c-à-d le nombre de caractères) de déplacer le contenu de cellule à gauche. Pour faire pivoter le texte selon un angle exactement spécifié, cliquez sur l'icône Paramètres de cellule dans la barre latérale de droite et utilisez l'Orientation. Entrez la valeur souhaitée mesurée en degrés dans le champ Angle ou réglez-la à l'aide des flèches situées à droite. Adaptez vos données à la largeur de la colonne en cliquant sur l'icône Renvoyer à la ligne automatiquement sous l'onglet Accueil de la barre d'outil supérieure ou en activant la case à cocher Renvoyer à la ligne automatiquement sur la barre latérale droite. Remarque: si vous modifiez la largeur de la colonne, les données seront automatiquement ajustées en conséquence. Adaptez vos données à la largeur de la cellule en activant Réduire pour ajuster sur la barre latérale droite. Le contenu de la cellule est réduit pour s'adapter à la largeur de la cellule." + "body": "Dans Spreadsheet Editor, vous pouvez aligner vos données horizontalement ou verticalement ou même les faire pivoter dans une cellule.. sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Remarque: vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure. Appliquez l'une des options d'alignement horizontal dans la cellule, cliquez sur l'icône Aligner à gauche pour aligner les données sur le bord gauche de la cellule (le bord droit reste non aligné); cliquez sur l'icône Aligner au centre pour aligner les données par le centre de la cellule (les bords droit et gauche restent non alignés); cliquez sur l'icône Aligner à droite pour aligner les données sur le bord droit de la cellule (le bord gauche reste non aligné); cliquez sur l'icône Justifié pour aligner vos données sur le bord gauche et droit de la cellule (un espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Changez l'alignement vertical des données dans la cellule, cliquez sur l'icône Aligner en haut pour aligner vos données sur le bord supérieur de la cellule; cliquez sur l'icône Aligner au milieu pour aligner vos données au milieu de la cellule; cliquez sur l'icône Aligner en bas pour aligner vos données sur le bord inférieur de la cellule. Changez l'angle des données en cliquant sur l'icône Orientation et en choisissant l'une des options: utilisez l'option Texte horizontal pour positionner le texte à l'horizontale (par défaut), utilisez l'option Rotation dans le sens inverse des aiguilles d'une montre pour positionner le texte du coin inférieur gauche au coin supérieur droit d'une cellule, utilisez l'option Rotation dans le sens des aiguilles d'une montre pour positionner le texte du coin supérieur gauche au coin inférieur droit d'une cellule, utilisez l'option Texte vertical pour positionner le texte verticalement, utilisez l'option Rotation du texte vers le haut pour positionner le texte de bas en haut d'une cellule, utilisez l'option Rotation du texte vers le bas pour positionner le texte de haut en bas d'une cellule. Appliquez un retrait au contenu d'une cellule à l'aide de la section Retrait sur la barre latérale droite Paramètres de cellule. Définissez la valeur (c-à-d le nombre de caractères) de déplacer le contenu de cellule à gauche. Les retraits sont réinitialisés lorsque vous modifier l'orientation du texte. Lorsque vous modifiez les retraits du texte pivoté, l'orientation du texte est réinitialisée. Il est possible de définir les retraits seulement si le texte est orienté horizontalement ou verticalement. Pour faire pivoter le texte selon un angle exactement spécifié, cliquez sur l'icône Paramètres de cellule dans la barre latérale de droite et utilisez l'Orientation. Entrez la valeur souhaitée mesurée en degrés dans le champ Angle ou réglez-la à l'aide des flèches situées à droite. Adaptez vos données à la largeur de la colonne en cliquant sur l'icône Renvoyer à la ligne automatiquement sous l'onglet Accueil de la barre d'outil supérieure ou en activant la case à cocher Renvoyer à la ligne automatiquement sur la barre latérale droite. Si vous modifiez la largeur de la colonne, les données seront automatiquement ajustées en conséquence. Adaptez vos données à la largeur de la cellule en activant Réduire pour ajuster sur la barre latérale droite. Le contenu de la cellule est réduit pour s'adapter à la largeur de la cellule." }, { "id": "UsageInstructions/ChangeNumberFormat.htm", @@ -2548,7 +2548,7 @@ var indexes = { "id": "UsageInstructions/PivotTables.htm", "title": "Créer et éditer les tableaux croisés dynamiques", - "body": "Les tableaux croisés dynamiques vous permet de grouper et organiser de vastes ensembles de données pour présenter des données de synthèse. Dans Spreadsheet Editor vous pouvez réorganiser les données de plusieurs façons pour n'afficher que les informations importantes et pour se concentrer uniquement sur les aspects importants. Créer un nouveau tableau croisé dynamique Pour créer un tableau croisé dynamique, Préparez l'ensemble de données sources à partir duquel vous voulez créer un tableau croisé dynamique. Ceux-ci doivent comprendre les en-têtes. L'ensemble de données ne peut pas comprendre les lignes ou les colonnes vides. Sélectionnez une cellule appartenant à la plage de données sources. Passez à l'onglet Tableau croisé dynamique dans la barre d'outils supérieure et cliquez sur l'icône Insérer un tableau . Si vous voulez créer un tableau croisé dynamique basé sur une tableau mis en forme, vous pouvez aussi utiliser l'option Insérer un tableau croisé dynamique sous l'onglet Paramètres du tableau dans la barre latérale droite. Une fenêtre Créer un tableau croisé dynamique apparaîtra. La Ligne de données de la source est déjà spécifié. Dans ce cas, toutes le données sources sont utilisées. Si vous voulez modifier la plage de données (par exemple, à inclure seulement une part de données), cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. Choisissez l'emplacement du tableau croisé dynamique. La valeur par défaut est Nouvelle feuille de calcul. Votre tableau croisé dynamique sera créé dans une feuille de calcul nouvelle. Vous pouvez également sélectionner l'élément Feuille de calcul existante et choisir la cellule. Dans ce cas, c'est la cellule supérieure droite du tableau croisé dynamique créé. Pour sélectionner la cellule, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez l'adresse de la cellule sous le format suivant: Sheet1!$G$2. Vous pouvez également sélectionner la cellule nécessaire dans votre feuille. Cliquez OK pour confirmer. Une fois l'emplacement du tableau croisé dynamique est choisi, cliquez sur OK dans la fenêtre Créer un tableau croisé dynamique. Le tableau croisé dynamique vide est inséré selon l'emplacement choisi. L'onglet Paramètres du tableau croisé dynamique s'ouvre sur la barre latérale droite. Cliquez sur l'icône pour masquer ou afficher cet onglet. Sélectionner les champs à afficher La section Sélectionner les champs à afficher comprend les champs dénommés comme les en-têtes de colonnes dans l'ensemble de votre données sources. Chaque champ contient les valeurs de la colonne correspondante du tableau source. Les sections disponibles: Filtres, Colonnes, Lignes et Valeurs. Pour afficher un champ à votre tableau croisé dynamique, activez la case à cocher du nom de champ. Lorsque vous activez une case à cocher, le champ correspondant à cette case est ajouté à une des sections disponibles sur la barre latérale droite en fonction du type de données et est affiché dans le tableau croisé dynamique. Les champs de type texte sont ajoutés à Lignes; les champs numériques sont ajoutés à Valeurs. Faites glisser les champs directement dans les sections voulues ou faites glisser les champs d'une section dans l'autre pour les réorganiser dans votre tableau croisé dynamique rapidement. Pour supprimer un champ dans une section, faites-le glisser en dehors de cette section. Pour ajouter un champ à une section, on peut aussi cliquer sur la flèche noire à droite du champ et choisir l'option appropriée dans le menu de la section Sélectionner les champs: Déplacer vers les filtres, Déplacer vers les lignes, Déplacer vers les colonnes, Déplacer vers les valeurs. Ci-dessous, vous pouvez découvrir quelques exemples d'utilisation des sections Filtres, Colonnes, Lignes et Valeurs. Lorsque un champ est ajouté à Filtres, un filtre de rapport apparaisse au-dessus du tableau croisé dynamique. Celui-ci est appliqué au tableau croisé dynamique entier. Si vous cliquer sur la flèche de filtre ajouté, vous pouvez voir toutes les valeurs du champ choisi. Lorsque vous désactivez quelques valeurs parmi les options de filtre et appuyez sur OK, celles-ci ne sont pas affichées dans le tableau croisé dynamique. Quand vous ajoutez un champ à Colonnes, le nombre de colonnes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La colonne Total général est aussi ajoutée. Quand vous ajoutez un champ à Lignes, le nombre de lignes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La ligne Total général est aussi ajoutée. Quand vous ajoutez un champ à Valeurs, le tableau croisé dynamique affiche la somme de toutes les valeurs numériques du champ choisi. Si votre champ contient des valeurs texte, la somme ne s'affiche pas. Vous pouvez choisir une autre fonction de synthèse dans les paramètres du champ. Réorganiser les champs et configurer les paramètres Une foi les champs ajoutés aux sections appropriées, vous pouvez les gérer pour modifier la mise en page et la mise en forme du tableau croisé dynamique. Cliquez sur la flèche noire à droit du champ dans les sections Filtres, Colonnes, Lignes et Valeurs pour afficher le menu contextuel du champ. Ce menu vous permet: Déplacer le champ sélectionné: Monter, Descendre, Aller au début, ou Déplacer vers le fin de la section actuelle si vous avez ajouté plusieurs champs. Déplacer le champ vers une autre section - Filtres, Colonnes, Lignes ou Valeurs. L'option déjà appliquée à la section actuelle sera désactivée. Supprimer le champ sélectionné de la section actuelle. Configurer les paramètres du champ choisi. Les options Filtres, Colonnes, Lignes et Valeurs semblent similaires: L'onglet Disposition comprend les options suivantes: L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. L'option Formulaire de rapport vous permet de modifier la présentation du champ choisi dans le tableau croisé dynamique: Utiliser l'un des formulaires disponibles à présenter le champ choisi dans le tableau croisé dynamique. Formulaire Tabulaire affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Formulaire Contour affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Ce formulaire permet aussi d'afficher les sous-totaux en haut de chaque groupe. Formulaire Compact affiche les éléments de champs de section de ligne différents dans une colonne. Répéter les étiquettes des éléments sur chaque ligne permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Insérer une ligne vide après chaque élément permet d'insérer une ligne vide après les éléments du champ choisi. Afficher les sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux pour le champ choisi. Vous pouvez choisir parmi les options suivantes: Afficher en haut du groupe ou Afficher en bas du groupe. Afficher les éléments sans données permet d'afficher ou de masquer les éléments de ligne qui ne contiennent pas de valeurs dans le champ choisi. Sous l'onglet Sous-totaux vous pouvez choisir les Fonctions pour sous-totaux. Cochez une des fonctions disponibles dans la liste: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Paramètres du champ Valeurs L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. Résumer les valeurs du champ par permet de choisir la fonction à utiliser pour calculer la somme des valeurs pour toutes les valeurs de ce champ. Par défaut, la fonction Somme est utilisée pour les champs de valeurs numériques, et la fonction Total est utilisée pour les valeurs de texte. Les fonctions disponibles: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Grouper et dissocier des données Il est possible de grouper les données d'un tableau croisé dynamique selon des critères personnalisés. La fonctionnalité de groupage est disponible pour les dates et les nombres simples. Grouper les dates Pour grouper les dates, créez un tableau croisé dynamique comprenant l'ensemble de dates en question. Cliquez avec le bouton droit sur l'une des cellules comprenant une date dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - la première date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le début. Fin à - la dernière date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le fin. Par - on peut grouper les dates par Secondes, Minutes et Heures selon l'heure spécifiée dans les données sources. L'option Mois enlève les jours et maintient uniquement les mois. L'option Quartiers fonctionne à la condition que quatre mois est un quartier, alors on fournit Qtr1, Qtr2, etc. L'option Années groupe les dates selon les années spécifiées dans les données source. Vous pouvez combiner plusieurs options pour obtenir le résultat souhaité, Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période. Cliquez sur OK pour valider. Grouper des nombres Pour grouper les nombres, créez un tableau croisé dynamique comprenant l'ensemble de nombres en question. Cliquez avec le bouton droit sur l'une des cellules comprenant un nombre dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - le plus petit nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus petit nombre. Fin à - le plus grand nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus grand nombre. Par - définissez l'intervalle pour grouper des numéros: Ex., “2” va grouper l'ensemble de numéros de 1 à 10 comme “1-2”, “3-4”, etc. Cliquez sur OK pour valider. Modifier la disposition d'un tableau croisé dynamique Vous pouvez utiliser les options disponibles dans la barre d'outils supérieure pour modifier le format du tableau croisé dynamique. Ces paramètres sont appliquées au tableau croisé dynamique entier. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Dans la liste déroulante Mise en page du rapport choisissez la forme à afficher pour votre tableau croisé dynamique. Afficher sous forme compacte - pour afficher les éléments de champs de section de ligne différents dans une colonne. Afficher sous forme de plan - pour présenter les données dans le style de tableau croisé dynamique classique. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Elle permet aussi d'afficher les sous-totaux en haut de chaque groupe. Afficher sous forme de tableau - pour présenter les données dans un format de tableau traditionnel. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Répéter les étiquettes de tous les éléments - permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Ne pas répéter toutes les étiquettes d'éléments - permet de masquer les étiquettes d'élément pour plusieurs champs affichés sous forme tabulaire. La liste déroulante Lignes vides permet d'afficher les lignes vides après chaque élément: Insérer une ligne vide après chaque élément - permet d'insérer une ligne vide après les éléments. Supprimer la ligne vide après chaque élément - permet de supprimer les lignes vides ajoutées. La liste déroulante Sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux dans le tableau croisé dynamique. Ne pas afficher les sous-totaux - permet de masquer les sou-totaux pour tous éléments. Afficher les sous-totaux au bas du groupe - permet d'afficher les sous-totaux au-dessous des lignes résumées. Afficher les sous-totaux en haut du groupe - permet d'afficher les sous-totaux au-dessus des lignes résumées. La liste déroulante Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Désactivé pour les lignes et les colonnes - permet de masquer les totaux généraux pour les lignes et les colonnes. Activé pour les lignes et les colonnes - permet d'afficher les totaux généraux pour les lignes et les colonnes. Activé pour les lignes uniquement - permet d'afficher les totaux généraux seulement pour les lignes. Activé pour les colonnes uniquement - permet d'afficher les totaux généraux seulement pour les colonnes. Remarque: les options similaires sont aussi disponibles parmi les paramètres avancés du tableau croisé dynamique dans la section Grand totaux sous l'onglet Nom et disposition. Le bouton Sélectionner tableau croisé dynamique complet permet de sélectionner le tableau croisé dynamique entier. Quand vous avez modifié l'ensemble de données sources, sélectionnez le tableau croisé dynamique et cliquez sur le bouton Actualiser pour mettre à jour le tableau croisé dynamique. Modifier le style d'un tableau croisé dynamique Vous pouvez modifier la présentation du tableau croisé dynamique dans une feuille de calcul en utilisant les outils d'édition dans la barre d'outils supérieure. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Les sections lignes et colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-têtes de ligne - permet de mettre en évidence les en-têtes de ligne avec un formatage spécial. En-têtes de colonne - permet de mettre en évidence les en-têtes de colonne avec un formatage spécial. Lignes en bandes - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Colonnes en bandes - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires.. La liste des modèles vous permet de choisir l'un des styles de tableaux croisés prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections lignes et/ou colonnes, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché les options En-têtes de ligne et Colonnes en bandes, la liste des modèles affichés inclurait uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées. Filtrer, trier et insérer des segments dans des tableaux croisées dynamiques Vous pouvez filtrez les tableaux croisé dynamique par étiquettes ou valeurs aussi que utiliser les options de tri supplémentaires. Filtrage Cliquez sur la flèche déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. La liste des options de Filtrage s'affiche: Configurez les paramètres du filtre. Procédez d'une des manières suivantes: sélectionnez les données à afficher ou filtrez les données selon certains critères. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtrage sont triées par ordre croissant. Remarque: la case à cocher (vide) correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ, les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles: Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtrage pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre étiquette ou le Filtre de valeur dans la partie droite de la liste d'options de Filtrage, puis sélectionner l'une des options dans le sous-menu: Pour le Filtre étiquette les options suivantes sont disponibles: Pour texte: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas... Pour nombres: Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre. Pour le Filtre de valeur, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre, Les 10 premiers. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers), la fenêtre Filtre étiquette/de valeur s'ouvre. Le critère correspondant sera sélectionné dans la première ou secondaire liste déroulante. Spécifiez la valeur nécessaire dans le champ situé à droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de valeur, une nouvelle fenêtre s'ouvrira: La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément, Pour cent ou Somme. La quatrième liste déroulante affiche le nom du champ choisi. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Le bouton de Filtrage s'affiche dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. Cela signifie que le filtre est appliqué. Tri Vous pouvez effectuer le tri des données du tableau croisé dynamique en utilisant les options de tri. Cliquez sur la flèche de la liste déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique et sélectionnez Trier du plus bas au plus élevé ou Trier du plus élevé au plus bas dans le sous-menu. Les Options de tri supplémentaires vous permettent d'ouvrir la fenêtre et choisir une option de tri: Ordre croissant ou Ordre décroissant, et puis spécifier le champ à trier. Insérer des segments Vous pouvez insérer des segments pour filtrer facilement les données et sélectionner les éléments que vous voulez afficher. Pour en savoir plus sur les segments, veuillez consulter le guide de création des segments. Configurer les paramètres avancés du tableau croisé dynamique Pour configurer les paramètres avancés du tableau croisé dynamique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau croisé dynamique - Paramètres avancés, s'ouvre: Sous l'onglet Nom et disposition vous pouvez configurer les paramètres communs du tableau croisé dynamique. L'option Nom permet de modifier le nom du tableau croisé dynamique. La section Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Les options Afficher pour les lignes et Afficher pour les colonnes sont activées par défaut. Vous pouvez les désactiver toutes les deux ou décocher la case appropriée pour masquer les certains grand totaux du tableau croisé dynamique. Remarque: les options similaires sont aussi disponibles sur le menu Grands Totaux dans la barre d'outils en haut. La section Afficher les champs dans la zone de filtre du rapport permet de configurer les filtres dans la section Filtres quand vous les y ajoutez: L'option Vers le bas, puis à droite s'utilise pour organiser les colonnes. Celle-ci vous permet d'afficher des filtres du rapport pour la colonne. L'option À droite, puis vers le bas s'utilise pour organiser les lignes. Celle-ci vous permet d'afficher des filtres du rapport pour la ligne. L'option Afficher les champs de filtre de rapport par colonne sélectionnez le nombre de filtres à afficher pour chaque colonne. La valeur par défaut est 0. Vous pouvez régler la valeur numérique. La section En-têtes des champs permet d'afficher ou de ne pas afficher les en-têtes de champ dans le tableau croisé dynamique. L'option Afficher les en-têtes des champs pour les lignes et les colonnes est activée par défaut. Décochez-la pour masquer les en-têtes de champ du tableau croisé dynamique. Sous l'onglet La source de données vous pouvez modifier les données à utiliser pour créer le tableau croisé dynamique. Vérifiez la Plage de données et modifiez-la si nécessaire. Pour ce faire, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau croisé dynamique. Supprimer le tableau croisé dynamique Pour supprimer un tableau croisé dynamique, sélectionnez le tableau croisé dynamique entier en utilisant le bouton Sélectionner dans la barre d'outils supérieure. Appuyez sur la touche de Suppression." + "body": "Les tableaux croisés dynamiques vous permet de grouper et organiser de vastes ensembles de données pour présenter des données de synthèse. Dans Spreadsheet Editor vous pouvez réorganiser les données de plusieurs façons pour n'afficher que les informations importantes et pour se concentrer uniquement sur les aspects importants. Créer un nouveau tableau croisé dynamique Pour créer un tableau croisé dynamique, Préparez l'ensemble de données sources à partir duquel vous voulez créer un tableau croisé dynamique. Ceux-ci doivent comprendre les en-têtes. L'ensemble de données ne peut pas comprendre les lignes ou les colonnes vides. Sélectionnez une cellule appartenant à la plage de données sources. Passez à l'onglet Tableau croisé dynamique dans la barre d'outils supérieure et cliquez sur l'icône Insérer un tableau . Si vous voulez créer un tableau croisé dynamique basé sur une tableau mis en forme, vous pouvez aussi utiliser l'option Insérer un tableau croisé dynamique sous l'onglet Paramètres du tableau dans la barre latérale droite. Une fenêtre Créer un tableau croisé dynamique apparaîtra. La Ligne de données de la source est déjà spécifié. Dans ce cas, toutes le données sources sont utilisées. Si vous voulez modifier la plage de données (par exemple, à inclure seulement une part de données), cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. Choisissez l'emplacement du tableau croisé dynamique. La valeur par défaut est Nouvelle feuille de calcul. Votre tableau croisé dynamique sera créé dans une feuille de calcul nouvelle. Vous pouvez également sélectionner l'élément Feuille de calcul existante et choisir la cellule. Dans ce cas, c'est la cellule supérieure droite du tableau croisé dynamique créé. Pour sélectionner la cellule, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez l'adresse de la cellule sous le format suivant: Sheet1!$G$2. Vous pouvez également sélectionner la cellule nécessaire dans votre feuille. Cliquez OK pour confirmer. Une fois l'emplacement du tableau croisé dynamique est choisi, cliquez sur OK dans la fenêtre Créer un tableau croisé dynamique. Le tableau croisé dynamique vide est inséré selon l'emplacement choisi. L'onglet Paramètres du tableau croisé dynamique s'ouvre sur la barre latérale droite. Cliquez sur l'icône pour masquer ou afficher cet onglet. Sélectionner les champs à afficher La section Sélectionner les champs à afficher comprend les champs dénommés comme les en-têtes de colonnes dans l'ensemble de votre données sources. Chaque champ contient les valeurs de la colonne correspondante du tableau source. Les sections disponibles: Filtres, Colonnes, Lignes et Valeurs. Pour afficher un champ à votre tableau croisé dynamique, activez la case à cocher du nom de champ. Lorsque vous activez une case à cocher, le champ correspondant à cette case est ajouté à une des sections disponibles sur la barre latérale droite en fonction du type de données et est affiché dans le tableau croisé dynamique. Les champs de type texte sont ajoutés à Lignes; les champs numériques sont ajoutés à Valeurs. Faites glisser les champs directement dans les sections voulues ou faites glisser les champs d'une section dans l'autre pour les réorganiser dans votre tableau croisé dynamique rapidement. Pour supprimer un champ dans une section, faites-le glisser en dehors de cette section. Pour ajouter un champ à une section, on peut aussi cliquer sur la flèche noire à droite du champ et choisir l'option appropriée dans le menu de la section Sélectionner les champs: Déplacer vers les filtres, Déplacer vers les lignes, Déplacer vers les colonnes, Déplacer vers les valeurs. Ci-dessous, vous pouvez découvrir quelques exemples d'utilisation des sections Filtres, Colonnes, Lignes et Valeurs. Lorsque un champ est ajouté à Filtres, un filtre de rapport apparaisse au-dessus du tableau croisé dynamique. Celui-ci est appliqué au tableau croisé dynamique entier. Si vous cliquer sur la flèche de filtre ajouté, vous pouvez voir toutes les valeurs du champ choisi. Lorsque vous désactivez quelques valeurs parmi les options de filtre et appuyez sur OK, celles-ci ne sont pas affichées dans le tableau croisé dynamique. Quand vous ajoutez un champ à Colonnes, le nombre de colonnes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La colonne Total général est aussi ajoutée. Quand vous ajoutez un champ à Lignes, le nombre de lignes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La ligne Total général est aussi ajoutée. Quand vous ajoutez un champ à Valeurs, le tableau croisé dynamique affiche la somme de toutes les valeurs numériques du champ choisi. Si votre champ contient des valeurs texte, la somme ne s'affiche pas. Vous pouvez choisir une autre fonction de synthèse dans les paramètres du champ. Réorganiser les champs et configurer les paramètres Une foi les champs ajoutés aux sections appropriées, vous pouvez les gérer pour modifier la mise en page et la mise en forme du tableau croisé dynamique. Cliquez sur la flèche noire à droit du champ dans les sections Filtres, Colonnes, Lignes et Valeurs pour afficher le menu contextuel du champ. Ce menu vous permet: Déplacer le champ sélectionné: Monter, Descendre, Aller au début, ou Déplacer vers le fin de la section actuelle si vous avez ajouté plusieurs champs. Déplacer le champ vers une autre section - Filtres, Colonnes, Lignes ou Valeurs. L'option déjà appliquée à la section actuelle sera désactivée. Supprimer le champ sélectionné de la section actuelle. Configurer les paramètres du champ choisi. Les options Filtres, Colonnes, Lignes et Valeurs semblent similaires: L'onglet Disposition comprend les options suivantes: L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. L'option Formulaire de rapport vous permet de modifier la présentation du champ choisi dans le tableau croisé dynamique: Utiliser l'un des formulaires disponibles à présenter le champ choisi dans le tableau croisé dynamique. Formulaire Tabulaire affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Formulaire Contour affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Ce formulaire permet aussi d'afficher les sous-totaux en haut de chaque groupe. Formulaire Compact affiche les éléments de champs de section de ligne différents dans une colonne. Répéter les étiquettes des éléments sur chaque ligne permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Insérer une ligne vide après chaque élément permet d'insérer une ligne vide après les éléments du champ choisi. Afficher les sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux pour le champ choisi. Vous pouvez choisir parmi les options suivantes: Afficher en haut du groupe ou Afficher en bas du groupe. Afficher les éléments sans données permet d'afficher ou de masquer les éléments de ligne qui ne contiennent pas de valeurs dans le champ choisi. Sous l'onglet Sous-totaux vous pouvez choisir les Fonctions pour sous-totaux. Cochez une des fonctions disponibles dans la liste: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Paramètres du champ Valeurs L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. Résumer les valeurs du champ par permet de choisir la fonction à utiliser pour calculer la somme des valeurs pour toutes les valeurs de ce champ. Par défaut, la fonction Somme est utilisée pour les champs de valeurs numériques, et la fonction Total est utilisée pour les valeurs de texte. Les fonctions disponibles: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Grouper et dissocier des données Il est possible de grouper les données d'un tableau croisé dynamique selon des critères personnalisés. La fonctionnalité de groupage est disponible pour les dates et les nombres simples. Grouper les dates Pour grouper les dates, créez un tableau croisé dynamique comprenant l'ensemble de dates en question. Cliquez avec le bouton droit sur l'une des cellules comprenant une date dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - la première date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le début. Fin à - la dernière date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le fin. Par - on peut grouper les dates par Secondes, Minutes et Heures selon l'heure spécifiée dans les données sources. L'option Mois enlève les jours et maintient uniquement les mois. L'option Quartiers fonctionne à la condition que quatre mois est un quartier, alors on fournit Qtr1, Qtr2, etc. L'option Années groupe les dates selon les années spécifiées dans les données source. Vous pouvez combiner plusieurs options pour obtenir le résultat souhaité, Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période. Cliquez sur OK pour valider. Grouper des nombres Pour grouper les nombres, créez un tableau croisé dynamique comprenant l'ensemble de nombres en question. Cliquez avec le bouton droit sur l'une des cellules comprenant un nombre dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - le plus petit nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus petit nombre. Fin à - le plus grand nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus grand nombre. Par - définissez l'intervalle pour grouper des numéros: Ex., “2” va grouper l'ensemble de numéros de 1 à 10 comme “1-2”, “3-4”, etc. Cliquez sur OK pour valider. Dissocier des données Pour dissocier des données groupées, cliquez avec le bouton droit sur une cellule du groupe, sélectionnez l'option Dissocier dans le menu contextuel. Modifier la disposition d'un tableau croisé dynamique Vous pouvez utiliser les options disponibles dans la barre d'outils supérieure pour modifier le format du tableau croisé dynamique. Ces paramètres sont appliquées au tableau croisé dynamique entier. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Dans la liste déroulante Mise en page du rapport choisissez la forme à afficher pour votre tableau croisé dynamique. Afficher sous forme compacte - pour afficher les éléments de champs de section de ligne différents dans une colonne. Afficher sous forme de plan - pour présenter les données dans le style de tableau croisé dynamique classique. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Elle permet aussi d'afficher les sous-totaux en haut de chaque groupe. Afficher sous forme de tableau - pour présenter les données dans un format de tableau traditionnel. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Répéter les étiquettes de tous les éléments - permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Ne pas répéter toutes les étiquettes d'éléments - permet de masquer les étiquettes d'élément pour plusieurs champs affichés sous forme tabulaire. La liste déroulante Lignes vides permet d'afficher les lignes vides après chaque élément: Insérer une ligne vide après chaque élément - permet d'insérer une ligne vide après les éléments. Supprimer la ligne vide après chaque élément - permet de supprimer les lignes vides ajoutées. La liste déroulante Sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux dans le tableau croisé dynamique. Ne pas afficher les sous-totaux - permet de masquer les sou-totaux pour tous éléments. Afficher les sous-totaux au bas du groupe - permet d'afficher les sous-totaux au-dessous des lignes résumées. Afficher les sous-totaux en haut du groupe - permet d'afficher les sous-totaux au-dessus des lignes résumées. La liste déroulante Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Désactivé pour les lignes et les colonnes - permet de masquer les totaux généraux pour les lignes et les colonnes. Activé pour les lignes et les colonnes - permet d'afficher les totaux généraux pour les lignes et les colonnes. Activé pour les lignes uniquement - permet d'afficher les totaux généraux seulement pour les lignes. Activé pour les colonnes uniquement - permet d'afficher les totaux généraux seulement pour les colonnes. Remarque: les options similaires sont aussi disponibles parmi les paramètres avancés du tableau croisé dynamique dans la section Grand totaux sous l'onglet Nom et disposition. Le bouton Sélectionner tableau croisé dynamique complet permet de sélectionner le tableau croisé dynamique entier. Quand vous avez modifié l'ensemble de données sources, sélectionnez le tableau croisé dynamique et cliquez sur le bouton Actualiser pour mettre à jour le tableau croisé dynamique. Modifier le style d'un tableau croisé dynamique Vous pouvez modifier la présentation du tableau croisé dynamique dans une feuille de calcul en utilisant les outils d'édition dans la barre d'outils supérieure. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Les sections lignes et colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-têtes de ligne - permet de mettre en évidence les en-têtes de ligne avec un formatage spécial. En-têtes de colonne - permet de mettre en évidence les en-têtes de colonne avec un formatage spécial. Lignes en bandes - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Colonnes en bandes - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires.. La liste des modèles vous permet de choisir l'un des styles de tableaux croisés prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections lignes et/ou colonnes, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché les options En-têtes de ligne et Colonnes en bandes, la liste des modèles affichés inclurait uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées. Filtrer, trier et insérer des segments dans des tableaux croisées dynamiques Vous pouvez filtrez les tableaux croisé dynamique par étiquettes ou valeurs aussi que utiliser les options de tri supplémentaires. Filtrage Cliquez sur la flèche déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. La liste des options de Filtrage s'affiche: Configurez les paramètres du filtre. Procédez d'une des manières suivantes: sélectionnez les données à afficher ou filtrez les données selon certains critères. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtrage sont triées par ordre croissant. Remarque: la case à cocher (vide) correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ, les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles: Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtrage pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre étiquette ou le Filtre de valeur dans la partie droite de la liste d'options de Filtrage, puis sélectionner l'une des options dans le sous-menu: Pour le Filtre étiquette les options suivantes sont disponibles: Pour texte: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas... Pour nombres: Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre. Pour le Filtre de valeur, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre, Les 10 premiers. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers), la fenêtre Filtre étiquette/de valeur s'ouvre. Le critère correspondant sera sélectionné dans la première ou secondaire liste déroulante. Spécifiez la valeur nécessaire dans le champ situé à droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de valeur, une nouvelle fenêtre s'ouvrira: La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément, Pour cent ou Somme. La quatrième liste déroulante affiche le nom du champ choisi. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Le bouton de Filtrage s'affiche dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. Cela signifie que le filtre est appliqué. Tri Vous pouvez effectuer le tri des données du tableau croisé dynamique en utilisant les options de tri. Cliquez sur la flèche de la liste déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique et sélectionnez Trier du plus bas au plus élevé ou Trier du plus élevé au plus bas dans le sous-menu. Les Options de tri supplémentaires vous permettent d'ouvrir la fenêtre et choisir une option de tri: Ordre croissant ou Ordre décroissant, et puis spécifier le champ à trier. Insérer des segments Vous pouvez insérer des segments pour filtrer facilement les données et sélectionner les éléments que vous voulez afficher. Pour en savoir plus sur les segments, veuillez consulter le guide de création des segments. Configurer les paramètres avancés du tableau croisé dynamique Pour configurer les paramètres avancés du tableau croisé dynamique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau croisé dynamique - Paramètres avancés, s'ouvre: Sous l'onglet Nom et disposition vous pouvez configurer les paramètres communs du tableau croisé dynamique. L'option Nom permet de modifier le nom du tableau croisé dynamique. La section Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Les options Afficher pour les lignes et Afficher pour les colonnes sont activées par défaut. Vous pouvez les désactiver toutes les deux ou décocher la case appropriée pour masquer les certains grand totaux du tableau croisé dynamique. Remarque: les options similaires sont aussi disponibles sur le menu Grands Totaux dans la barre d'outils en haut. La section Afficher les champs dans la zone de filtre du rapport permet de configurer les filtres dans la section Filtres quand vous les y ajoutez: L'option Vers le bas, puis à droite s'utilise pour organiser les colonnes. Celle-ci vous permet d'afficher des filtres du rapport pour la colonne. L'option À droite, puis vers le bas s'utilise pour organiser les lignes. Celle-ci vous permet d'afficher des filtres du rapport pour la ligne. L'option Afficher les champs de filtre de rapport par colonne sélectionnez le nombre de filtres à afficher pour chaque colonne. La valeur par défaut est 0. Vous pouvez régler la valeur numérique. La section En-têtes des champs permet d'afficher ou de ne pas afficher les en-têtes de champ dans le tableau croisé dynamique. L'option Afficher les en-têtes des champs pour les lignes et les colonnes est activée par défaut. Décochez-la pour masquer les en-têtes de champ du tableau croisé dynamique. Sous l'onglet La source de données vous pouvez modifier les données à utiliser pour créer le tableau croisé dynamique. Vérifiez la Plage de données et modifiez-la si nécessaire. Pour ce faire, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau croisé dynamique. Supprimer le tableau croisé dynamique Pour supprimer un tableau croisé dynamique, sélectionnez le tableau croisé dynamique entier en utilisant le bouton Sélectionner dans la barre d'outils supérieure. Appuyez sur la touche de Suppression." }, { "id": "UsageInstructions/RemoveDuplicates.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm b/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm index 453bde2c3..9ba51d0da 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm +++ b/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/OpenCreateNew.htm @@ -14,7 +14,7 @@

    Create a new spreadsheet or open an existing one

    -

    To create a new spreadsheet

    +

    To create a new spreadsheet

    In the online editor

      @@ -32,7 +32,7 @@
    -

    To open an existing document

    +

    To open an existing document

    In the desktop editor

    1. in the main program window, select the Open local file menu item at the left sidebar,
    2. @@ -42,7 +42,7 @@

      All the directories that you have accessed using the desktop editor will be displayed in the Recent folders list so that you can quickly access them afterwards. Click the necessary folder to select one of the files stored in it.

    -

    To open a recently edited spreadsheet

    +

    To open a recently edited spreadsheet

    In the online editor

      diff --git a/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm index 4cb62f794..82a2f025b 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/it/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
      1. click the File tab of the top toolbar,
      2. select the Save as... option,
      3. -
      4. choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDFA. You can also choose the Spreadsheet template (XLTX or OTS) option.
      5. +
      6. choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDF/A. You can also choose the Spreadsheet template (XLTX or OTS) option.
    diff --git a/apps/spreadsheeteditor/main/resources/help/it/editor.css b/apps/spreadsheeteditor/main/resources/help/it/editor.css index 9a4fc74bf..80985ff8a 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/it/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -148,7 +148,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/spreadsheeteditor/main/resources/help/it/images/firstsheet.png b/apps/spreadsheeteditor/main/resources/help/it/images/firstsheet.png index f9f608214..11c93e804 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/it/images/firstsheet.png and b/apps/spreadsheeteditor/main/resources/help/it/images/firstsheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/it/images/lastsheet.png b/apps/spreadsheeteditor/main/resources/help/it/images/lastsheet.png index 45cef7eee..bcbed26ea 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/it/images/lastsheet.png and b/apps/spreadsheeteditor/main/resources/help/it/images/lastsheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/it/images/nextsheet.png b/apps/spreadsheeteditor/main/resources/help/it/images/nextsheet.png index 02fb28b7c..22aef2c03 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/it/images/nextsheet.png and b/apps/spreadsheeteditor/main/resources/help/it/images/nextsheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/it/images/previoussheet.png b/apps/spreadsheeteditor/main/resources/help/it/images/previoussheet.png index 27a20e75b..ff6b7738a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/it/images/previoussheet.png and b/apps/spreadsheeteditor/main/resources/help/it/images/previoussheet.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/it/images/zoomin.png b/apps/spreadsheeteditor/main/resources/help/it/images/zoomin.png index e2eeea6a3..55fb7d391 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/it/images/zoomin.png and b/apps/spreadsheeteditor/main/resources/help/it/images/zoomin.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/it/images/zoomout.png b/apps/spreadsheeteditor/main/resources/help/it/images/zoomout.png index 60ac9a97d..1c4a45fac 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/it/images/zoomout.png and b/apps/spreadsheeteditor/main/resources/help/it/images/zoomout.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Functions/xlookup.htm b/apps/spreadsheeteditor/main/resources/help/ru/Functions/xlookup.htm index 8eb9da89d..ccbfa6e44 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Functions/xlookup.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/Functions/xlookup.htm @@ -11,7 +11,7 @@
    - +

    Функция ПРОСМОТРX

    Функция ПРОСМОТРX - это одна из поисковых функций. Она используется для поиска определенного элемента по строке как по горизонтали, так и по вертикали. Возвращает элемент, соответствующий первому совпадению.

    @@ -23,7 +23,7 @@

    возращаемый_массив - это массив или диапазон, в который возвращаются результаты.

    если_ничего_не_найдено  - это необязательный аргумент. Если результата поиска нет, аргумент возвращает текст, указанный в [если_ничего_не_найдено]. Если текст не указан, возвращается «Н/Д».

    - режим_сопоставления - это необязательный аргумент. + режим_сопоставления - это необязательный аргумент. Доступны следующие значения:

    - режим_поиска - необязательный аргумент. + режим_поиска - необязательный аргумент. Доступны следующие значения:

    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm index 5577fc1d4..45578d50d 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm @@ -10,9 +10,9 @@
    -
    - -
    +
    + +

    Выравнивание данных в ячейках

    Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов.

    -
  • Чтобы добавить отступ для текста в ячейке, в разделе Параметры ячейки правой боковой панели введите значение Отступа, на которое содержимое ячейки будет перемещено вправо.
  • -
  • Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки Значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа.
  • + +

    Параметры ячейки

    + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm index a4b8b73f1..8b7947e01 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm @@ -150,6 +150,12 @@
  • По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д.
  • По завершении нажмите ОК.
  • +

    Газгруппировка данных

    +

    Чтобы разгруппировать ранее сгруппированные данные,

    +
      +
    1. щелкните правой кнопкой мыши любую ячейку в группе,
    2. +
    3. выберите опцию Разгруппировать в контекстном меню.
    4. +

    Изменение оформления сводных таблиц

    Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице.

    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index 28381c447..93e08c9b1 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@
    1. нажмите на вкладку Файл на верхней панели инструментов,
    2. выберите опцию Сохранить как,
    3. -
    4. выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDFA. Также можно выбрать вариант Шаблон таблицы XLTX или OTS.
    5. +
    6. выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDF/A. Также можно выбрать вариант Шаблон таблицы XLTX или OTS.
    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/editor.css b/apps/spreadsheeteditor/main/resources/help/ru/editor.css index 108b9b531..ffb4d3b01 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/ru/editor.css @@ -1,6 +1,6 @@ body { -font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; +font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 12px; color: #444; background: #fff; @@ -170,7 +170,7 @@ text-decoration: none; font-style: italic; } #search-results a { - font-family: "Helvetica Neue",Helvetica,Arial,sans-serif; + font-family: Arial, Helvetica, "Helvetica Neue", sans-serif; font-size: 1em; font-weight: bold; color: #444; diff --git a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js index 7f6d374f3..e9ef64ce7 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -2253,7 +2253,7 @@ var indexes = { "id": "Functions/xlookup.htm", "title": "Функция ПРОСМОТРX", - "body": "Функция ПРОСМОТРX - это одна из поисковых функций. Она используется для поиска определенного элемента по строке как по горизонтали, так и по вертикали. Возвращает элемент, соответствующий первому совпадению. Синтаксис функции ПРОСМОТРX: ПРОСМОТРX (искомое_значение, просматриваемый_массив, возращаемый_массив, [если_ничего_не_найдено], [режим_сопоставления], [режим_поиска]) где искомое_значение- - это искомое значение. просматриваемый_массив - это массив или диапазон для поиска. возращаемый_массив - это массив или диапазон, в который возвращаются результаты. если_ничего_не_найдено  - это необязательный аргумент. Если результата поиска нет, аргумент возвращает текст, указанный в [если_ничего_не_найдено]. Если текст не указан, возвращается «Н/Д». режим_сопоставления - это необязательный аргумент. 0 (установлен по умолчанию) возвращает точное совпадение; если совпадений нет, вместо них возвращается «Н/Д». -1 возвращает точное совпадение; если его нет, возвращается следующий меньший элемент. 1 возвращает точное совпадение; если его нет, возвращается следующий больший элемент. 2 где постановочные знаки имеют специальное значение. режим_поиска - необязательный аргумент. 1 запускает поиск по первому элементу (установлен по умолчанию). -1 запускает обратный поиск, т.е. по последнему элементу. 2 запускает двоичный поиск с просматриваемый_массив , отсортированным в порядке возрастания. Если не отсортировано, будут возвращены недопустимые результаты. -2 запускает двоичный поиск с просматриваемый_массив , отсортированным в порядке убывания. Если не отсортировано, будут возвращены недопустимые результаты. Подстановочные знаки включают вопросительный знак (?), Который соответствует одному символу, и звездочку (*), которая соответствует нескольким символам. Если вы хотите найти вопросительный знак или звездочку, введите тильду (~) перед символом. Чтобы применить функцию ПРОСМОТРX, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ПРОСМОТРX, введите требуемые аргументы через точку с запятой или выделите мышью диапазон ячеек, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция ПРОСМОТРX - это одна из поисковых функций. Она используется для поиска определенного элемента по строке как по горизонтали, так и по вертикали. Возвращает элемент, соответствующий первому совпадению. Синтаксис функции ПРОСМОТРX: ПРОСМОТРX (искомое_значение, просматриваемый_массив, возращаемый_массив, [если_ничего_не_найдено], [режим_сопоставления], [режим_поиска]) где искомое_значение- - это искомое значение. просматриваемый_массив - это массив или диапазон для поиска. возращаемый_массив - это массив или диапазон, в который возвращаются результаты. если_ничего_не_найдено  - это необязательный аргумент. Если результата поиска нет, аргумент возвращает текст, указанный в [если_ничего_не_найдено]. Если текст не указан, возвращается «Н/Д». режим_сопоставления - это необязательный аргумент. Доступны следующие значения: 0 (установлен по умолчанию) возвращает точное совпадение; если совпадений нет, вместо них возвращается «Н/Д». -1 возвращает точное совпадение; если его нет, возвращается следующий меньший элемент. 1 возвращает точное совпадение; если его нет, возвращается следующий больший элемент. 2 где постановочные знаки имеют специальное значение. режим_поиска - необязательный аргумент. Доступны следующие значения: 1 запускает поиск по первому элементу (установлен по умолчанию). -1 запускает обратный поиск, т.е. по последнему элементу. 2 запускает двоичный поиск с просматриваемый_массив , отсортированным в порядке возрастания. Если не отсортировано, будут возвращены недопустимые результаты. -2 запускает двоичный поиск с просматриваемый_массив , отсортированным в порядке убывания. Если не отсортировано, будут возвращены недопустимые результаты. Подстановочные знаки включают вопросительный знак (?), Который соответствует одному символу, и звездочку (*), которая соответствует нескольким символам. Если вы хотите найти вопросительный знак или звездочку, введите тильду (~) перед символом. Чтобы применить функцию ПРОСМОТРX, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ПРОСМОТРX, введите требуемые аргументы в окно Аргументы функции, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/xnpv.htm", @@ -2303,7 +2303,7 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе электронных таблиц", - "body": "Редактор электронных таблиц - это онлайн- приложение, которое позволяет редактировать электронные таблицы непосредственно в браузере . С помощью онлайн- редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения." + "body": "Редактор электронных таблиц - это онлайн- приложение, которое позволяет редактировать электронные таблицы непосредственно в браузере . С помощью онлайн- редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE" }, { "id": "HelpfulHints/AdvancedSettings.htm", @@ -2413,7 +2413,7 @@ var indexes = { "id": "UsageInstructions/AlignText.htm", "title": "Выравнивание данных в ячейках", - "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Чтобы добавить отступ для текста в ячейке, в разделе Параметры ячейки правой боковой панели введите значение Отступа, на которое содержимое ячейки будет перемещено вправо. Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . Примечание: при изменении ширины столбца перенос текста настраивается автоматически. Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установте флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри." + "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Вертикальный текст , чтобы расположить текст вертикально, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Чтобы добавить отступ для текста в ячейке, в разделе Параметры ячейки правой боковой панели введите значение Отступа, на которое содержимое ячейки будет перемещено вправо. Если вы измените ориентацию текста, отступы будут сброшены. Если вы измените отступы для повернутого текста, ориентация текста будет сброшена. Отступы можно установить только если выбрана горизонтальная или вертикальная ориентация текста. Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . При изменении ширины столбца перенос текста настраивается автоматически. Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установте флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри." }, { "id": "UsageInstructions/ChangeNumberFormat.htm", @@ -2488,7 +2488,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Для того, чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Для того, чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, нажмите кнопку Заменить изображение, выберите нужную опцию: Из файла, Из хранилища или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контур фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительныx параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), изображение будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер изображения также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него, не допуская изменения размера изображения. Если ячейка перемещается, изображение будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры изображения останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера изображения при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete." + "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Для того, чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Для того, чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, нажмите кнопку Заменить изображение, выберите нужную опцию: Из файла, Из хранилища или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительныx параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), изображение будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер изображения также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него, не допуская изменения размера изображения. Если ячейка перемещается, изображение будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры изображения останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера изображения при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete." }, { "id": "UsageInstructions/InsertSymbols.htm", @@ -2528,7 +2528,7 @@ var indexes = { "id": "UsageInstructions/PivotTables.htm", "title": "Создание и редактирование сводных таблиц", - "body": "Сводные таблицы позволяют группировать и систематизировать данные из больших наборов данных для получения сводной информации. Вы можете упорядочивать данные множеством разных способов, чтобы отображать только нужную информацию и сфокусироваться на важных аспектах. Создание новой сводной таблицы Для создания сводной таблицы: Подготовьте исходный набор данных, который требуется использовать для создания сводной таблицы. Он должен включать заголовки столбцов. Набор данных не должен содержать пустых строк или столбцов. Выделите любую ячейку в исходном диапазоне данных. Перейдите на вкладку Сводная таблица верхней панели инструментов и нажмите на кнопку Вставить таблицу . Если вы хотите создать сводную таблицу на базе форматированной таблицы, также можно использовать опцию Вставить сводную таблицу на вкладке Параметры таблицы правой боковой панели. Откроется окно Создать сводную таблицу. Диапазон исходных данных уже указан. В этом случае будут использоваться все данные из исходного диапазона. Если вы хотите изменить диапазон данных (например, включить только часть исходных данных), нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Вы также можете выделить нужный диапазон данных на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Укажите, где требуется разместить сводную таблицу. Опция Новый лист выбрана по умолчанию. Она позволяет разместить сводную таблицу на новом рабочем листе. Также можно выбрать опцию Существующий лист и затем выбрать определенную ячейку. В этом случае выбранная ячейка будет правой верхней ячейкой созданной сводной таблицы. Чтобы выбрать ячейку, нажмите на кнопку . В окне Выбор диапазона данных введите адрес ячейки в формате Лист1!$G$2. Также можно щелкнуть по нужной ячейке на листе. Когда все будет готово, нажмите кнопку OK. Когда местоположение таблицы будет выбрано, нажмите кнопку OK в окне Создать таблицу. Пустая сводная таблица будет вставлена в выбранном местоположении. Откроется вкладка Параметры сводной таблицы на правой боковой панели. Эту вкладку можно скрыть или показать, нажав на значок . Выбор полей для отображения Раздел Выбрать поля содержит названия полей, соответствующие заголовкам столбцов в исходном наборе данных. Каждое поле содержит значения из соответствующего столбца исходной таблицы. Ниже доступны следующие четыре поля: Фильтры, Столбцы, Строки и Значения. Отметьте галочками поля, которые требуется отобразить в сводной таблице. Когда вы отметите поле, оно будет добавлено в один из доступных разделов на правой боковой панели в зависимости от типа данных и будет отображено в сводной таблице. Поля, содержащие текстовые значения, будут добавлены в раздел Строки; поля, содержащие числовые значения, будут добавлены в раздел Значения. Вы можете просто перетаскивать поля в нужный раздел, а также перетаскивать поля между разделами, чтобы быстро перестроить сводную таблицу. Чтобы удалить поле из текущего раздела, перетащите его за пределы этого раздела. Чтобы добавить поле в нужный раздел, также можно нажать на черную стрелку справа от поля в разделе Выбрать поля и выбрать нужную опцию из меню: Добавить в фильтры, Добавить в строки, Добавить в столбцы, Добавить в значения. Ниже приводятся примеры использования разделов Фильтры, Столбцы, Строки и Значения. При добавлении поля в раздел Фильтры над сводной таблицей будет добавлен отдельный фильтр. Он будет применен ко всей сводной таблице. Если нажать на кнопку со стрелкой в добавленном фильтре, вы увидите значения из выбранного поля. Если снять галочки с некоторых значений в окне фильтра и нажать кнопку OK, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение. Группировка и разгруппировка данных Данные в сводных таблицах можно сгруппировать в соответствии с индивидуальными требованиями. Группировка может быть выполнена по датам и основным числам. Группировка дат Чтобы сгруппировать даты, создайте сводную таблицу, содержащую необходимые даты. Щелкните правой кнопкой мыши по любой ячейке в сводной таблице с датой, в контекстном меню выберите параметр Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается первая дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать начальную точку. Заканчивая в - по умолчанию выбирается последняя дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать конечную точку. По - параметры Секунды, Минуты и Часы группируют данные в соответствии со временем, указанным в исходных данных. Параметр Месяцы исключает дни и оставляет только месяцы. Опция Кварталы работает при следующем условии: четыре месяца составляют квартал Кв1, Кв2 и т.д. опция Годы группирует даты по годам, указанным в исходных данных. Комбинируйте варианты, чтобы добиться желаемого результата. Количество дней - устанавливает необходимое значение для определения диапазона дат. По завершении нажмите ОК. Группировка чисел Чтобы сгруппировать числа, создайте сводную таблицу, включающую набор необходимых чисел. Щелкните правой кнопкой мыши любую ячейку в сводной таблице с номером, в контекстном меню выберите опцию Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается наименьшее число в исходных данных. Чтобы изменить его, введите в это поле нужное число. Отключите это поле, чтобы игнорировать наименьшее число. Заканчивая в - по умолчанию выбирается наибольшее число в исходных данных. Чтобы изменить его, введите в это поле нужный номер. Отключите это поле, чтобы игнорировать наибольшее число. По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д. По завершении нажмите ОК. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой.. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация, сортировка и создание срезов в сводных таблицах Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В правой части окна фильтра можно выбрать команду Фильтр подписей или Фильтр значений, а затем выбрать одну из опций в подменю: Для Фильтра подписей доступны следующие опции: Для текстовых значений: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит.... Для числовых значений: Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между. Для Фильтра значений доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между, Первые 10. После выбора одной из вышеуказанных опций (кроме опций Первые 10), откроется окно Фильтра подписей/Значений. В первом и втором выпадающих списках будут выбраны соответствующее поле и критерий. Введите нужное значение в поле справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен. Сортировка Данные сводной таблицы можно сортировать, используя параметры сортировки. Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы и выберите опцию Сортировка по возрастанию или Сортировка по убыванию в подменю. Опция Дополнительные параметры сортировки... позволяет открыть окно Сортировать, в котором можно выбрать нужный порядок сортировки - По возрастанию (от А до Я) или По убыванию (от Я до А) - а затем выбрать определенное поле, которое требуется отсортировать. Создание срезов Чтобы упростить фильтрацию данных и отображать только то, что необходимо, вы можете добавить срезы. Чтобы узнать больше о срезах, пожалуйста, обратитесь к руководству по созданию срезов. Изменение дополнительных параметров сводной таблицы Чтобы изменить дополнительные параметры сводной таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Сводная таблица - Дополнительные параметры': На вкладке Название и макет можно изменить общие свойства сводной таблицы. С помощью опции Название можно изменить название сводной таблицы. В разделе Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице. Опции Показывать для строк и Показывать для столбцов отмечены по умолчанию. Вы можете снять галочку или с одной из них, или с них обеих, чтобы скрыть соответствующие общие итоги из сводной таблицы. Примечание: аналогичные настройки также доступны на верхней панели инструментов в меню Общие итоги. В разделе Отображать поля в области фильтра отчета можно настроить фильтры отчета, которые появляются при добавлении полей в раздел Фильтры: Опция Вниз, затем вправо используется для организации столбцов. Она позволяет отображать фильтры отчета по столбцам. Опция Вправо, затем вниз используется для организации строк. Она позволяет отображать фильтры отчета по строкам. Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение. В разделе Заголовки полей можно выбрать, надо ли отображать заголовки полей в сводной таблице. Опция Показывать заголовки полей для строк и столбцов выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы. На вкладке Источник данных можно изменить данные, которые требуется использовать для создания сводной таблицы. Проверьте выбранный Диапазон данных и измените его в случае необходимости. Для этого нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на рабочем листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит сводная таблица. Удаление сводной таблицы Для удаления сводной таблицы: Выделите всю сводную таблицу с помощью кнопки Выделить на верхней панели инструментов. Нажмите клавишу Delete." + "body": "Сводные таблицы позволяют группировать и систематизировать данные из больших наборов данных для получения сводной информации. Вы можете упорядочивать данные множеством разных способов, чтобы отображать только нужную информацию и сфокусироваться на важных аспектах. Создание новой сводной таблицы Для создания сводной таблицы: Подготовьте исходный набор данных, который требуется использовать для создания сводной таблицы. Он должен включать заголовки столбцов. Набор данных не должен содержать пустых строк или столбцов. Выделите любую ячейку в исходном диапазоне данных. Перейдите на вкладку Сводная таблица верхней панели инструментов и нажмите на кнопку Вставить таблицу . Если вы хотите создать сводную таблицу на базе форматированной таблицы, также можно использовать опцию Вставить сводную таблицу на вкладке Параметры таблицы правой боковой панели. Откроется окно Создать сводную таблицу. Диапазон исходных данных уже указан. В этом случае будут использоваться все данные из исходного диапазона. Если вы хотите изменить диапазон данных (например, включить только часть исходных данных), нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Вы также можете выделить нужный диапазон данных на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Укажите, где требуется разместить сводную таблицу. Опция Новый лист выбрана по умолчанию. Она позволяет разместить сводную таблицу на новом рабочем листе. Также можно выбрать опцию Существующий лист и затем выбрать определенную ячейку. В этом случае выбранная ячейка будет правой верхней ячейкой созданной сводной таблицы. Чтобы выбрать ячейку, нажмите на кнопку . В окне Выбор диапазона данных введите адрес ячейки в формате Лист1!$G$2. Также можно щелкнуть по нужной ячейке на листе. Когда все будет готово, нажмите кнопку OK. Когда местоположение таблицы будет выбрано, нажмите кнопку OK в окне Создать таблицу. Пустая сводная таблица будет вставлена в выбранном местоположении. Откроется вкладка Параметры сводной таблицы на правой боковой панели. Эту вкладку можно скрыть или показать, нажав на значок . Выбор полей для отображения Раздел Выбрать поля содержит названия полей, соответствующие заголовкам столбцов в исходном наборе данных. Каждое поле содержит значения из соответствующего столбца исходной таблицы. Ниже доступны следующие четыре поля: Фильтры, Столбцы, Строки и Значения. Отметьте галочками поля, которые требуется отобразить в сводной таблице. Когда вы отметите поле, оно будет добавлено в один из доступных разделов на правой боковой панели в зависимости от типа данных и будет отображено в сводной таблице. Поля, содержащие текстовые значения, будут добавлены в раздел Строки; поля, содержащие числовые значения, будут добавлены в раздел Значения. Вы можете просто перетаскивать поля в нужный раздел, а также перетаскивать поля между разделами, чтобы быстро перестроить сводную таблицу. Чтобы удалить поле из текущего раздела, перетащите его за пределы этого раздела. Чтобы добавить поле в нужный раздел, также можно нажать на черную стрелку справа от поля в разделе Выбрать поля и выбрать нужную опцию из меню: Добавить в фильтры, Добавить в строки, Добавить в столбцы, Добавить в значения. Ниже приводятся примеры использования разделов Фильтры, Столбцы, Строки и Значения. При добавлении поля в раздел Фильтры над сводной таблицей будет добавлен отдельный фильтр. Он будет применен ко всей сводной таблице. Если нажать на кнопку со стрелкой в добавленном фильтре, вы увидите значения из выбранного поля. Если снять галочки с некоторых значений в окне фильтра и нажать кнопку OK, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение. Группировка и разгруппировка данных Данные в сводных таблицах можно сгруппировать в соответствии с индивидуальными требованиями. Группировка может быть выполнена по датам и основным числам. Группировка дат Чтобы сгруппировать даты, создайте сводную таблицу, содержащую необходимые даты. Щелкните правой кнопкой мыши по любой ячейке в сводной таблице с датой, в контекстном меню выберите параметр Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается первая дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать начальную точку. Заканчивая в - по умолчанию выбирается последняя дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать конечную точку. По - параметры Секунды, Минуты и Часы группируют данные в соответствии со временем, указанным в исходных данных. Параметр Месяцы исключает дни и оставляет только месяцы. Опция Кварталы работает при следующем условии: четыре месяца составляют квартал Кв1, Кв2 и т.д. опция Годы группирует даты по годам, указанным в исходных данных. Комбинируйте варианты, чтобы добиться желаемого результата. Количество дней - устанавливает необходимое значение для определения диапазона дат. По завершении нажмите ОК. Группировка чисел Чтобы сгруппировать числа, создайте сводную таблицу, включающую набор необходимых чисел. Щелкните правой кнопкой мыши любую ячейку в сводной таблице с номером, в контекстном меню выберите опцию Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается наименьшее число в исходных данных. Чтобы изменить его, введите в это поле нужное число. Отключите это поле, чтобы игнорировать наименьшее число. Заканчивая в - по умолчанию выбирается наибольшее число в исходных данных. Чтобы изменить его, введите в это поле нужный номер. Отключите это поле, чтобы игнорировать наибольшее число. По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д. По завершении нажмите ОК. Газгруппировка данных Чтобы разгруппировать ранее сгруппированные данные, щелкните правой кнопкой мыши любую ячейку в группе, выберите опцию Разгруппировать в контекстном меню. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой.. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация, сортировка и создание срезов в сводных таблицах Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В правой части окна фильтра можно выбрать команду Фильтр подписей или Фильтр значений, а затем выбрать одну из опций в подменю: Для Фильтра подписей доступны следующие опции: Для текстовых значений: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит.... Для числовых значений: Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между. Для Фильтра значений доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между, Первые 10. После выбора одной из вышеуказанных опций (кроме опций Первые 10), откроется окно Фильтра подписей/Значений. В первом и втором выпадающих списках будут выбраны соответствующее поле и критерий. Введите нужное значение в поле справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен. Сортировка Данные сводной таблицы можно сортировать, используя параметры сортировки. Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы и выберите опцию Сортировка по возрастанию или Сортировка по убыванию в подменю. Опция Дополнительные параметры сортировки... позволяет открыть окно Сортировать, в котором можно выбрать нужный порядок сортировки - По возрастанию (от А до Я) или По убыванию (от Я до А) - а затем выбрать определенное поле, которое требуется отсортировать. Создание срезов Чтобы упростить фильтрацию данных и отображать только то, что необходимо, вы можете добавить срезы. Чтобы узнать больше о срезах, пожалуйста, обратитесь к руководству по созданию срезов. Изменение дополнительных параметров сводной таблицы Чтобы изменить дополнительные параметры сводной таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Сводная таблица - Дополнительные параметры': На вкладке Название и макет можно изменить общие свойства сводной таблицы. С помощью опции Название можно изменить название сводной таблицы. В разделе Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице. Опции Показывать для строк и Показывать для столбцов отмечены по умолчанию. Вы можете снять галочку или с одной из них, или с них обеих, чтобы скрыть соответствующие общие итоги из сводной таблицы. Примечание: аналогичные настройки также доступны на верхней панели инструментов в меню Общие итоги. В разделе Отображать поля в области фильтра отчета можно настроить фильтры отчета, которые появляются при добавлении полей в раздел Фильтры: Опция Вниз, затем вправо используется для организации столбцов. Она позволяет отображать фильтры отчета по столбцам. Опция Вправо, затем вниз используется для организации строк. Она позволяет отображать фильтры отчета по строкам. Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение. В разделе Заголовки полей можно выбрать, надо ли отображать заголовки полей в сводной таблице. Опция Показывать заголовки полей для строк и столбцов выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы. На вкладке Источник данных можно изменить данные, которые требуется использовать для создания сводной таблицы. Проверьте выбранный Диапазон данных и измените его в случае необходимости. Для этого нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на рабочем листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит сводная таблица. Удаление сводной таблицы Для удаления сводной таблицы: Выделите всю сводную таблицу с помощью кнопки Выделить на верхней панели инструментов. Нажмите клавишу Delete." }, { "id": "UsageInstructions/RemoveDuplicates.htm", diff --git a/apps/spreadsheeteditor/main/resources/less/app.less b/apps/spreadsheeteditor/main/resources/less/app.less index a92f42255..084b84bc0 100644 --- a/apps/spreadsheeteditor/main/resources/less/app.less +++ b/apps/spreadsheeteditor/main/resources/less/app.less @@ -161,7 +161,7 @@ // Skeleton of workbook .doc-placeholder { - background: #fbfbfb; + background: @canvas-content-background; display: flex; width: 100%; height: 100%; diff --git a/apps/spreadsheeteditor/main/resources/less/statusbar.less b/apps/spreadsheeteditor/main/resources/less/statusbar.less index 909cc3619..6874612ed 100644 --- a/apps/spreadsheeteditor/main/resources/less/statusbar.less +++ b/apps/spreadsheeteditor/main/resources/less/statusbar.less @@ -23,8 +23,6 @@ text-align: center; &.disabled { - color: @border-preview-select-ie; - color: @border-preview-select; cursor: default; } } @@ -400,12 +398,6 @@ } } - &.masked #status-addtabs-box{ - button.disabled .btn-icon { - background-position-x: 0px !important; - } - opacity: 0.4; - } } .statusbar-mask { diff --git a/build/Gruntfile.js b/build/Gruntfile.js index 58af0a5c9..df942b632 100644 --- a/build/Gruntfile.js +++ b/build/Gruntfile.js @@ -66,6 +66,9 @@ module.exports = function(grunt) { }, { from: /\{\{HELP_URL\}\}/g, to: _encode(process.env.HELP_URL) || 'https://helpcenter.onlyoffice.com' + }, { + from: /\{\{DEFAULT_LANG\}\}/g, + to: _encode(process.env.DEFAULT_LANG) || 'en' }]; var helpreplacements = [ @@ -143,12 +146,22 @@ module.exports = function(grunt) { if (_.isObject(target) && _.isObject(source)) { for (const key in source) { - if (_.isObject(source[key])) { - if (!target[key]) Object.assign(target, { [key]: {} }); - else if (_.isArray(source[key])) target[key].push(...source[key]); - else _merge(target[key], source[key]); + let targetkey = key; + + if ( key[0] == '!' ) { + targetkey = key.substring(1); + + if ( _.isArray(target[targetkey]) || _.isObject(target[targetkey]) ) + target[targetkey] = undefined; + } + + if (_.isObject(source[key]) && target[targetkey]) { + // if (!target[targetkey]) Object.assign(target, { [targetkey]: {} }); + // else + if (_.isArray(source[key])) target[targetkey].push(...source[key]); + else _merge(target[targetkey], source[key]); } else { - Object.assign(target, { [key]: source[key] }); + Object.assign(target, { [targetkey]: source[key] }); } } } @@ -273,10 +286,10 @@ module.exports = function(grunt) { force: true }, prebuild: { - src: packageFile['main']['clean'] + src: packageFile.main.clean.prebuild }, postbuild: { - src: packageFile.main.svgicons.clean + src: [...packageFile.main.svgicons.clean, ...packageFile.main.clean.postbuild] } }, diff --git a/build/documenteditor.json b/build/documenteditor.json index 4af60d759..d3880ac26 100644 --- a/build/documenteditor.json +++ b/build/documenteditor.json @@ -5,9 +5,12 @@ "homepage": "http://www.onlyoffice.com", "private": true, "main": { - "clean": [ - "../deploy/web-apps/apps/documenteditor/main" - ], + "clean": { + "prebuild": [ + "../deploy/web-apps/apps/documenteditor/main" + ], + "postbuild": [] + }, "js": { "requirejs": { "options": { diff --git a/build/presentationeditor.json b/build/presentationeditor.json index 14f0dd739..cececc2de 100644 --- a/build/presentationeditor.json +++ b/build/presentationeditor.json @@ -5,9 +5,12 @@ "homepage": "http://www.onlyoffice.com", "private": true, "main": { - "clean": [ - "../deploy/web-apps/apps/presentationeditor/main" - ], + "clean": { + "prebuild": [ + "../deploy/web-apps/apps/presentationeditor/main" + ], + "postbuild": [] + }, "js": { "requirejs": { "options": { diff --git a/build/spreadsheeteditor.json b/build/spreadsheeteditor.json index 67a466ff3..216e47915 100644 --- a/build/spreadsheeteditor.json +++ b/build/spreadsheeteditor.json @@ -5,9 +5,12 @@ "homepage": "http://www.onlyoffice.com", "private": true, "main": { - "clean": [ - "../deploy/web-apps/apps/spreadsheeteditor/main" - ], + "clean": { + "prebuild": [ + "../deploy/web-apps/apps/spreadsheeteditor/main" + ], + "postbuild": [] + }, "js": { "requirejs": { "options": {
    Шрифт
    Изменить регистр Change caseИспользуется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста.Используется для изменения регистра шрифта. Как в предложениях. - регистр совпадает с обычным предложением. нижнеий регистр - все буквы маленькие. ВЕРХНИЙ РЕГИСТР - все буквы прописные. Каждое Слово С Прописной - каждое слово начинается с заглавной буквы. иЗМЕНИТЬ рЕГИСТР - поменять регистр выделенного текста или слова, в котором находится курсор мыши.
    Цвет выделения