diff --git a/CHANGELOG.md b/CHANGELOG.md index dea78e9b0..ae762ae81 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,44 +1,20 @@ # Change log -## 5.2 +## 5.3 ### All Editors -* Customize initial zoom for the embedded editors -* Customize availability of help in the editor -* Add File and Plugins tabs for viewers -* Mark username by color in the comments, review changes, chat messages -* bug #37570 -* Show edit-mode users in format () -* Don't duplicate online users in the left chat panel -* Sort comments in the popover by ascending creation time +* Save to pdfa format +* Add rotation and flip to image and shape settings (bug #19378) +* Save file copy to selected folder (bug #23603, bug #32790) +* Load image from storage +* Add customization parameter 'hideRightMenu' for hiding right panel on first loading (bug #39096) +* Show comments in view mode ### Document Editor -* Create and manage bookmarks -* Create internal hyperlinks to bookmarks and headings -* Content controls settings (highlight and appearance) -* Change numbering value, start/continue numbering -* Review changes and comments are in combined window -* Add page presets А0, А1, А2, А6 (bug #36583) -* Enable closing chart dialog while loading (bug #36870) -* Change encoding format for txt files (bug #36998) -* Add mode for filling forms -* Enable closing window when save to txt -* Enable inserting shapes when shape is selected -* Check new revisions in fast co-editing mode -* Save track-changes option for file key -* Disable bookmarks in the document headers (bug #38957) +* Search selected text +* Add blank page ### Spreadsheet Editor -* Set options for saving in PDF format (bug #34914) -* Cell settings in the right panel -* Add Layout tab: save margins, page size, orientation for sheets, align/arrange, group/ungroup objects (shapes, images, charts) -* Added hint for autofilters -* Change encoding format for csv files (bug #36998) -* Rename sheets in the mobile editor (bug #37701) -* Enable closing window when save to csv -* Save page options to file before printing -* Hide options for headings, gridlines, freeze panes in the viewer (bug #38033) +* Set print area ### Presentation Editor -* Add hints to presentation themes (bug #21362) -* Add presenter preview in the viewer (bug #37499) -* Enable closing chart dialog while loading (bug #36870) - +* Enter the slide number manually for internal hyperlinks +* Add ability to search and replace text \ No newline at end of file diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index 786dd53ce..2c838d9db 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -57,9 +57,10 @@ canBackToFolder: - deprecated. use "customization.goback" parameter, createUrl: 'create document url', sharingSettingsUrl: 'document sharing settings url', - fileChoiceUrl: 'mail merge sources url', + fileChoiceUrl: 'source url', // for mail merge or image from storage callbackUrl: , - mergeFolderUrl: 'folder for saving merged file', + mergeFolderUrl: 'folder for saving merged file', // must be deprecated, use saveAsUrl instead + saveAsUrl: 'folder for saving files' licenseUrl: , customerId: , @@ -89,8 +90,6 @@ imageEmbedded: url, url: http://... }, - backgroundColor: 'header background color', - textColor: 'header text color', customer: { name: 'SuperPuper', address: 'New-York, 125f-25', @@ -115,14 +114,17 @@ compactToolbar: false, leftMenu: true, rightMenu: true, + hideRightMenu: false, // hide or show right panel on first loading toolbar: true, - header: true, statusBar: true, autosave: true, forcesave: false, commentAuthorOnly: false, showReviewChanges: false, - help: true + help: true, + compactHeader: false, + toolbarNoTabs: false, + toolbarHideFileName: false }, plugins: { autostart: ['asc.{FFE1F462-1EA2-4391-990D-4CC84940B754}'], @@ -195,6 +197,8 @@ _config.editorConfig.canRequestEditRights = _config.events && !!_config.events.onRequestEditRights; _config.editorConfig.canRequestClose = _config.events && !!_config.events.onRequestClose; _config.editorConfig.canRename = _config.events && !!_config.events.onRequestRename; + _config.editorConfig.canMakeActionLink = _config.events && !!_config.events.onMakeActionLink; + _config.editorConfig.mergeFolderUrl = _config.editorConfig.mergeFolderUrl || _config.editorConfig.saveAsUrl; _config.frameEditorId = placeholderId; _config.events && !!_config.events.onReady && console.log("Obsolete: The onReady event is deprecated. Please use onAppReady instead."); @@ -369,6 +373,7 @@ // _config.editorConfig.canBackToFolder = false; if (!_config.editorConfig.customization) _config.editorConfig.customization = {}; _config.editorConfig.customization.about = false; + _config.editorConfig.customization.compactHeader = false; if ( window.AscDesktopEditor ) window.AscDesktopEditor.execCommand('webapps:events', 'loading'); } @@ -505,6 +510,15 @@ }); }; + var _setActionLink = function (data) { + _sendCommand({ + command: 'setActionLink', + data: { + url: data + } + }); + }; + var _processMailMerge = function(enabled, message) { _sendCommand({ command: 'processMailMerge', @@ -555,6 +569,7 @@ refreshHistory : _refreshHistory, setHistoryData : _setHistoryData, setEmailAddresses : _setEmailAddresses, + setActionLink : _setActionLink, processMailMerge : _processMailMerge, downloadAs : _downloadAs, serviceCommand : _serviceCommand, @@ -663,7 +678,7 @@ app = appMap[config.documentType.toLowerCase()]; } else if (!!config.document && typeof config.document.fileType === 'string') { - var type = /^(?:(xls|xlsx|ods|csv|xlst|xlsy|gsheet|xlsm|xlt|xltm|xltx|fods)|(pps|ppsx|ppt|pptx|odp|pptt|ppty|gslides|pot|potm|potx|ppsm|pptm|fodp))$/ + var type = /^(?:(xls|xlsx|ods|csv|xlst|xlsy|gsheet|xlsm|xlt|xltm|xltx|fods|ots)|(pps|ppsx|ppt|pptx|odp|pptt|ppty|gslides|pot|potm|potx|ppsm|pptm|fodp|otp))$/ .exec(config.document.fileType); if (type) { if (typeof type[1] === 'string') app = appMap['spreadsheet']; else @@ -720,7 +735,8 @@ if (config.type == "mobile") { iframe.style.position = "fixed"; - iframe.style.overflow = "hidden"; + iframe.style.overflow = "hidden"; + document.body.style.overscrollBehaviorY = "contain"; } return iframe; } diff --git a/apps/common/Gateway.js b/apps/common/Gateway.js index fe0cc2d50..a906dedba 100644 --- a/apps/common/Gateway.js +++ b/apps/common/Gateway.js @@ -76,6 +76,10 @@ if (Common === undefined) { $me.trigger('setemailaddresses', data); }, + 'setActionLink': function (data) { + $me.trigger('setactionlink', data.url); + }, + 'processMailMerge': function(data) { $me.trigger('processmailmerge', data); }, @@ -254,6 +258,10 @@ if (Common === undefined) { _postMessage({event: 'onRequestClose'}); }, + requestMakeActionLink: function (config) { + _postMessage({event:'onMakeActionLink', data: config}) + }, + on: function(event, handler){ var localHandler = function(event, data){ handler.call(me, data) diff --git a/apps/common/locale.js b/apps/common/locale.js index 556ec30d6..40c9a5f20 100644 --- a/apps/common/locale.js +++ b/apps/common/locale.js @@ -39,20 +39,22 @@ Common.Locale = new(function() { var _createXMLHTTPObject = function() { var xmlhttp; - try { - xmlhttp = new ActiveXObject("Msxml2.XMLHTTP"); - } - catch (e) { + if (typeof XMLHttpRequest != 'undefined') { + xmlhttp = new XMLHttpRequest(); + } else { try { - xmlhttp = new ActiveXObject("Microsoft.XMLHTTP"); - } - catch (E) { - xmlhttp = false; + xmlhttp = new ActiveXObject("Msxml2.XMLHTTP"); + } + catch (e) { + try { + xmlhttp = new ActiveXObject("Microsoft.XMLHTTP"); + } + catch (E) { + xmlhttp = false; + } } } - if (!xmlhttp && typeof XMLHttpRequest != 'undefined') { - xmlhttp = new XMLHttpRequest(); - } + return xmlhttp; }; diff --git a/apps/common/main/lib/collection/Comments.js b/apps/common/main/lib/collection/Comments.js index ab73f79ee..892192457 100644 --- a/apps/common/main/lib/collection/Comments.js +++ b/apps/common/main/lib/collection/Comments.js @@ -52,6 +52,7 @@ define([ Common.Collections.Comments = Backbone.Collection.extend({ model: Common.Models.Comment, + groups: null, clearEditing: function () { this.each(function(comment) { diff --git a/apps/common/main/lib/collection/Plugins.js b/apps/common/main/lib/collection/Plugins.js index aa548ce4c..d8d6706cc 100644 --- a/apps/common/main/lib/collection/Plugins.js +++ b/apps/common/main/lib/collection/Plugins.js @@ -49,6 +49,10 @@ define([ 'use strict'; Common.Collections.Plugins = Backbone.Collection.extend({ - model: Common.Models.Plugin + model: Common.Models.Plugin, + + hasVisible: function() { + return !!this.findWhere({visible: true}); + } }); }); diff --git a/apps/common/main/lib/component/Button.js b/apps/common/main/lib/component/Button.js index 39db9e229..1d0f3e956 100644 --- a/apps/common/main/lib/component/Button.js +++ b/apps/common/main/lib/component/Button.js @@ -132,7 +132,8 @@ define([ }; ButtonsArray.prototype.setDisabled = function(disable) { - if ( _disabled != disable ) { + // if ( _disabled != disable ) //bug when disable buttons outside the group + { _disabled = disable; this.forEach( function(button) { @@ -490,6 +491,7 @@ define([ if (isSplit) { $('[data-toggle^=dropdown]', el).on('mousedown', _.bind(menuHandler, this)); $('button', el).on('mousedown', _.bind(onMouseDown, this)); + (me.options.width>0) && $('button:first', el).css('width', me.options.width - $('[data-toggle^=dropdown]', el).outerWidth()); } el.on('hide.bs.dropdown', _.bind(doSplitSelect, me, false, 'arrow')); diff --git a/apps/common/main/lib/component/ComboBoxFonts.js b/apps/common/main/lib/component/ComboBoxFonts.js index 1991dc18b..4c0be1c55 100644 --- a/apps/common/main/lib/component/ComboBoxFonts.js +++ b/apps/common/main/lib/component/ComboBoxFonts.js @@ -69,7 +69,7 @@ define([ return { template: _.template([ '
', - '', + ' ', '
', '', '

The right sidebar is minimized by default. To expand it, select any object (e.g. image, chart, shape) or text passage and click the icon of the currently activated tab on the right. To minimize the right sidebar, click the icon once again.

-

When the Comments or Chat panel is opened, the left sidebar width is adjusted by simple drag-and-drop: +

When the Comments or Chat panel is opened, the left sidebar width is adjusted by simple drag-and-drop: move the mouse cursor over the left sidebar border so that it turns into the bidirectional arrow and drag the border to the right to extend the sidebar width. To restore its original width move the border to the left.

Use the Navigation Tools

To navigate through your document, use the following tools:

diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index 7a0139400..5f399abfe 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -30,7 +30,7 @@ DOC Filename extension for word processing documents created with Microsoft Word + - + + @@ -40,6 +40,13 @@ + + + + DOTX + Word Open XML Document Template
Zipped, XML-based file format developed by Microsoft for text document templates. A DOTX template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + + + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents @@ -47,6 +54,13 @@ + + + + OTT + OpenDocument Document Template
OpenDocument file format for text document templates. An OTT template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + + + in the online version + RTF Rich Text Format
Document file format developed by Microsoft for cross-platform document interchange @@ -68,12 +82,19 @@ + + + PDF/A + Portable Document Format / A
An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + + + + + + HTML HyperText Markup Language
The main markup language for web pages - - + + + + in the online version EPUB diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/FileTab.htm index b34aa506a..66c07a910 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/FileTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/FileTab.htm @@ -15,16 +15,26 @@

File tab

The File tab allows to perform some basic operations on the current file.

-

File tab

+
+

Online Document Editor window:

+

File tab

+
+
+

Desktop Document Editor window:

+

File tab

+

Using this tab, you can:

    -
  • save the current file (in case the Autosave option is disabled), download, print or rename it,
  • -
  • create a new document or open a recently edited one,
  • +
  • in the online version, save the current file (in case the Autosave option is disabled), download as (save the document in the selected format to the computer hard disk drive), save copy as (save a copy of the document in the selected format to the portal documents), print or rename it, + in the desktop version, save the current file keeping the current format and location using the Save option or save the current file with a different name, location or format using the Save as option, print the file. +
  • +
  • protect the file using a password, change or remove the password (available in the desktop version only);
  • +
  • create a new document or open a recently edited one (available in the online version only),
  • view general information about the document,
  • -
  • manage access rights,
  • -
  • track version history,
  • +
  • manage access rights (available in the online version only),
  • +
  • track version history (available in the online version only),
  • access the editor Advanced Settings,
  • -
  • return to the Documents list.
  • +
  • in the desktop version, open the folder where the file is stored in the File explorer window. In the online version, open the folder of the Documents module where the file is stored in a new browser tab.
diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/HomeTab.htm index 7dd5ad011..faa3d620f 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/HomeTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/HomeTab.htm @@ -14,8 +14,15 @@

Home tab

-

The Home tab opens by default when you open a document. It allows to format font and paragraphs. Some other options are also available here, such as Mail Merge and color schemes.

-

Home tab

+

The Home tab opens by default when you open a document. It allows to format font and paragraphs. Some other options are also available here, such as Mail Merge and color schemes.

+
+

Online Document Editor window:

+

Home tab

+
+
+

Desktop Document Editor window:

+

Home tab

+

Using this tab, you can:

diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/InsertTab.htm index 6c4579d8e..938c52f4f 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/InsertTab.htm @@ -15,9 +15,17 @@

Insert tab

The Insert tab allows to add some page formatting elements, as well as visual objects and comments.

-

Insert tab

+
+

Online Document Editor window:

+

Insert tab

+
+
+

Desktop Document Editor window:

+

Insert tab

+

Using this tab, you can:

    +
  • insert a blank page,
  • insert page breaks, section breaks and column breaks,
  • insert headers and footers and page numbers,
  • insert tables, images, charts, shapes,
  • diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm index 32b10a7a9..6a4758fda 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm @@ -15,7 +15,14 @@

    Layout tab

    The Layout tab allows to change the document appearance: set up page parameters and define the arrangement of visual elements.

    -

    Layout tab

    +
    +

    Online Document Editor window:

    +

    Layout tab

    +
    +
    +

    Desktop Document Editor window:

    +

    Layout tab

    +

    Using this tab, you can:

    • adjust page margins, orientation, size,
    • diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm index 5bef60a2e..92aea945d 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm @@ -15,19 +15,29 @@

      Plugins tab

      The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations.

      -

      Plugins tab

      +
      +

      Online Document Editor window:

      +

      Plugins tab

      +
      +
      +

      Desktop Document Editor window:

      +

      Plugins tab

      +
      +

      The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones.

      The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation.

      Currently, the following plugins are available by default:

      • ClipArt allows to add images from the clipart collection into your document,
      • +
      • Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color,
      • OCR allows to recognize text included into a picture and insert it into the document text,
      • PhotoEditor allows to edit images: crop, resize them, apply effects etc.,
      • -
      • Speech allows to convert the selected text into speech,
      • +
      • Speech allows to convert the selected text into speech,
      • Symbol Table allows to insert special symbols into your text,
      • +
      • Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one,
      • Translator allows to translate the selected text into other languages,
      • YouTube allows to embed YouTube videos into your document.
      -

      The Wordpress and EasyBib plugins can be used if you connect the corresponding services in your portal settings. You can use the following instructions for the server version or for the SaaS version.

      +

      The Wordpress and EasyBib plugins can be used if you connect the corresponding services in your portal settings. You can use the following instructions for the server version or for the SaaS version.

      To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub.

      diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index ebb9517ae..a3a7d211e 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -15,18 +15,38 @@

      Introducing the Document Editor user interface

      Document Editor uses a tabbed interface where editing commands are grouped into tabs by functionality.

      -

      Editor window

      +
      +

      Online Document Editor window:

      +

      Online Document Editor window

      +
      +
      +

      Desktop Document Editor window:

      +

      Desktop Document Editor window

      +

      The editor interface consists of the following main elements:

        -
      1. Editor header displays the logo, menu tabs, document name as well as three icons on the right that allow to set access rights, return to the Documents list, adjust View Settings and access the editor Advanced Settings. -

        Icons in the editor header

        +
      2. Editor header displays the logo, opened documents tabs, document name and menu tabs. +

        In the left part of the Editor header there are the Save, Print file, Undo and Redo buttons.

        +

        Icons in the editor header

        +

        In the right part of the Editor header the user name is displayed as well as the following icons:

        +
          +
        • Open file location Open file location - in the desktop version, it allows to open the folder where the file is stored in the File explorer window. In the online version, it allows to open the folder of the Documents module where the file is stored in a new browser tab.
        • +
        • View Settings icon - allows to adjust View Settings and access the editor Advanced Settings.
        • +
        • Manage document access rights icon Manage document access rights - (available in the online version only) allows to set access rights for the documents stored in the cloud.
        • +
      3. -
      4. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, References, Collaboration, Plugins. -

        The Print, Save, Copy, Paste, Undo and Redo options are always available at the left part of the Top toolbar regardless of the selected tab.

        -

        Icons on the top toolbar

        +
      5. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, References, Collaboration, Protection, Plugins. +

        The Copy icon Copy and Paste icon Paste options are always available at the left part of the Top toolbar regardless of the selected tab.

      6. Status bar at the bottom of the editor window contains the page number indicator, displays some notifications (such as "All changes saved" etc.), allows to set text language, enable spell checking, turn on the track changes mode, adjust zoom.
      7. -
      8. Left sidebar contains icons that allow to use the Search and Replace tool, open the Comments, Chat and Navigation panel, contact our support team and view the information about the program.
      9. +
      10. Left sidebar contains the following icons: +
          +
        • Search icon - allows to use the Search and Replace tool,
        • +
        • Comments icon - allows to open the Comments panel,
        • +
        • Navigation icon - allows to go to the Navigation panel and manage headings,
        • +
        • Chat icon - (available in the online version only) allows to open the Chat panel, as well as the icons that allow to contact our support team and view the information about the program.
        • +
        +
      11. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object in the text, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar.
      12. Horizontal and vertical Rulers allow to align text and other elements in a document, set up margins, tab stops, and paragraph indents.
      13. Working area allows to view document content, enter and edit data.
      14. diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm index efeac1c8c..96370d49a 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm @@ -15,7 +15,14 @@

        References tab

        The References tab allows to manage different types of references: add and refresh a table of contents, create and edit footnotes, insert hyperlinks.

        -

        References tab

        +
        +

        Online Document Editor window:

        +

        References tab

        +
        +
        +

        Desktop Document Editor window:

        +

        References tab

        +

        Using this tab, you can:

        • create and automatically update a table of contents,
        • diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ReviewTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ReviewTab.htm index 0fd056100..636ff2b0e 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/ReviewTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ReviewTab.htm @@ -14,18 +14,25 @@

          Collaboration tab

          -

          The Collaboration tab allows to organize collaborative work on the document: share the file, select a co-editing mode, manage comments, track changes made by a reviewer, view all versions and revisions.

          -

          Collaboration tab

          +

          The Collaboration tab allows to organize collaborative work on the document. In the online version, you can share the file, select a co-editing mode, manage comments, track changes made by a reviewer, view all versions and revisions. In the desktop version, you can manage comments and use the Track Changes feature.

          +
          +

          Online Document Editor window:

          +

          Collaboration tab

          +
          +
          +

          Desktop Document Editor window:

          +

          Collaboration tab

          +

          Using this tab, you can:

          diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddFormulasInTables.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddFormulasInTables.htm new file mode 100644 index 000000000..a70d2bd2a --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddFormulasInTables.htm @@ -0,0 +1,167 @@ + + + + Use formulas in tables + + + + + + + +
          +
          + +
          +

          Use formulas in tables

          +

          Insert a formula

          +

          You can perform simple calculations on data in table cells by adding formulas. To insert a formula into a table cell,

          +
            +
          1. place the cursor within the cell where you want to display the result,
          2. +
          3. click the Add formula button at the right sidebar,
          4. +
          5. in the Formula Settings window that opens, enter the necessary formula into the Formula field. +

            You can enter a needed formula manually using the common mathematical operators (+, -, *, /), e.g. =A1*B2 or use the Paste Function drop-down list to select one of the embedded functions, e.g. =PRODUCT(A1,B2).

            +

            Add formula

            +
          6. +
          7. manually specify necessary arguments within the parentheses in the Formula field. If the function requires several arguments, they must be separated by commas.
          8. +
          9. use the Number Format drop-down list if you want to display the result in a certain number format,
          10. +
          11. click OK.
          12. +
          +

          The result will be displayed in the selected cell.

          +

          To edit the added formula, select the result in the cell and click the Add formula button at the right sidebar, make the necessary changes in the Formula Settings window and click OK.

          +
          +

          Add references to cells

          +

          You can use the following arguments to quickly add references to cell ranges:

          +
            +
          • ABOVE - a reference to all the cells in the column above the selected cell
          • +
          • LEFT - a reference to all the cells in the row to the left of the selected cell
          • +
          • BELOW - a reference to all the cells in the column below the selected cell
          • +
          • RIGHT - a reference to all the cells in the row to the right of the selected cell
          • +
          +

          These arguments can be used with the AVERAGE, COUNT, MAX, MIN, PRODUCT, SUM functions.

          +

          You can also manually enter references to a certain cell (e.g., A1) or a range of cells (e.g., A1:B3).

          +

          Use bookmarks

          +

          If you have added some bookmarks to certain cells within your table, you can use these bookmarks as arguments when entering formulas.

          +

          In the Formula Settings window, place the cursor within the parentheses in the Formula entry field where you want the argument to be added and use the Paste Bookmark drop-down list to select one of the previously added bookmarks.

          +

          Update formula results

          +

          If you change some values in the table cells, you will need to manually update formula results:

          +
            +
          • To update a single formula result, select the necessary result and press F9 or right-click the result and use the Update field option from the menu.
          • +
          • To update several formula results, select the necessary cells or the entire table and press F9.
          • +
          +
          +

          Embedded functions

          +

          You can use the following standard math, statistical and logical functions:

          + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
          CategoryFunctionDescriptionExample
          MathematicalABS(x)The function is used to return the absolute value of a number.=ABS(-10)
          Returns 10
          LogicalAND(logical1, logical2, ...)The function is used to check if the logical value you enter is TRUE or FALSE. The function returns 1 (TRUE) if all the arguments are TRUE.=AND(1>0,1>3)
          Returns 0
          StatisticalAVERAGE(argument-list)The function is used to analyze the range of data and find the average value.=AVERAGE(4,10)
          Returns 7
          StatisticalCOUNT(argument-list)The function is used to count the number of the selected cells which contain numbers ignoring empty cells or those contaning text.=COUNT(A1:B3)
          Returns 6
          LogicalDEFINED()The function evaluates if a value in the cell is defined. The function returns 1 if the value is defined and calculated without errors and returns 0 if the value is not defined or calculated with an error.=DEFINED(A1)
          LogicalFALSE()The function returns 0 (FALSE) and does not require any argument.=FALSE
          Returns 0
          MathematicalINT(x)The function is used to analyze and return the integer part of the specified number.=INT(2.5)
          Returns 2
          StatisticalMAX(number1, number2, ...)The function is used to analyze the range of data and find the largest number.=MAX(15,18,6)
          Returns 18
          StatisticalMIN(number1, number2, ...)The function is used to analyze the range of data and find the smallest number.=MIN(15,18,6)
          Returns 6
          MathematicalMOD(x, y)The function is used to return the remainder after the division of a number by the specified divisor.=MOD(6,3)
          Returns 0
          LogicalNOT(logical)The function is used to check if the logical value you enter is TRUE or FALSE. The function returns 1 (TRUE) if the argument is FALSE and 0 (FALSE) if the argument is TRUE.=NOT(2<5)
          Returns 0
          LogicalOR(logical1, logical2, ...)The function is used to check if the logical value you enter is TRUE or FALSE. The function returns 0 (FALSE) if all the arguments are FALSE.=OR(1>0,1>3)
          Returns 1
          MathematicalPRODUCT(argument-list)The function is used to multiply all the numbers in the selected range of cells and return the product.=PRODUCT(2,5)
          Returns 10
          MathematicalROUND(x, num_digits)The function is used to round the number to the desired number of digits.=ROUND(2.25,1)
          Returns 2.3
          MathematicalSIGN(x)The function is used to return the sign of a number. If the number is positive, the function returns 1. If the number is negative, the function returns -1. If the number is 0, the function returns 0.=SIGN(-12)
          Returns -1
          MathematicalSUM(argument-list)The function is used to add all the numbers in the selected range of cells and return the result.=SUM(5,3,2)
          Returns 10
          LogicalTRUE()The function returns 1 (TRUE) and does not require any argument.=TRUE
          Returns 1
          +
          + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm index e9cc928e2..464482ca9 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm @@ -16,22 +16,57 @@

          Align and arrange objects on a page

          The added autoshapes, images, charts or text boxes can be aligned, grouped and ordered on a page. To perform any of these actions, first select a separate object or several objects on the page. To select several objects, hold down the Ctrl key and left-click the necessary objects. To select a text box, click on its border, not the text within it. After that you can use either the icons at the Layout tab of the top toolbar described below or the analogous options from the right-click menu.

          Align objects

          -

          To align the selected object(s), click the Align icon Align icon at the Layout tab of the top toolbar and select the necessary alignment type from the list:

          -
            -
          • Align Left Align Left icon - to line up the object(s) horizontally by the left side of the page,
          • -
          • Align Center Align Center icon - to line up the object(s) horizontally by the center of the page,
          • -
          • Align Right Align Right icon - to line up the object(s) horizontally by the right side of the page,
          • -
          • Align Top Align Top icon - to line up the object(s) vertically by the top side of the page,
          • -
          • Align Middle Align Middle icon - to line up the object(s) vertically by the middle of the page,
          • -
          • Align Bottom Align Bottom icon - to line up the object(s) vertically by the bottom side of the page.
          • -
          +

          To align two or more selected objects,

          +
            +
          1. Click the Align icon Align icon at the Layout tab of the top toolbar and select one of the following options: +
              +
            • Align to Page to align objects relative to the edges of the page,
            • +
            • Align to Margin to align objects relative to the page margins,
            • +
            • Align Selected Objects (this option is selected by default) to align objects relative to each other,
            • +
            +
          2. +
          3. Click the Align icon Align icon once again and select the necessary alignment type from the list: +
              +
            • Align Left Align Left icon - to line up the objects horizontally by the left edge of the leftmost object/left edge of the page/left page margin,
            • +
            • Align Center Align Center icon - to line up the objects horizontally by their centers/center of the page/center of the space between the left and right page margins,
            • +
            • Align Right Align Right icon - to line up the objects horizontally by the right edge of the rightmost object/right edge of the page/right page margin,
            • +
            • Align Top Align Top icon - to line up the objects vertically by the top edge of the topmost object/top edge of the page/top page margin,
            • +
            • Align Middle Align Middle icon - to line up the objects vertically by their middles/middle of the page/middle of the space between the top and bottom page margins,
            • +
            • Align Bottom Align Bottom icon - to line up the objects vertically by the bottom edge of the bottommost object/bottom edge of the page/bottom page margin.
            • +
            +
          4. +
          +

          Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available alignment options.

          +

          If you want to align a single object, it can be aligned relative to the edges of the page or to the page margins. The Align to Margin option is selected by default in this case.

          +

          Distribute objects

          +

          To distribute three or more selected objects horizontally or vertically so that the equal distance appears between them,

          +
            +
          1. + Click the Align icon Align icon at the Layout tab of the top toolbar and select one of the following options: +
              +
            • Align to Page to distribute objects between the edges of the page,
            • +
            • Align to Margin to distribute objects between the page margins,
            • +
            • Align Selected Objects (this option is selected by default) to distribute objects between two outermost selected objects,
            • +
            +
          2. +
          3. + Click the Align icon Align icon once again and select the necessary distribution type from the list: +
              +
            • Distribute Horizontally Distribute Horizontally icon - to distribute objects evenly between the leftmost and rightmost selected objects/left and right edges of the page/left and right page margins.
            • +
            • Distribute Vertically Distribute Vertically icon - to distribute objects evenly between the topmost and bottommost selected objects/top and bottom edges of the page/top and bottom page margins.
            • +
            +
          4. +
          +

          Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available distribution options.

          +

          Note: the distribution options are disabled if you select less than three objects.

          Group objects

          -

          To group two or more selected objects or ungroup them, click the arrow next to the Group icon Group icon at the Layout tab of the top toolbar and select the necessary option from the list:

          +

          To group two or more selected objects or ungroup them, click the arrow next to the Group icon Group icon at the Layout tab of the top toolbar and select the necessary option from the list:

          • Group Group icon - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object.
          • Ungroup Ungroup icon - to ungroup the selected group of the previously joined objects.

          Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option.

          +

          Note: the Group option is disabled if you select less than two objects. The Ungroup option is available only when a group of the previously joined objects is selected.

          Arrange objects

          To arrange objects (i.e. to change their order when several objects overlap each other), you can use the Bring Forward icon Bring Forward and Send Backward icon Send Backward icons at the Layout tab of the top toolbar and select the necessary arrangement type from the list.

          To move the selected object(s) forward, click the arrow next to the Bring Forward icon Bring Forward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list:

          @@ -44,6 +79,7 @@
        • Send To Background Send To Background icon - to move the object(s) behind all other objects,
        • Send Backward Send Backward icon - to move the selected object(s) by one level backward as related to other objects.
        +

        Alternatively, you can right-click the selected object(s), choose the Arrange option from the contextual menu and then use one of the available arrangement options.

        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm index 88c53f3bf..5279b54dc 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm @@ -17,12 +17,12 @@

        Use basic clipboard operations

        To cut, copy and paste text passages and inserted objects (autoshapes, images, charts) within the current document use the corresponding options from the right-click menu or icons available at any tab of the top toolbar:

          -
        • Cut – select a text fragment or an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same document.
        • -
        • Copy – select a text fragment or an object and use the Copy option from the right-click menu, or the Copy Copy icon icon at the top toolbar to copy the selection to the computer clipboard memory. The copied data can be later inserted to another place in the same document.
        • +
        • Cut – select a text fragment or an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same document.
        • +
        • Copy – select a text fragment or an object and use the Copy option from the right-click menu, or the Copy Copy icon icon at the top toolbar to copy the selection to the computer clipboard memory. The copied data can be later inserted to another place in the same document.
        • Paste – find the place in your document where you need to paste the previously copied text fragment/object and use the Paste option from the right-click menu, or the Paste Paste icon icon at the top toolbar. - The text/object will be inserted at the current cursor position. The data can be previously copied from the same document.
        • + The text/object will be inserted at the current cursor position. The data can be previously copied from the same document.
        -

        To copy or paste data from/into another document or some other program use the following key combinations:

        +

        In the online version, the following key combinations are only used to copy or paste data from/into another document or some other program, in the desktop version, both the corresponding buttons/menu options and key combinations can be used for any copy/paste operations:

        • Ctrl+X key combination for cutting;
        • Ctrl+C key combination for copying;
        • @@ -43,11 +43,14 @@
        • Keep text only - allows to paste the table contents as text values separated by the tab character.

        Undo/redo your actions

        -

        To perform the undo/redo operations, use the corresponding icons available at any tab of the top toolbar or keyboard shortcuts:

        +

        To perform the undo/redo operations, use the corresponding icons in the editor header or keyboard shortcuts:

          -
        • Undo – use the Undo Undo icon icon at the top toolbar or the Ctrl+Z key combination to undo the last operation you performed.
        • -
        • Redo – use the Redo Redo icon icon at the top toolbar or the Ctrl+Y key combination to redo the last undone operation.
        • +
        • Undo – use the Undo Undo icon icon at the left part of the editor header or the Ctrl+Z key combination to undo the last operation you performed.
        • +
        • Redo – use the Redo Redo icon icon at the left part of the editor header or the Ctrl+Y key combination to redo the last undone operation.
        +

        + Note: when you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available. +

        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm index 37c15b971..bdf90b6cb 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm @@ -57,8 +57,10 @@
      15. Subscript is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas.
      16. Small caps is used to make all letters lower case.
      17. All caps is used to make all letters upper case.
      18. -
      19. Spacing is used to set the space between the characters.
      20. -
      21. Position is used to set the characters position in the line.
      22. +
      23. 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.
      24. +
      25. Position is used to set the characters position (vertical offset) in the line. Increase the default value to move characters upwards, or decrease the default value to move characters downwards. Use the arrow buttons or enter the necessary value in the box. +

        All the changes will be displayed in the preview field below.

        +

    Paragraph Advanced Settings - Font

    diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm index 869698c01..cf5e18650 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm @@ -20,12 +20,12 @@ Font Font - Is used to select one of the fonts from the list of the available ones. + Is used to select one of the fonts from the list of the available ones. If a required font is not available in the list, you can download and install it on your operating system, after that the font will be available for use in the desktop version. Font size Font size - Is used to select among the preset font size values from the dropdown list, or can be entered manually to the font size field. + Is used to select among the preset font size values from 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 to the font size field and then press Enter. Increment font size diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm index ec461e8a3..38b6b851b 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm @@ -45,7 +45,8 @@
  • Arrange is used to bring the selected autoshape to foreground, send to background, move forward or backward as well as group or ungroup shapes to perform operations with several of them at once. To learn more on how to arrange objects you can refer to this page.
  • Align is used to align the shape left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page.
  • Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Editing Wrap Boundary
  • -
  • Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window.
  • +
  • Rotate is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically.
  • +
  • Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window.

Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the shape and choose the Shape settings Shape settings icon icon on the right. Here you can change the following properties:

@@ -102,6 +103,14 @@
  • To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines).
  • +
  • Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: +
      +
    • Rotate counterclockwise icon to rotate the shape by 90 degrees counterclockwise
    • +
    • Rotate clockwise icon to rotate the shape by 90 degrees clockwise
    • +
    • Flip horizontally icon to flip the shape horizontally (left to right)
    • +
    • Flip vertically icon to flip the shape vertically (upside down)
    • +
    +
  • Wrapping Style - use this section to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below).
  • Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list.
  • @@ -124,6 +133,12 @@
  • If the Lock aspect ratio option is checked, the width and height will be changed together preserving the original shape aspect ratio.
  • +

    Shape - Advanced Settings

    +

    The Rotation tab contains the following parameters:

    +
      +
    • Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right.
    • +
    • Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down).
    • +

    Shape - Advanced Settings

    The Text Wrapping tab contains the following parameters:

      @@ -165,7 +180,7 @@
    • Allow overlap controls whether two autoshapes overlap or not if you drag them near each other on the page.

    Shape - Advanced Settings

    -

    The Shape Settings tab contains the following parameters:

    +

    The Weights & Arrows tab contains the following parameters:

    • Line Style - this option group allows to specify the following parameters:
        diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertBookmarks.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertBookmarks.htm index 5f302f319..f755f2750 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertBookmarks.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertBookmarks.htm @@ -11,7 +11,7 @@
        - +

        Add bookmarks

        Bookmarks allow to quickly jump to a certain position in the current document or add a link to this location within the document.

        diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm index d0a642f86..401f3c850 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm @@ -26,7 +26,7 @@
      • after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls:
        • Copy and Paste for copying and pasting the copied data
        • -
        • Undo and Redo for undoing and redoing actions
        • +
        • Undo and Redo for undoing and redoing actions
        • Insert function for inserting a function
        • Decrease decimal and Increase decimal for decreasing and increasing decimal places
        • Number format for changing the number format, i.e. the way the numbers you enter appear in cells
        • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm index feaf13580..801a40b89 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm @@ -52,7 +52,7 @@

          Content Control settings window

          • Specify the content control Title or Tag in the corresponding fields. The title will be displayed when the control is selected in the document. Tags are used to identify content controls so that you can make reference to them in your code.
          • -
          • Choose if you want to display the content control with a Bounding box or not. Use the None option to display the control without the bounding box. If you select the Bounding box option, you can choose this box Color using the field below.
          • +
          • Choose if you want to display the content control with a Bounding box or not. Use the None option to display the control without the bounding box. If you select the Bounding box option, you can choose this box Color using the field below. Click the Apply to All button to apply the spesified Appearance settings to all the content controls in the document.
          • Protect the content control from being deleted or edited using the option from the Locking section:
            • Content control cannot be deleted - check this box to protect the content control from being deleted.
            • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm index 0df7cce81..1b191fce8 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm @@ -25,6 +25,7 @@
              • the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button
              • the Image from URL option will open the window where you can enter the necessary image web address and click the OK button
              • +
              • the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button
            • once the image is added you can change its size, properties, and position.
            • @@ -41,8 +42,30 @@

              Adjust image settings

              Image Settings tabSome of the image settings can be altered using the Image settings tab of the right sidebar. To activate it click the image and choose the Image settings Image settings icon icon on the right. Here you can change the following properties:

                -
              • Size is used to view the current image Width and Height. If necessary, you can restore the default image size clicking the Default Size button. The Fit to Margin button allows to resize the image, so that it occupies all the space between the left and right page margin.
              • -
              • Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below).
              • +
              • Size is used to view the current image Width and Height. If necessary, you can restore the default image size clicking the Default Size button. The Fit to Margin button allows to resize the image, so that it occupies all the space between the left and right page margin. +

                The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the Arrow icon and drag the area.

                +
                  +
                • To crop a single side, drag the handle located in the center of this side.
                • +
                • To simultaneously crop two adjacent sides, drag one of the corner handles.
                • +
                • To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides.
                • +
                • To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles.
                • +
                +

                When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes.

                +

                After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need:

                +
                  +
                • If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed.
                • +
                • If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area.
                • +
                +
              • +
              • Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: +
                  +
                • Rotate counterclockwise icon to rotate the image by 90 degrees counterclockwise
                • +
                • Rotate clockwise icon to rotate the image by 90 degrees clockwise
                • +
                • Flip horizontally icon to flip the image horizontally (left to right)
                • +
                • Flip vertically icon to flip the image vertically (upside down)
                • +
                +
              • +
              • Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below).
              • Replace Image is used to replace the current image loading another one From File or From URL.

              Some of these options you can also find in the right-click menu. The menu options are:

              @@ -51,7 +74,9 @@
            • Arrange is used to bring the selected image to foreground, send to background, move forward or backward as well as group or ungroup images to perform operations with several of them at once. To learn more on how to arrange objects you can refer to this page.
            • Align is used to align the image left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page.
            • Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Editing Wrap Boundary
            • -
            • Default Size is used to change the current image size to the default one.
            • +
            • Rotate is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically.
            • +
            • Crop is used to apply one of the cropping options: Crop, Fill or Fit. Select the Crop option from the submenu, then drag the cropping handles to set the cropping area, and click one of these three options from the submenu once again to apply the changes.
            • +
            • Default Size is used to change the current image size to the default one.
            • Replace image is used to replace the current image loading another one From File or From URL.
            • Image Advanced Settings is used to open the 'Image - Advanced Settings' window.
            @@ -63,6 +88,12 @@
            • Width and Height - use these options to change the image width and/or height. If the Constant proportions Constant proportions icon button is clicked (in this case it looks like this Constant proportions icon activated), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button.
            +

            Image - Advanced Settings: Rotation

            +

            The Rotation tab contains the following parameters:

            +
              +
            • Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right.
            • +
            • Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down).
            • +

            Image - Advanced Settings: Text Wrapping

            The Text Wrapping tab contains the following parameters:

              diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm index 8f7624983..816714d60 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm @@ -59,7 +59,7 @@
            • Distribute rows is used to adjust the selected cells so that they have the same height without changing the overall table height.
            • Distribute columns is used to adjust the selected cells so that they have the same width without changing the overall table width.
            • Cell Vertical Alignment is used to align the text top, center or bottom in the selected cell.
            • -
            • Text Direction - is used to change the text orientation in a cell. You can place the text horizontally, vertically from top to bottom (Rotate at 90°), or vertically from bottom to top (Rotate at 270°).
            • +
            • Text Direction - is used to change the text orientation in a cell. You can place the text horizontally, vertically from top to bottom (Rotate Text Down), or vertically from bottom to top (Rotate Text Up).
            • Table Advanced Settings is used to open the 'Table - Advanced Settings' window.
            • Hyperlink is used to insert a hyperlink.
            • Paragraph Advanced Settings is used to open the 'Paragraph - Advanced Settings' window.
            • @@ -86,7 +86,8 @@
            • Borders Style is used to select the border size, color, style as well as background color.

            • Rows & Columns is used to perform some operations with the table: select, delete, insert rows and columns, merge cells, split a cell.

            • Cell Size is used to adjust the width and height of the currently selected cell. In this section, you can also Distribute rows so that all the selected cells have equal height or Distribute columns so that all the selected cells have equal width.

            • -
            • Repeat as header row at the top of each page is used to insert the same header row at the top of each page in long tables.

            • +
            • Add formula is used to insert a formula into the selected table cell.

            • +
            • Repeat as header row at the top of each page is used to insert the same header row at the top of each page in long tables.

            • Show advanced settings is used to open the 'Table - Advanced Settings' window.


            diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm index cc66eed45..125a06ce4 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm @@ -38,13 +38,13 @@
            • to resize, move, rotate the text box use the special handles on the edges of the shape.
            • to edit the text box fill, stroke, wrapping style or replace the rectangular box with a different shape, click the Shape settings Shape settings icon icon on the right sidebar and use the corresponding options.
            • -
            • to align the text box on the page, arrange text boxes as related to other objects, change a wrapping style or access the shape advanced settings, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects you can refer to this page.
            • +
            • to align the text box on the page, arrange text boxes as related to other objects, rotate or flip a text box, change a wrapping style or access the shape advanced settings, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects you can refer to this page.

            Format the text within the text box

            Click the text within the text box to be able to change its properties. When the text is selected, the text box borders are displayed as dashed lines.

            Text selected

            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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion of the text separately.

            -

            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 (is selected by default), Rotate at 90° (sets a vertical direction, from top to bottom) or Rotate at 270° (sets a vertical direction, from bottom to top).

            +

            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 (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets a vertical direction, from bottom to top).

            To align the text vertically within the text box, right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom.

            Other formatting options that you can apply are the same as the ones for regular text. Please refer to the corresponding help sections to learn more about the necessary operation. You can:

              diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm index 4e4ef8ae4..ed96fe56d 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm @@ -14,19 +14,52 @@
      • Create a new document or open an existing one

        -

        After you finished working at one document, you can immediately proceed to an already existing document that you have recently edited, create a new one, or return to the list of existing documents.

        -

        To create a new document,

        -
          -
        1. click the File tab of the top toolbar,
        2. -
        3. select the Create New... option.
        4. -
        -

        To open a recently edited document within Document Editor,

        -
          -
        1. click the File tab of the top toolbar,
        2. -
        3. select the Open Recent... option,
        4. -
        5. choose the document you need from the list of recently edited documents.
        6. -
        -

        To return to the list of existing documents, click the Go to Documents Go to Documents icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Go to Documents option.

        - +
        To create a new document
        +
        +

        In the online editor

        +
          +
        1. click the File tab of the top toolbar,
        2. +
        3. select the Create New option.
        4. +
        +
        +
        +

        In the desktop editor

        +
          +
        1. in the main program window, select the Document menu item from the Create new section of the left sidebar - a new file will open in a new tab,
        2. +
        3. when all the necessary changes are made, click the Save Save icon icon in the upper left corner or switch to the File tab and choose the Save as menu item.
        4. +
        5. in the file manager window, select the file location, specify its name, choose the format you want to save the document to (DOCX, Document template, ODT, RTF, TXT, PDF or PDFA) and click the Save button.
        6. +
        +
        + +
        +
        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. +
        3. choose the necessary document from the file manager window and click the Open button.
        4. +
        +

        You can also right-click the necessary document in the file manager window, select the Open with option and choose the necessary application from the menu. If the office documents files are associated with the application, you can also open documents by double-clicking the file name in the file explorer window.

        +

        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 document
        +
        +

        In the online editor

        +
          +
        1. click the File tab of the top toolbar,
        2. +
        3. select the Open Recent... option,
        4. +
        5. choose the document you need from the list of recently edited documents.
        6. +
        +
        +
        +

        In the desktop editor

        +
          +
        1. in the main program window, select the Recent files menu item at the left sidebar,
        2. +
        3. choose the document you need from the list of recently edited documents.
        4. +
        +
        + +

        To open the folder where the file is stored in a new browser tab in the online version, in the file explorer window in the desktop version, click the Open file location Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Open file location option.

        + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/PageBreaks.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/PageBreaks.htm index 40258c732..bd080983c 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/PageBreaks.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/PageBreaks.htm @@ -14,9 +14,10 @@

        Insert page breaks

        -

        In Document Editor, you can add the page break to start a new page and adjust pagination options.

        +

        In Document Editor, you can add a page break to start a new page, insert a blank page and adjust pagination options.

        To insert a page break at the current cursor position click the Breaks icon Breaks icon at the Insert or Layout tab of the top toolbar or click the arrow next to this icon and select the Insert Page Break option from the menu. You can also use the Ctrl+Enter key combination.

        -

        To insert a page break before the selected paragraph i.e. to start this paragraph at the top of a new page:

        +

        To insert a blank page at the current cursor position click the Blank page icon Blank Page icon at the Insert tab of the top toolbar. This inserts two page breaks that creates a blank page.

        +

        To insert a page break before the selected paragraph i.e. to start this paragraph at the top of a new page:

        • click the right mouse button and select the Page break before option in the menu, or
        • click the right mouse button, select the Paragraph Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar, and check the Page break before box in the opened Paragraph - Advanced Settings window. diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index e28115e3e..c18d63b7f 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -14,28 +14,48 @@

          Save/download/print your document

          -

          By default, Document Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page.

          -

          To save your current document manually,

          +

          Saving

          +

          By default, online Document Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page.

          +

          To save your current document manually in the current format and location,

            -
          • press the Save Save icon icon at the top toolbar, or
          • +
          • press the Save Save icon icon in the left part of the editor header, or
          • use the Ctrl+S key combination, or
          • click the File tab of the top toolbar and select the Save option.
          +

          Note: in the desktop version, to prevent data loss in case of the unexpected program closing you can turn on the Autorecover option at the Advanced Settings page.

          +
          +

          In the desktop version, you can save the document with another name, in a new location or format,

          +
            +
          1. click the File tab of the top toolbar,
          2. +
          3. select the Save as... option,
          4. +
          5. choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDFA. You can also choose the Document template (DOTX) option.
          6. +
          +
          -

          To download the resulting document onto your computer hard disk drive,

          +

          Downloading

          +

          In the online version, you can download the resulting document onto your computer hard disk drive,

          1. click the File tab of the top toolbar,
          2. select the Download as... option,
          3. -
          4. choose one of the available formats depending on your needs: DOCX, PDF, TXT, ODT, RTF, HTML.
          5. +
          6. choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.
          +

          Saving a copy

          +

          In the online version, you can save a copy of the file on your portal,

          +
            +
          1. click the File tab of the top toolbar,
          2. +
          3. select the Save Copy as... option,
          4. +
          5. choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML,
          6. +
          7. select a location of the file on the portal and press Save.
          8. +
          +

          Printing

          To print out the current document,

            -
          • click the Print Print icon icon at the top toolbar, or
          • +
          • click the Print Print icon icon in the left part of the editor header, or
          • use the Ctrl+P key combination, or
          • click the File tab of the top toolbar and select the Print option.
          -

          After that a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later.

          +

          In the desktop version, the file will be printed directly.In the online version, a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing.

          \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/UseMailMerge.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/UseMailMerge.htm index 1e5c99b4a..7583e0ffe 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/UseMailMerge.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/UseMailMerge.htm @@ -14,7 +14,7 @@

          Use Mail Merge

          -

          Note: this option is available for paid versions only.

          +

          Note: this option is available in the online version only.

          The Mail Merge feature is used to create a set of documents combining a common content which is taken from a text document and some individual components (variables, such as names, greetings etc.) taken from a spreadsheet (for example, a customer list). It can be useful if you need to create a lot of personalized letters and send them to recipients.

          To start working with the Mail Merge feature,

            @@ -37,7 +37,7 @@
          1. Here you can add new information, edit or delete the existing data, if necessary. To simplify working with data, you can use the icons on the top of the window:
            • Copy and Paste - to copy and paste the copied data
            • -
            • Undo and Redo - to undo and redo undone actions
            • +
            • Undo and Redo - to undo and redo undone actions
            • Sort Lowest to Highest icon and Sort Highest to Lowest icon - to sort your data within a selected range of cells in ascending or descending order
            • Filter icon - to enable the filter for the previously selected range of cells or to remove the applied filter
            • Clear Filter icon - to clear all the applied filter parameters diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm index ac32465b8..2fcf925e4 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm @@ -16,17 +16,19 @@

              View document information

              To access the detailed information about the currently edited document, click the File tab of the top toolbar and select the Document Info... option.

              General Information

              -

              The document information includes document title, author, location, creation date, and statistics: the number of pages, paragraphs, words, symbols, symbols with spaces.

              +

              The document information includes document title, the application the document was created with and statistics: the number of pages, paragraphs, words, symbols, symbols with spaces. In the online version, the following information is also displayed: author, location, creation date.

              Note: Online Editors allow you to change the document title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK.

              Permission Information

              +

              In the online version, you can view the information about permissions to the files stored in the cloud.

              Note: this option is not available for users with the Read Only permissions.

              To find out, who have rights to view or edit the document, select the Access Rights... option at the left sidebar.

              You can also change currently selected access rights by pressing the Change access rights button in the Persons who have rights section.

              Version History

              -

              Note: this option is not available for free accounts as well as for users with the Read Only permissions.

              +

              In the online version, you can view the version history for the files stored in the cloud.

              +

              Note: this option is not available for users with the Read Only permissions.

              To view all the changes made to this document, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon Version History icon at the Collaboration tab of the top toolbar. You'll see the list of this document versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For document versions, the version number is also specified (e.g. ver. 2). To know exactly which changes have been made in each separate version/revision, you can view the one you need by clicking it at the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author name on the left sidebar. You can use the Restore link below the selected version/revision to restore it.

              Version History

              To return to the document current version, use the Close History option on the top of the version list.

              diff --git a/apps/documenteditor/main/resources/help/en/editor.css b/apps/documenteditor/main/resources/help/en/editor.css index cf3e4f141..b715ff519 100644 --- a/apps/documenteditor/main/resources/help/en/editor.css +++ b/apps/documenteditor/main/resources/help/en/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 70%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/images/blankpage.png b/apps/documenteditor/main/resources/help/en/images/blankpage.png new file mode 100644 index 000000000..11180c591 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/blankpage.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/distributehorizontally.png b/apps/documenteditor/main/resources/help/en/images/distributehorizontally.png new file mode 100644 index 000000000..8e33a0c28 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/distributehorizontally.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/distributevertically.png b/apps/documenteditor/main/resources/help/en/images/distributevertically.png new file mode 100644 index 000000000..1e5f39011 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/distributevertically.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/document_language_window.png b/apps/documenteditor/main/resources/help/en/images/document_language_window.png index 664678731..d9c0f2b2f 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/document_language_window.png and b/apps/documenteditor/main/resources/help/en/images/document_language_window.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/fliplefttoright.png b/apps/documenteditor/main/resources/help/en/images/fliplefttoright.png new file mode 100644 index 000000000..b6babc560 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/fliplefttoright.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/flipupsidedown.png b/apps/documenteditor/main/resources/help/en/images/flipupsidedown.png new file mode 100644 index 000000000..b8ce45f8f Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/flipupsidedown.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/formula_settings.png b/apps/documenteditor/main/resources/help/en/images/formula_settings.png new file mode 100644 index 000000000..2d4cfe680 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/formula_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/hyperlinkwindow1.png b/apps/documenteditor/main/resources/help/en/images/hyperlinkwindow1.png index 5282c4af5..952591312 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/hyperlinkwindow1.png and b/apps/documenteditor/main/resources/help/en/images/hyperlinkwindow1.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_properties.png b/apps/documenteditor/main/resources/help/en/images/image_properties.png index 1f605cabd..db316670e 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/image_properties.png and b/apps/documenteditor/main/resources/help/en/images/image_properties.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_properties_1.png b/apps/documenteditor/main/resources/help/en/images/image_properties_1.png index e194d6cfc..5a4cbb161 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/image_properties_1.png and b/apps/documenteditor/main/resources/help/en/images/image_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_properties_2.png b/apps/documenteditor/main/resources/help/en/images/image_properties_2.png index ef7d0fa8f..23f9db190 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/image_properties_2.png and b/apps/documenteditor/main/resources/help/en/images/image_properties_2.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_properties_3.png b/apps/documenteditor/main/resources/help/en/images/image_properties_3.png index 7e91c7d12..73836d2d0 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/image_properties_3.png and b/apps/documenteditor/main/resources/help/en/images/image_properties_3.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_properties_4.png b/apps/documenteditor/main/resources/help/en/images/image_properties_4.png new file mode 100644 index 000000000..59134346d Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/image_properties_4.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png new file mode 100644 index 000000000..e66a9cf96 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png new file mode 100644 index 000000000..97eff684d Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png new file mode 100644 index 000000000..92990e951 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png new file mode 100644 index 000000000..b317b7d71 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_layouttab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_layouttab.png new file mode 100644 index 000000000..b125bf182 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_pluginstab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_pluginstab.png new file mode 100644 index 000000000..3f6aabd75 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..dbc43d476 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png new file mode 100644 index 000000000..f7f541c32 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_reviewtab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_reviewtab.png new file mode 100644 index 000000000..e6fd98710 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png b/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png index d0c047d22..8b483fc99 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png and b/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/filetab.png b/apps/documenteditor/main/resources/help/en/images/interface/filetab.png index 02f85ec21..cddbe7dd3 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/filetab.png and b/apps/documenteditor/main/resources/help/en/images/interface/filetab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/hometab.png b/apps/documenteditor/main/resources/help/en/images/interface/hometab.png index 5d1f58e8c..b05d6ddad 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/hometab.png and b/apps/documenteditor/main/resources/help/en/images/interface/hometab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/inserttab.png b/apps/documenteditor/main/resources/help/en/images/interface/inserttab.png index 4601fc9e5..1bef3a12e 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/inserttab.png and b/apps/documenteditor/main/resources/help/en/images/interface/inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/layouttab.png b/apps/documenteditor/main/resources/help/en/images/interface/layouttab.png index 489616f9b..6a8e74f00 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/layouttab.png and b/apps/documenteditor/main/resources/help/en/images/interface/layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/leftpart.png b/apps/documenteditor/main/resources/help/en/images/interface/leftpart.png index f3f1306f3..e8d22566a 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/leftpart.png and b/apps/documenteditor/main/resources/help/en/images/interface/leftpart.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/pluginstab.png b/apps/documenteditor/main/resources/help/en/images/interface/pluginstab.png index 4b780d2fa..f39ee3c06 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/pluginstab.png and b/apps/documenteditor/main/resources/help/en/images/interface/pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/referencestab.png b/apps/documenteditor/main/resources/help/en/images/interface/referencestab.png index 3eff038a7..c52747c74 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/referencestab.png and b/apps/documenteditor/main/resources/help/en/images/interface/referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/reviewtab.png b/apps/documenteditor/main/resources/help/en/images/interface/reviewtab.png index bb6e87527..d8f46dec3 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/reviewtab.png and b/apps/documenteditor/main/resources/help/en/images/interface/reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/print.png b/apps/documenteditor/main/resources/help/en/images/print.png index 03fd49783..9a03cc682 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/print.png and b/apps/documenteditor/main/resources/help/en/images/print.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/redo.png b/apps/documenteditor/main/resources/help/en/images/redo.png index 5002b4109..dbfcacc66 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/redo.png and b/apps/documenteditor/main/resources/help/en/images/redo.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/redo1.png b/apps/documenteditor/main/resources/help/en/images/redo1.png new file mode 100644 index 000000000..e44b47cbf Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/redo1.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_autoshape.png b/apps/documenteditor/main/resources/help/en/images/right_autoshape.png index 2290c7202..67239d0e9 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_autoshape.png and b/apps/documenteditor/main/resources/help/en/images/right_autoshape.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_image.png b/apps/documenteditor/main/resources/help/en/images/right_image.png index 65ca9e644..0eeb45e9e 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_image.png and b/apps/documenteditor/main/resources/help/en/images/right_image.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_table.png b/apps/documenteditor/main/resources/help/en/images/right_table.png index 4a6c0af37..3a66d8762 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_table.png and b/apps/documenteditor/main/resources/help/en/images/right_table.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/rotateclockwise.png b/apps/documenteditor/main/resources/help/en/images/rotateclockwise.png new file mode 100644 index 000000000..d27f575b3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/rotateclockwise.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/rotatecounterclockwise.png b/apps/documenteditor/main/resources/help/en/images/rotatecounterclockwise.png new file mode 100644 index 000000000..43e6a1064 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/rotatecounterclockwise.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/save.png b/apps/documenteditor/main/resources/help/en/images/save.png index e6a82d6ac..61e3cc891 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/save.png and b/apps/documenteditor/main/resources/help/en/images/save.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties.png b/apps/documenteditor/main/resources/help/en/images/shape_properties.png index d9698f2bf..ac4d77834 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/shape_properties.png and b/apps/documenteditor/main/resources/help/en/images/shape_properties.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties_1.png b/apps/documenteditor/main/resources/help/en/images/shape_properties_1.png index 867adb96f..5c66ae839 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/shape_properties_1.png and b/apps/documenteditor/main/resources/help/en/images/shape_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties_2.png b/apps/documenteditor/main/resources/help/en/images/shape_properties_2.png index 795335ba1..a18189199 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/shape_properties_2.png and b/apps/documenteditor/main/resources/help/en/images/shape_properties_2.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties_3.png b/apps/documenteditor/main/resources/help/en/images/shape_properties_3.png index 697e9d04a..ea2b821e5 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/shape_properties_3.png and b/apps/documenteditor/main/resources/help/en/images/shape_properties_3.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties_4.png b/apps/documenteditor/main/resources/help/en/images/shape_properties_4.png index 06c777457..1fe869c2a 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/shape_properties_4.png and b/apps/documenteditor/main/resources/help/en/images/shape_properties_4.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties_5.png b/apps/documenteditor/main/resources/help/en/images/shape_properties_5.png index 923fce6ac..3349d1153 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/shape_properties_5.png and b/apps/documenteditor/main/resources/help/en/images/shape_properties_5.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/shape_properties_6.png b/apps/documenteditor/main/resources/help/en/images/shape_properties_6.png new file mode 100644 index 000000000..caf4a8d43 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/shape_properties_6.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/spellcheckactivated.png b/apps/documenteditor/main/resources/help/en/images/spellcheckactivated.png index 14d99736a..65e7ed85c 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/spellcheckactivated.png and b/apps/documenteditor/main/resources/help/en/images/spellcheckactivated.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/spellcheckdeactivated.png b/apps/documenteditor/main/resources/help/en/images/spellcheckdeactivated.png index f55473551..2f324b661 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/spellcheckdeactivated.png and b/apps/documenteditor/main/resources/help/en/images/spellcheckdeactivated.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/spellchecking_language.png b/apps/documenteditor/main/resources/help/en/images/spellchecking_language.png index bf41db56c..ff704d56a 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/spellchecking_language.png and b/apps/documenteditor/main/resources/help/en/images/spellchecking_language.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/undo.png b/apps/documenteditor/main/resources/help/en/images/undo.png index bb7f9407d..003e8dac2 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/undo.png and b/apps/documenteditor/main/resources/help/en/images/undo.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/undo1.png b/apps/documenteditor/main/resources/help/en/images/undo1.png new file mode 100644 index 000000000..595e2a582 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/undo1.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/viewsettingsicon.png b/apps/documenteditor/main/resources/help/en/images/viewsettingsicon.png index 02a46ce28..e13ec992d 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/viewsettingsicon.png and b/apps/documenteditor/main/resources/help/en/images/viewsettingsicon.png differ diff --git a/apps/documenteditor/main/resources/help/en/search/indexes.js b/apps/documenteditor/main/resources/help/en/search/indexes.js index 708253ef0..c699588d0 100644 --- a/apps/documenteditor/main/resources/help/en/search/indexes.js +++ b/apps/documenteditor/main/resources/help/en/search/indexes.js @@ -3,22 +3,22 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About Document Editor", - "body": "Document Editor is an online application that lets you look through and edit documents directly in your browser . Using 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 as DOCX, PDF, TXT, ODT, RTF, or HTML files. To view the current software version and licensor details, click the icon at the left sidebar." + "body": "Document Editor is an online application that lets you look through and edit documents directly in your browser . Using 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 as DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML files. To view the current software version and licensor details in the online version, click the icon at the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item at the left sidebar of the main program window." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of Document Editor", - "body": "Document Editor lets you change its advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The advanced settings are: Commenting Display is used to turn on/off the live commenting option: Turn on display of the comments - if you disable this feature, the commented passages will be highlighted only if you click the Comments icon at the left sidebar. Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden in the document text. You can view such comments only if you click the Comments icon at the left sidebar. Enable this option if you want to display resolved comments in the document text. Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the page precisely. Autosave is used to turn on/off automatic saving of changes you make while editing. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Real-time Collaboration Changes is used to specify what changes you want to be highlighted during co-editing: Selecting the View None option, changes made during the current session will not be highlighted. Selecting the View All option, all the changes made during the current session will be highlighted. Selecting the View Last option, only the changes made since you last time clicked the Save icon will be highlighted. This option is only available when the Strict co-editing mode is selected. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. You can also choose the Fit to Page or Fit to Width option. Font Hinting is used to select the type a font is displayed in Document Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." + "body": "Document Editor lets you change its advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The advanced settings are: Commenting Display is used to turn on/off the live commenting option: Turn on display of the comments - if you disable this feature, the commented passages will be highlighted only if you click the Comments icon at the left sidebar. Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden in the document text. You can view such comments only if you click the Comments icon at the left sidebar. Enable this option if you want to display resolved comments in the document text. Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the page precisely. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Real-time Collaboration Changes is used to specify what changes you want to be highlighted during co-editing: Selecting the View None option, changes made during the current session will not be highlighted. Selecting the View All option, all the changes made during the current session will be highlighted. Selecting the View Last option, only the changes made since you last time clicked the Save icon will be highlighted. This option is only available when the Strict co-editing mode is selected. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. You can also choose the Fit to Page or Fit to Width option. Font Hinting is used to select the type a font is displayed in Document Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Collaborative Document Editing", - "body": "Document Editor offers you the possibility to work at a document collaboratively with other users. This feature includes: simultaneous multi-user access to the edited document visual indication of passages that are being edited by other users real-time changes display or synchronization of changes with one button click chat to share ideas concerning particular document parts comments containing the description of a task or problem that should be solved Co-editing Document Editor allows to select one of the two available co-editing modes. Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon at the Collaboration tab of the top toolbar: When a document is being edited by several users simultaneously in the Strict mode, the edited text passages are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text. The number of users who are working at the current document is specified on the right side of the editor header - . If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read or review the document, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. You can specify what changes you want to be highlighted during co-editing if you click the File tab at the top toolbar, select the Advanced Settings... option and choose between none, all and last real-time collaboration changes. Selecting View all changes, all the changes made during the current session will be highlighted. Selecting View last changes, only the changes made since you last time clicked the icon will be highlighted. Selecting View None changes, changes made during the current session will not be highlighted. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which paragraph you are going to edit now etc. The chat messages are stored during one session only. To discuss the document content it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon at the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon at the left sidebar or the Chat button at the top toolbar once again. Comments To leave a comment, select a text passage where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or use the icon at the left sidebar to open the Comments panel and click the Add Comment to Document link, or right-click the selected text passage and select the Add Сomment option from the contextual menu, enter the needed text, click the Add Comment/Add button. The comment will be seen on the panel on the left. Any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment. The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. If you need to disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case the commented passages will be highlighted only if you click the icon. You can manage the comments you added in the following way: edit them by clicking the icon, delete them by clicking the icon, close the discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. If you want to hide resolved comments, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the icon. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. To close the panel with comments, click the icon at the left sidebar once again." + "body": "Document Editor offers you the possibility to work at a document collaboratively with other users. This feature includes: simultaneous multi-user access to the edited document visual indication of passages that are being edited by other users real-time changes display or synchronization of changes with one button click chat to share ideas concerning particular document parts comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version) Connecting to the online version In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password. Co-editing Document Editor allows to select one of the two available co-editing modes: Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon at the Collaboration tab of the top toolbar: Note: when you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available. When a document is being edited by several users simultaneously in the Strict mode, the edited text passages are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text. The number of users who are working at the current document is specified on the right side of the editor header - . If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read, comment, fill forms or review the document, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. You can specify what changes you want to be highlighted during co-editing if you click the File tab at the top toolbar, select the Advanced Settings... option and choose between none, all and last real-time collaboration changes. Selecting View all changes, all the changes made during the current session will be highlighted. Selecting View last changes, only the changes made since you last time clicked the icon will be highlighted. Selecting View None changes, changes made during the current session will not be highlighted. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which paragraph you are going to edit now etc. The chat messages are stored during one session only. To discuss the document content it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon at the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon at the left sidebar or the Chat button at the top toolbar once again. Comments It's possible to work with comments in the offline mode, without connecting to the online version. To leave a comment, select a text passage where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or use the icon at the left sidebar to open the Comments panel and click the Add Comment to Document link, or right-click the selected text passage and select the Add Сomment option from the contextual menu, enter the needed text, click the Add Comment/Add button. The comment will be seen on the panel on the left. Any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment. The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. If you need to disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case the commented passages will be highlighted only if you click the icon. You can manage the comments you added in the following way: edit them by clicking the icon, delete them by clicking the icon, close the discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. If you want to hide resolved comments, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the icon. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. To close the panel with comments, click the icon at the left sidebar once again." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Working with Document Open 'File' panel Alt+F Open the File panel to save, download, print the current document, view its info, create a new document or open an existing one, access Document Editor help or advanced settings. Open 'Find and Replace' dialog box Ctrl+F Open the Find and Replace dialog box to start searching for a character/word/phrase in the currently edited document. Open 'Find and Replace' dialog box with replacement field Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters. Open 'Comments' panel Ctrl+Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q Open the Chat panel and send a message. Save document Ctrl+S Save all the changes to the document currently edited with Document Editor. The active file will be saved with its current file name, location, and file format. Print document Ctrl+P Print the document with one of the available printers or save it to a file. Download As... Ctrl+Shift+S Open the Download as... panel to save the currently edited document to the computer hard disk drive in one of the supported formats: DOCX, PDF, TXT, ODT, RTF, HTML. Full screen F11 Switch to the full screen view to fit Document Editor into your screen. Help menu F1 Open Document Editor Help menu. Open existing file Ctrl+O On the Open local file tab in desktop editors, opens the standard dialog box that allows to select an existing file. Element contextual menu Shift+F10 Open the selected element contextual menu. Close file Ctrl+W Close the selected document window. Close the window (tab) Ctrl+F4 Close the tab in a browser. Navigation Jump to the beginning of the line Home Put the cursor to the beginning of the currently edited line. Jump to the beginning of the document Ctrl+Home Put the cursor to the very beginning of the currently edited document. Jump to the end of the line End Put the cursor to the end of the currently edited line. Jump to the end of the document Ctrl+End Put the cursor to the very end of the currently edited document. Scroll down Page Down Scroll the document approximately one visible page down. Scroll up Page Up Scroll the document approximately one visible page up. Next page Alt+Page Down Go to the next page in the currently edited document. Previous page Alt+Page Up Go to the previous page in the currently edited document. Zoom In Ctrl+Plus sign (+) Zoom in the currently edited document. Zoom Out Ctrl+Minus sign (-) Zoom out the currently edited document. Move one character to the left Left arrow Move the cursor one character to the left. Move one character to the right Right arrow Move the cursor one character to the right. Move to the beginning of a word or one word to the left Ctrl+Left arrow Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+Right arrow Move the cursor one word to the right. Move one line up Up arrow Move the cursor one line up. Move one line down Down arrow Move the cursor one line down. Writing End paragraph Enter End the current paragraph and start a new one. Add line break Shift+Enter Add a line break without starting a new paragraph. Delete Backspace, Delete Delete one character to the left (Backspace) or to the right (Delete) of the cursor. Create nonbreaking space Ctrl+Shift+Spacebar Create a space between characters which cannot be used to start a new line. Create nonbreaking hyphen Ctrl+Shift+Hyphen Create a hyphen between characters which cannot be used to start a new line. Undo and Redo Undo Ctrl+Z Reverse the latest performed action. Redo Ctrl+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, Shift+Delete Delete the selected text fragment and send it to the computer clipboard memory. The copied text can be later inserted to another place in the same document, into another document, or into some other program. Copy Ctrl+C, Ctrl+Insert Send the selected text fragment to the computer clipboard memory. The copied text can be later inserted to another place in the same document, into another document, or into some other program. Paste Ctrl+V, Shift+Insert Insert the previously copied text fragment from the computer clipboard memory to the current cursor position. The text can be previously copied from the same document, from another document, or from some other program. Insert hyperlink Ctrl+K Insert a hyperlink which can be used to go to a web address. Copy style Ctrl+Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same document. Apply style Ctrl+Shift+V Apply the previously copied formatting to the text in the currently edited document. Text Selection Select all Ctrl+A Select all the document text with tables and images. Select fragment Shift+Arrow Select the text character by character. Select from cursor to beginning of line Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select from cursor to end of line Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right Shift+Right arrow Select one character to the right of the cursor position. Select one character to the left Shift+Left arrow Select one character to the left of the cursor position. Select to the end of a word Ctrl+Shift+Right arrow Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+Shift+Left arrow Select a text fragment from the cursor to the beginning of a word. Select one line up Shift+Up arrow Select one line up (with the cursor at the beginning of a line). Select one line down Shift+Down arrow Select one line down (with the cursor at the beginning of a line). Text Styling Bold Ctrl+B Make the font of the selected text fragment bold giving it more weight. Italic Ctrl+I Make the font of the selected text fragment italicized giving it some right side tilt. Underline Ctrl+U Make the selected text fragment underlined with the line going under the letters. Strikeout Ctrl+5 Make the selected text fragment struck out with the line going through the letters. Subscript Ctrl+dot (.) Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+comma (,) Make the selected text fragment smaller and place it to the upper part of the text line, e.g. as in fractions. Heading 1 style Alt+1 (for Windows and Linux browsers) Alt+Ctrl+1 (for Mac browsers) Apply the style of the heading 1 to the selected text fragment. Heading 2 style Alt+2 (for Windows and Linux browsers) Alt+Ctrl+2 (for Mac browsers) Apply the style of the heading 2 to the selected text fragment. Heading 3 style Alt+3 (for Windows and Linux browsers) Alt+Ctrl+3 (for Mac browsers) Apply the style of the heading 3 to the selected text fragment. Bulleted list Ctrl+Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ Decrease the size of the font for the selected text fragment 1 point. Align center/left Ctrl+E Switch a paragraph between centered and left-aligned. Align justified/left Ctrl+J, Ctrl+L Switch a paragraph between justified and left-aligned. Align right/left Ctrl+R Switch a paragraph between right-aligned and left-aligned. Apply subscript formatting (automatic spacing) Ctrl+Equal sign (=) Apply subscript formatting to the selected text fragment. Apply superscript formatting (automatic spacing) Ctrl+Shift+Plus sign (+) Apply superscript formatting to the selected text fragment. Insert page break Ctrl+Enter Insert a page break at the current cursor position. Increase indent Ctrl+M Indent a paragraph from the left incrementally. Decrease indent Ctrl+Shift+M Remove a paragraph indent from the left incrementally. Add page number Ctrl+Shift+P Add the current page number at the current cursor position. Nonprinting characters Ctrl+Shift+Num8 Show or hide the display of nonprinting characters. Delete one character to the left Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Delete one character to the right of the cursor. Modifying Objects Constrain movement Shift+drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree rotation Shift+drag (when rotating) Constrain the rotation angle to 15-degree increments. Maintain proportions Shift+drag (when resizing) Maintain the proportions of the selected object when resizing. Draw straight line or arrow Shift+drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Movement by one-pixel increments Ctrl+Arrow keys Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row Tab Go to the next cell in a table row. Move to the previous cell in a row Shift+Tab Go to the previous cell in a table row. Move to the next row Down arrow Go to the next row in a table. Move to the previous row Up arrow Go to the previous row in a table. Start new paragraph Enter Start a new paragraph within a cell. Add new row Tab in the lower right table cell. Add a new row at the bottom of the table. Inserting special characters Insert formula Alt+Equal sign (=) Insert a formula at the current cursor position." + "body": "Windows/LinuxMac OS Working with Document Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current document, view its info, create a new document or open an existing one, access Document Editor help or advanced settings. Open 'Find and Replace' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Find and Replace dialog box to start searching for a character/word/phrase in the currently edited document. Open 'Find and Replace' dialog box with replacement field Ctrl+H ^ Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters. Repeat the last 'Find' action ⇧ Shift+F4 ⇧ Shift+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Shift+F4 Repeat the Find action which has been performed before the key combination press. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save document Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the document currently edited with Document Editor. The active file will be saved with its current file name, location, and file format. Print document Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print the document with one of the available printers or save it to a file. Download As... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited document to the computer hard disk drive in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Full screen F11 Switch to the full screen view to fit Document Editor into your screen. Help menu F1 F1 Open Document Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in Desktop Editors, opens the standard dialog box that allows to select an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current document window in Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Navigation Jump to the beginning of the line Home Home Put the cursor to the beginning of the currently edited line. Jump to the beginning of the document Ctrl+Home ^ Ctrl+Home Put the cursor to the very beginning of the currently edited document. Jump to the end of the line End End Put the cursor to the end of the currently edited line. Jump to the end of the document Ctrl+End ^ Ctrl+End Put the cursor to the very end of the currently edited document. Jump to the beginning of the previous page Alt+Ctrl+Page Up Put the cursor to the very beginning of the page which preceeds the currently edited one. Jump to the beginning of the next page Alt+Ctrl+Page Down ⌥ Option+⌘ Cmd+⇧ Shift+Page Down Put the cursor to the very beginning of the page which follows the currently edited one. Scroll down Page Down Page Down, ⌥ Option+Fn+↑ Scroll the document approximately one visible page down. Scroll up Page Up Page Up, ⌥ Option+Fn+↓ Scroll the document approximately one visible page up. Next page Alt+Page Down ⌥ Option+Page Down Go to the next page in the currently edited document. Previous page Alt+Page Up ⌥ Option+Page Up Go to the previous page in the currently edited document. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited document. Zoom Out Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom out the currently edited document. Move one character to the left ← ← Move the cursor one character to the left. Move one character to the right → → Move the cursor one character to the right. Move to the beginning of a word or one word to the left Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Move the cursor one word to the right. Move one line up ↑ ↑ Move the cursor one line up. Move one line down ↓ ↓ Move the cursor one line down. Writing End paragraph ↵ Enter ↵ Return End the current paragraph and start a new one. Add line break ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Add a line break without starting a new paragraph. Delete ← Backspace, Delete ← Backspace, Delete Delete one character to the left (← Backspace) or to the right (Delete) of the cursor. Delete word to the left of cursor Ctrl+← Backspace ^ Ctrl+← Backspace, ⌘ Cmd+← Backspace Delete one word to the left of the cursor. Delete word to the right of cursor Ctrl+Delete ^ Ctrl+Delete, ⌘ Cmd+Delete Delete one word to the right of the cursor. Create nonbreaking space Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Create a space between characters which cannot be used to start a new line. Create nonbreaking hyphen Ctrl+⇧ Shift+Hyphen ^ Ctrl+⇧ Shift+Hyphen Create a hyphen between characters which cannot be used to start a new line. Undo and Redo Undo Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Reverse the latest performed action. Redo Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Shift+Z Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X, ⇧ Shift+Delete Delete the selected text fragment and send it to the computer clipboard memory. The copied text can be later inserted to another place in the same document, into another document, or into some other program. Copy Ctrl+C, Ctrl+Insert ⌘ Cmd+C Send the selected text fragment to the computer clipboard memory. The copied text can be later inserted to another place in the same document, into another document, or into some other program. Paste Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Insert the previously copied text fragment from the computer clipboard memory to the current cursor position. The text can be previously copied from the same document, from another document, or from some other program. Insert hyperlink Ctrl+K ⌘ Cmd+K Insert a hyperlink which can be used to go to a web address. Copy style Ctrl+⇧ Shift+C ⌘ Cmd+⇧ Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same document. Apply style Ctrl+⇧ Shift+V ⌘ Cmd+⇧ Shift+V Apply the previously copied formatting to the text in the currently edited document. Text Selection Select all Ctrl+A ⌘ Cmd+A Select all the document text with tables and images. Select fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select the text character by character. Select from cursor to beginning of line ⇧ Shift+Home ⇧ Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select from cursor to end of line ⇧ Shift+End ⇧ Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right ⇧ Shift+→ ⇧ Shift+→ Select one character to the right of the cursor position. Select one character to the left ⇧ Shift+← ⇧ Shift+← Select one character to the left of the cursor position. Select to the end of a word Ctrl+⇧ Shift+→ Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+⇧ Shift+← Select a text fragment from the cursor to the beginning of a word. Select one line up ⇧ Shift+↑ ⇧ Shift+↑ Select one line up (with the cursor at the beginning of a line). Select one line down ⇧ Shift+↓ ⇧ Shift+↓ Select one line down (with the cursor at the beginning of a line). Select the page up ⇧ Shift+Page Up ⇧ Shift+Page Up Select the page part from the cursor position to the upper part of the screen. Select the page down ⇧ Shift+Page Down ⇧ Shift+Page Down Select the page part from the cursor position to the lower part of the screen. Text Styling Bold Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Make the font of the selected text fragment bold giving it more weight. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized giving it some right side tilt. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with the line going under the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with the line going through the letters. Subscript Ctrl+. ^ Ctrl+⇧ Shift+>, ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+, ^ Ctrl+⇧ Shift+<, ⌘ Cmd+⇧ Shift+< Make the selected text fragment smaller and place it to the upper part of the text line, e.g. as in fractions. Heading 1 style Alt+1 ⌥ Option+^ Ctrl+1 Apply the style of the heading 1 to the selected text fragment. Heading 2 style Alt+2 ⌥ Option+^ Ctrl+2 Apply the style of the heading 2 to the selected text fragment. Heading 3 style Alt+3 ⌥ Option+^ Ctrl+3 Apply the style of the heading 3 to the selected text fragment. Bulleted list Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+␣ Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] ⌘ Cmd+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ ⌘ Cmd+[ Decrease the size of the font for the selected text fragment 1 point. Align center/left Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Switch a paragraph between centered and left-aligned. Align justified/left Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Switch a paragraph between justified and left-aligned. Align right/left Ctrl+R ^ Ctrl+R Switch a paragraph between right-aligned and left-aligned. Apply subscript formatting (automatic spacing) Ctrl+= Apply subscript formatting to the selected text fragment. Apply superscript formatting (automatic spacing) Ctrl+⇧ Shift++ Apply superscript formatting to the selected text fragment. Insert page break Ctrl+↵ Enter ^ Ctrl+↵ Return Insert a page break at the current cursor position. Increase indent Ctrl+M ^ Ctrl+M Indent a paragraph from the left incrementally. Decrease indent Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Remove a paragraph indent from the left incrementally. Add page number Ctrl+⇧ Shift+P ^ Ctrl+⇧ Shift+P Add the current page number at the current cursor position. Nonprinting characters Ctrl+⇧ Shift+Num8 Show or hide the display of nonprinting characters. Delete one character to the left ← Backspace ← Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Delete Delete one character to the right of the cursor. Modifying Objects Constrain movement ⇧ Shift + drag ⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree rotation ⇧ Shift + drag (when rotating) ⇧ Shift + drag (when rotating) Constrain the rotation angle to 15-degree increments. Maintain proportions ⇧ Shift + drag (when resizing) ⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing. Draw straight line or arrow ⇧ Shift + drag (when drawing lines/arrows) ⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Movement by one-pixel increments Ctrl+← → ↑ ↓ Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row ↹ Tab ↹ Tab Go to the next cell in a table row. Move to the previous cell in a row ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Go to the previous cell in a table row. Move to the next row ↓ ↓ Go to the next row in a table. Move to the previous row ↑ ↑ Go to the previous row in a table. Start new paragraph ↵ Enter ↵ Return Start a new paragraph within a cell. Add new row ↹ Tab in the lower right table cell. ↹ Tab in the lower right table cell. Add a new row at the bottom of the table. Inserting special characters Insert formula Alt+= Insert a formula at the current cursor position." }, { "id": "HelpfulHints/Navigation.htm", @@ -43,53 +43,58 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Documents", - "body": "Electronic documents represent one of the most commonly used computer files. Thanks to the computer network highly developed nowadays, it's possible and more convenient to distribute electronic documents than printed ones. Due to the variety of devices used for document presentation, there are a lot of proprietary and open file formats. Document Editor handles the most popular of them. Formats Description View Edit Download DOC Filename extension for word processing documents created with Microsoft Word + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + + RTF Rich Text Format Document file format developed by Microsoft for cross-platform document interchange + + + TXT Filename extension for text files usually containing very little formatting + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems + + HTML HyperText Markup Language The main markup language for web pages + EPUB Electronic Publication Free and open e-book standard created by the International Digital Publishing Forum + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs +" + "body": "Electronic documents represent one of the most commonly used computer files. Thanks to the computer network highly developed nowadays, it's possible and more convenient to distribute electronic documents than printed ones. Due to the variety of devices used for document presentation, there are a lot of proprietary and open file formats. Document Editor handles the most popular of them. Formats Description View Edit Download DOC Filename extension for word processing documents created with Microsoft Word + + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + DOTX Word Open XML Document Template Zipped, XML-based file format developed by Microsoft for text document templates. A DOTX template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + + OTT OpenDocument Document Template OpenDocument file format for text document templates. An OTT template contains formatting settings, styles etc. and can be used to create multiple documents with the same formatting + + in the online version RTF Rich Text Format Document file format developed by Microsoft for cross-platform document interchange + + + TXT Filename extension for text files usually containing very little formatting + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems + + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + + HTML 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 + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs +" }, { "id": "ProgramInterface/FileTab.htm", "title": "File tab", - "body": "The File tab allows to perform some basic operations on the current file. Using this tab, you can: save the current file (in case the Autosave option is disabled), download, print or rename it, create a new document or open a recently edited one, view general information about the document, manage access rights, track version history, access the editor Advanced Settings, return to the Documents list." + "body": "The File tab allows to perform some basic operations on the current file. Online Document Editor window: Desktop Document Editor window: Using this tab, you can: in the online version, save the current file (in case the Autosave option is disabled), download as (save the document in the selected format to the computer hard disk drive), save copy as (save a copy of the document in the selected format to the portal documents), print or rename it, in the desktop version, save the current file keeping the current format and location using the Save option or save the current file with a different name, location or format using the Save as option, print the file. protect the file using a password, change or remove the password (available in the desktop version only); create a new document or open a recently edited one (available in the online version only), view general information about the document, manage access rights (available in the online version only), track version history (available in the online version only), access the editor Advanced Settings, in the desktop version, open the folder where the file is stored in the File explorer window. In the online version, open the folder of the Documents module where the file is stored in a new browser tab." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Home tab", - "body": "The Home tab opens by default when you open a document. It allows to format font and paragraphs. Some other options are also available here, such as Mail Merge and color schemes. Using this tab, you can: adjust font type, size, color, apply font decoration styles, select background color for a paragraph, create bulleted and numbered lists, change paragraph indents, set paragraph line spacing, align your text in a paragraph, show/hide nonprinting characters, copy/clear text formatting, change color scheme, use Mail Merge, manage styles." + "body": "The Home tab opens by default when you open a document. It allows to format font and paragraphs. Some other options are also available here, such as Mail Merge and color schemes. Online Document Editor window: Desktop Document Editor window: Using this tab, you can: adjust font type, size, color, apply font decoration styles, select background color for a paragraph, create bulleted and numbered lists, change paragraph indents, set paragraph line spacing, align your text in a paragraph, show/hide nonprinting characters, copy/clear text formatting, change color scheme, use Mail Merge (available in the online version only), manage styles." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Insert tab", - "body": "The Insert tab allows to add some page formatting elements, as well as visual objects and comments. Using this tab, you can: insert page breaks, section breaks and column breaks, insert headers and footers and page numbers, insert tables, images, charts, shapes, insert hyperlinks, comments, insert text boxes and Text Art objects, equations, drop caps, content controls." + "body": "The Insert tab allows to add some page formatting elements, as well as visual objects and comments. Online Document Editor window: Desktop Document Editor window: Using this tab, you can: insert a blank page, insert page breaks, section breaks and column breaks, insert headers and footers and page numbers, insert tables, images, charts, shapes, insert hyperlinks, comments, insert text boxes and Text Art objects, equations, drop caps, content controls." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Layout tab", - "body": "The Layout tab allows to change the document appearance: set up page parameters and define the arrangement of visual elements. Using this tab, you can: adjust page margins, orientation, size, add columns, insert page breaks, section breaks and column breaks, align and arrange objects (tables, pictures, charts, shapes), change wrapping style." + "body": "The Layout tab allows to change the document appearance: set up page parameters and define the arrangement of visual elements. Online Document Editor window: Desktop Document Editor window: Using this tab, you can: adjust page margins, orientation, size, add columns, insert page breaks, section breaks and column breaks, align and arrange objects (tables, pictures, charts, shapes), change wrapping style." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Plugins tab", - "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available by default: ClipArt allows to add images from the clipart collection into your document, OCR allows to recognize text included into a picture and insert it into the document text, PhotoEditor allows to edit images: crop, resize them, apply effects etc., Speech allows to convert the selected text into speech, Symbol Table allows to insert special symbols into your text, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your document. The Wordpress and EasyBib plugins can be used if you connect the corresponding services in your portal settings. You can use the following instructions for the server version or for the SaaS version. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." + "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. Online Document Editor window: Desktop Document Editor window: The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available by default: ClipArt allows to add images from the clipart collection into your document, Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, OCR allows to recognize text included into a picture and insert it into the document text, PhotoEditor allows to edit images: crop, resize them, apply effects etc., Speech allows to convert the selected text into speech, Symbol Table allows to insert special symbols into your text, Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your document. The Wordpress and EasyBib plugins can be used if you connect the corresponding services in your portal settings. You can use the following instructions for the server version or for the SaaS version. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the Document Editor user interface", - "body": "Document Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. The editor interface consists of the following main elements: Editor header displays the logo, menu tabs, document name as well as three icons on the right that allow to set access rights, return to the Documents list, adjust View Settings and access the editor Advanced Settings. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, References, Collaboration, Plugins. The Print, Save, Copy, Paste, Undo and Redo options are always available at the left part of the Top toolbar regardless of the selected tab. Status bar at the bottom of the editor window contains the page number indicator, displays some notifications (such as \"All changes saved\" etc.), allows to set text language, enable spell checking, turn on the track changes mode, adjust zoom. Left sidebar contains icons that allow to use the Search and Replace tool, open the Comments, Chat and Navigation panel, contact our support team and view the information about the program. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object in the text, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar. Horizontal and vertical Rulers allow to align text and other elements in a document, set up margins, tab stops, and paragraph indents. Working area allows to view document content, enter and edit data. Scroll bar on the right allows to scroll up and down multi-page documents. For your convenience you can hide some components and display them again when it is necessary. To learn more on how to adjust view settings please refer to this page." + "body": "Document Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Online Document Editor window: Desktop Document Editor window: The editor interface consists of the following main elements: Editor header displays the logo, opened documents tabs, document name and menu tabs. In the left part of the Editor header there are the Save, Print file, Undo and Redo buttons. In the right part of the Editor header the user name is displayed as well as the following icons: Open file location - in the desktop version, it allows to open the folder where the file is stored in the File explorer window. In the online version, it allows to open the folder of the Documents module where the file is stored in a new browser tab. - allows to adjust View Settings and access the editor Advanced Settings. Manage document access rights - (available in the online version only) allows to set access rights for the documents stored in the cloud. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, References, Collaboration, Protection, Plugins. The Copy and Paste options are always available at the left part of the Top toolbar regardless of the selected tab. Status bar at the bottom of the editor window contains the page number indicator, displays some notifications (such as \"All changes saved\" etc.), allows to set text language, enable spell checking, turn on the track changes mode, adjust zoom. Left sidebar contains the following icons: - allows to use the Search and Replace tool, - allows to open the Comments panel, - allows to go to the Navigation panel and manage headings, - (available in the online version only) allows to open the Chat panel, as well as the icons that allow to contact our support team and view the information about the program. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object in the text, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar. Horizontal and vertical Rulers allow to align text and other elements in a document, set up margins, tab stops, and paragraph indents. Working area allows to view document content, enter and edit data. Scroll bar on the right allows to scroll up and down multi-page documents. For your convenience you can hide some components and display them again when it is necessary. To learn more on how to adjust view settings please refer to this page." }, { "id": "ProgramInterface/ReferencesTab.htm", "title": "References tab", - "body": "The References tab allows to manage different types of references: add and refresh a table of contents, create and edit footnotes, insert hyperlinks. Using this tab, you can: create and automatically update a table of contents, insert footnotes, insert hyperlinks, add bookmarks." + "body": "The References tab allows to manage different types of references: add and refresh a table of contents, create and edit footnotes, insert hyperlinks. Online Document Editor window: Desktop Document Editor window: Using this tab, you can: create and automatically update a table of contents, insert footnotes, insert hyperlinks, add bookmarks." }, { "id": "ProgramInterface/ReviewTab.htm", "title": "Collaboration tab", - "body": "The Collaboration tab allows to organize collaborative work on the document: share the file, select a co-editing mode, manage comments, track changes made by a reviewer, view all versions and revisions. Using this tab, you can: specify sharing settings, switch between the Strict and Fast co-editing modes, add comments to the document, enable the Track Changes feature, choose the changes display mode, manage the suggested changes, open the Chat panel, track version history." + "body": "The Collaboration tab allows to organize collaborative work on the document. In the online version, you can share the file, select a co-editing mode, manage comments, track changes made by a reviewer, view all versions and revisions. In the desktop version, you can manage comments and use the Track Changes feature . Online Document Editor window: Desktop Document Editor window: Using this tab, you can: specify sharing settings (available in the online version only), switch between the Strict and Fast co-editing modes (available in the online version only), add comments to the document, enable the Track Changes feature, choose the changes display mode, manage the suggested changes, open the Chat panel (available in the online version only), track version history (available in the online version only)." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Add borders", "body": "To add borders to a paragraph, page, or the whole document, put the cursor within the paragraph you need, or select several paragraphs with the mouse or all the text in the document by pressing the Ctrl+A key combination, click the right mouse button and select the Paragraph Advanced Settings option from the menu or use the Show advanced settings link at the right sidebar, switch to the Borders & Fill tab in the opened Paragraph - Advanced Settings window, set the needed value for Border Size and select a Border Color, click within the available diagram or use buttons to select borders and apply the chosen style to them, click the OK button. After you add borders, you can also set paddings i.e. distances between the right, left, top and bottom borders and the paragraph text within them. To set the necessary values, switch to the Paddings tab of the Paragraph - Advanced Settings window:" }, + { + "id": "UsageInstructions/AddFormulasInTables.htm", + "title": "Use formulas in tables", + "body": "Insert a formula You can perform simple calculations on data in table cells by adding formulas. To insert a formula into a table cell, place the cursor within the cell where you want to display the result, click the Add formula button at the right sidebar, in the Formula Settings window that opens, enter the necessary formula into the Formula field. You can enter a needed formula manually using the common mathematical operators (+, -, *, /), e.g. =A1*B2 or use the Paste Function drop-down list to select one of the embedded functions, e.g. =PRODUCT(A1,B2). manually specify necessary arguments within the parentheses in the Formula field. If the function requires several arguments, they must be separated by commas. use the Number Format drop-down list if you want to display the result in a certain number format, click OK. The result will be displayed in the selected cell. To edit the added formula, select the result in the cell and click the Add formula button at the right sidebar, make the necessary changes in the Formula Settings window and click OK. Add references to cells You can use the following arguments to quickly add references to cell ranges: ABOVE - a reference to all the cells in the column above the selected cell LEFT - a reference to all the cells in the row to the left of the selected cell BELOW - a reference to all the cells in the column below the selected cell RIGHT - a reference to all the cells in the row to the right of the selected cell These arguments can be used with the AVERAGE, COUNT, MAX, MIN, PRODUCT, SUM functions. You can also manually enter references to a certain cell (e.g., A1) or a range of cells (e.g., A1:B3). Use bookmarks If you have added some bookmarks to certain cells within your table, you can use these bookmarks as arguments when entering formulas. In the Formula Settings window, place the cursor within the parentheses in the Formula entry field where you want the argument to be added and use the Paste Bookmark drop-down list to select one of the previously added bookmarks. Update formula results If you change some values in the table cells, you will need to manually update formula results: To update a single formula result, select the necessary result and press F9 or right-click the result and use the Update field option from the menu. To update several formula results, select the necessary cells or the entire table and press F9. Embedded functions You can use the following standard math, statistical and logical functions: Category Function Description Example Mathematical ABS(x) The function is used to return the absolute value of a number. =ABS(-10) Returns 10 Logical AND(logical1, logical2, ...) The function is used to check if the logical value you enter is TRUE or FALSE. The function returns 1 (TRUE) if all the arguments are TRUE. =AND(1>0,1>3) Returns 0 Statistical AVERAGE(argument-list) The function is used to analyze the range of data and find the average value. =AVERAGE(4,10) Returns 7 Statistical COUNT(argument-list) The function is used to count the number of the selected cells which contain numbers ignoring empty cells or those contaning text. =COUNT(A1:B3) Returns 6 Logical DEFINED() The function evaluates if a value in the cell is defined. The function returns 1 if the value is defined and calculated without errors and returns 0 if the value is not defined or calculated with an error. =DEFINED(A1) Logical FALSE() The function returns 0 (FALSE) and does not require any argument. =FALSE Returns 0 Mathematical INT(x) The function is used to analyze and return the integer part of the specified number. =INT(2.5) Returns 2 Statistical MAX(number1, number2, ...) The function is used to analyze the range of data and find the largest number. =MAX(15,18,6) Returns 18 Statistical MIN(number1, number2, ...) The function is used to analyze the range of data and find the smallest number. =MIN(15,18,6) Returns 6 Mathematical MOD(x, y) The function is used to return the remainder after the division of a number by the specified divisor. =MOD(6,3) Returns 0 Logical NOT(logical) The function is used to check if the logical value you enter is TRUE or FALSE. The function returns 1 (TRUE) if the argument is FALSE and 0 (FALSE) if the argument is TRUE. =NOT(2<5) Returns 0 Logical OR(logical1, logical2, ...) The function is used to check if the logical value you enter is TRUE or FALSE. The function returns 0 (FALSE) if all the arguments are FALSE. =OR(1>0,1>3) Returns 1 Mathematical PRODUCT(argument-list) The function is used to multiply all the numbers in the selected range of cells and return the product. =PRODUCT(2,5) Returns 10 Mathematical ROUND(x, num_digits) The function is used to round the number to the desired number of digits. =ROUND(2.25,1) Returns 2.3 Mathematical SIGN(x) The function is used to return the sign of a number. If the number is positive, the function returns 1. If the number is negative, the function returns -1. If the number is 0, the function returns 0. =SIGN(-12) Returns -1 Mathematical SUM(argument-list) The function is used to add all the numbers in the selected range of cells and return the result. =SUM(5,3,2) Returns 10 Logical TRUE() The function returns 1 (TRUE) and does not require any argument. =TRUE Returns 1" + }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Add hyperlinks", @@ -98,7 +103,7 @@ var indexes = { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Align and arrange objects on a page", - "body": "The added autoshapes, images, charts or text boxes can be aligned, grouped and ordered on a page. To perform any of these actions, first select a separate object or several objects on the page. To select several objects, hold down the Ctrl key and left-click the necessary objects. To select a text box, click on its border, not the text within it. After that you can use either the icons at the Layout tab of the top toolbar described below or the analogous options from the right-click menu. Align objects To align the selected object(s), click the Align icon at the Layout tab of the top toolbar and select the necessary alignment type from the list: Align Left - to line up the object(s) horizontally by the left side of the page, Align Center - to line up the object(s) horizontally by the center of the page, Align Right - to line up the object(s) horizontally by the right side of the page, Align Top - to line up the object(s) vertically by the top side of the page, Align Middle - to line up the object(s) vertically by the middle of the page, Align Bottom - to line up the object(s) vertically by the bottom side of the page. Group objects To group two or more selected objects or ungroup them, click the arrow next to the Group icon at the Layout tab of the top toolbar and select the necessary option from the list: Group - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object. Ungroup - to ungroup the selected group of the previously joined objects. Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option. Arrange objects To arrange objects (i.e. to change their order when several objects overlap each other), you can use the Bring Forward and Send Backward icons at the Layout tab of the top toolbar and select the necessary arrangement type from the list. To move the selected object(s) forward, click the arrow next to the Bring Forward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Bring To Foreground - to move the object(s) in front of all other objects, Bring Forward - to move the selected object(s) by one level forward as related to other objects. To move the selected object(s) backward, click the arrow next to the Send Backward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Send To Background - to move the object(s) behind all other objects, Send Backward - to move the selected object(s) by one level backward as related to other objects." + "body": "The added autoshapes, images, charts or text boxes can be aligned, grouped and ordered on a page. To perform any of these actions, first select a separate object or several objects on the page. To select several objects, hold down the Ctrl key and left-click the necessary objects. To select a text box, click on its border, not the text within it. After that you can use either the icons at the Layout tab of the top toolbar described below or the analogous options from the right-click menu. Align objects To align two or more selected objects, Click the Align icon at the Layout tab of the top toolbar and select one of the following options: Align to Page to align objects relative to the edges of the page, Align to Margin to align objects relative to the page margins, Align Selected Objects (this option is selected by default) to align objects relative to each other, Click the Align icon once again and select the necessary alignment type from the list: Align Left - to line up the objects horizontally by the left edge of the leftmost object/left edge of the page/left page margin, Align Center - to line up the objects horizontally by their centers/center of the page/center of the space between the left and right page margins, Align Right - to line up the objects horizontally by the right edge of the rightmost object/right edge of the page/right page margin, Align Top - to line up the objects vertically by the top edge of the topmost object/top edge of the page/top page margin, Align Middle - to line up the objects vertically by their middles/middle of the page/middle of the space between the top and bottom page margins, Align Bottom - to line up the objects vertically by the bottom edge of the bottommost object/bottom edge of the page/bottom page margin. Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available alignment options. If you want to align a single object, it can be aligned relative to the edges of the page or to the page margins. The Align to Margin option is selected by default in this case. Distribute objects To distribute three or more selected objects horizontally or vertically so that the equal distance appears between them, Click the Align icon at the Layout tab of the top toolbar and select one of the following options: Align to Page to distribute objects between the edges of the page, Align to Margin to distribute objects between the page margins, Align Selected Objects (this option is selected by default) to distribute objects between two outermost selected objects, Click the Align icon once again and select the necessary distribution type from the list: Distribute Horizontally - to distribute objects evenly between the leftmost and rightmost selected objects/left and right edges of the page/left and right page margins. Distribute Vertically - to distribute objects evenly between the topmost and bottommost selected objects/top and bottom edges of the page/top and bottom page margins. Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available distribution options. Note: the distribution options are disabled if you select less than three objects. Group objects To group two or more selected objects or ungroup them, click the arrow next to the Group icon at the Layout tab of the top toolbar and select the necessary option from the list: Group - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object. Ungroup - to ungroup the selected group of the previously joined objects. Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option. Note: the Group option is disabled if you select less than two objects. The Ungroup option is available only when a group of the previously joined objects is selected. Arrange objects To arrange objects (i.e. to change their order when several objects overlap each other), you can use the Bring Forward and Send Backward icons at the Layout tab of the top toolbar and select the necessary arrangement type from the list. To move the selected object(s) forward, click the arrow next to the Bring Forward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Bring To Foreground - to move the object(s) in front of all other objects, Bring Forward - to move the selected object(s) by one level forward as related to other objects. To move the selected object(s) backward, click the arrow next to the Send Backward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Send To Background - to move the object(s) behind all other objects, Send Backward - to move the selected object(s) by one level backward as related to other objects. Alternatively, you can right-click the selected object(s), choose the Arrange option from the contextual menu and then use one of the available arrangement options." }, { "id": "UsageInstructions/AlignText.htm", @@ -128,7 +133,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Copy/paste text passages, undo/redo your actions", - "body": "Use basic clipboard operations To cut, copy and paste text passages and inserted objects (autoshapes, images, charts) within the current document use the corresponding options from the right-click menu or icons available at any tab of the top toolbar: Cut – select a text fragment or an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same document. Copy – select a text fragment or an object and use the Copy option from the right-click menu, or the Copy icon at the top toolbar to copy the selection to the computer clipboard memory. The copied data can be later inserted to another place in the same document. Paste – find the place in your document where you need to paste the previously copied text fragment/object and use the Paste option from the right-click menu, or the Paste icon at the top toolbar. The text/object will be inserted at the current cursor position. The data can be previously copied from the same document. To copy or paste data from/into another document or some other program use the following key combinations: Ctrl+X key combination for cutting; Ctrl+C key combination for copying; Ctrl+V key combination for pasting. Note: instead of cutting and pasting text within the same document you can just select the necessary text passage and drag and drop it to the necessary position. Use the Paste Special feature Once the copied text is pasted, the Paste Special button appears next to the inserted text passage. Click this button to select the necessary paste option. When pasting the paragraph text or some text within autoshapes, the following options are available: Paste - allows to paste the copied text keeping its original formatting. Keep text only - allows to paste the text without its original formatting. If you paste the copied table into an existing table, the following options are available: Overwrite cells - allows to replace the existing table contents with the pasted data. This option is selected by default. Nest table - allows to paste the copied table as a nested table into the selected cell of the existing table. Keep text only - allows to paste the table contents as text values separated by the tab character. Undo/redo your actions To perform the undo/redo operations, use the corresponding icons available at any tab of the top toolbar or keyboard shortcuts: Undo – use the Undo icon at the top toolbar or the Ctrl+Z key combination to undo the last operation you performed. Redo – use the Redo icon at the top toolbar or the Ctrl+Y key combination to redo the last undone operation." + "body": "Use basic clipboard operations To cut, copy and paste text passages and inserted objects (autoshapes, images, charts) within the current document use the corresponding options from the right-click menu or icons available at any tab of the top toolbar: Cut – select a text fragment or an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same document. Copy – select a text fragment or an object and use the Copy option from the right-click menu, or the Copy icon at the top toolbar to copy the selection to the computer clipboard memory. The copied data can be later inserted to another place in the same document. Paste – find the place in your document where you need to paste the previously copied text fragment/object and use the Paste option from the right-click menu, or the Paste icon at the top toolbar. The text/object will be inserted at the current cursor position. The data can be previously copied from the same document. In the online version, the following key combinations are only used to copy or paste data from/into another document or some other program, in the desktop version, both the corresponding buttons/menu options and key combinations can be used for any copy/paste operations: Ctrl+X key combination for cutting; Ctrl+C key combination for copying; Ctrl+V key combination for pasting. Note: instead of cutting and pasting text within the same document you can just select the necessary text passage and drag and drop it to the necessary position. Use the Paste Special feature Once the copied text is pasted, the Paste Special button appears next to the inserted text passage. Click this button to select the necessary paste option. When pasting the paragraph text or some text within autoshapes, the following options are available: Paste - allows to paste the copied text keeping its original formatting. Keep text only - allows to paste the text without its original formatting. If you paste the copied table into an existing table, the following options are available: Overwrite cells - allows to replace the existing table contents with the pasted data. This option is selected by default. Nest table - allows to paste the copied table as a nested table into the selected cell of the existing table. Keep text only - allows to paste the table contents as text values separated by the tab character. Undo/redo your actions To perform the undo/redo operations, use the corresponding icons in the editor header or keyboard shortcuts: Undo – use the Undo icon at the left part of the editor header or the Ctrl+Z key combination to undo the last operation you performed. Redo – use the Redo icon at the left part of the editor header or the Ctrl+Y key combination to redo the last undone operation. Note: when you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available." }, { "id": "UsageInstructions/CreateLists.htm", @@ -143,12 +148,12 @@ var indexes = { "id": "UsageInstructions/DecorationStyles.htm", "title": "Apply font decoration styles", - "body": "You can apply various font decoration styles using the corresponding icons situated at the Home tab of the top toolbar. Note: in case you want to apply the formatting to the text already present in the document, select it with the mouse or using the keyboard and apply the formatting. Bold Is used to make the font bold giving it more weight. Italic Is used to make the font italicized giving it some right side tilt. Underline Is used to make the text underlined with the line going under the letters. Strikeout Is used to make the text struck out with the line going through the letters. Superscript Is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript Is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas. To access advanced font settings, click the right mouse button and select the Paragraph Advanced Settings option from the menu or use the Show advanced settings link at the right sidebar. Then the Paragraph - Advanced Settings window will open where you need to switch to the Font tab. Here you can use the following font decoration styles and settings: Strikethrough is used to make the text struck out with the line going through the letters. Double strikethrough is used to make the text struck out with the double line going through the letters. Superscript is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller and place it to 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. Spacing is used to set the space between the characters. Position is used to set the characters position in the line." + "body": "You can apply various font decoration styles using the corresponding icons situated at the Home tab of the top toolbar. Note: in case you want to apply the formatting to the text already present in the document, select it with the mouse or using the keyboard and apply the formatting. Bold Is used to make the font bold giving it more weight. Italic Is used to make the font italicized giving it some right side tilt. Underline Is used to make the text underlined with the line going under the letters. Strikeout Is used to make the text struck out with the line going through the letters. Superscript Is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript Is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas. To access advanced font settings, click the right mouse button and select the Paragraph Advanced Settings option from the menu or use the Show advanced settings link at the right sidebar. Then the Paragraph - Advanced Settings window will open where you need to switch to the Font tab. Here you can use the following font decoration styles and settings: Strikethrough is used to make the text struck out with the line going through the letters. Double strikethrough is used to make the text struck out with the double line going through the letters. Superscript is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller and place it to 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. 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. Position is used to set the characters position (vertical offset) in the line. Increase the default value to move characters upwards, or decrease the default value to move characters downwards. Use the arrow buttons or enter the necessary value in the box. All the changes will be displayed in the preview field below." }, { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Set font type, size, and color", - "body": "You can select the font type, its size and color using the corresponding icons situated at the Home tab of the top toolbar. Note: in case you want to apply the formatting to the text already present in the document, select it with the mouse or using the keyboard and apply the formatting. Font Is used to select one of the fonts from the list of the available ones. Font size Is used to select among the preset font size values from the dropdown list, or can be entered manually to the font size field. Increment font size Is used to change the font size making it larger one point each time the button is pressed. Decrement font size Is used to change the font size making it smaller one point each time the button is pressed. Highlight color Is used to mark separate sentences, phrases, words, or even characters by adding a color band that imitates highlighter pen effect around the text. You can select the necessary part of the text and then click the downward arrow next to the icon to select a color on the palette (this color set does not depend on the selected Color scheme and includes 16 colors) - the color will be applied to the text selection. 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 clear the highlight color, choose the No Fill option. Highlight color is different from the Background color as the latter is applied to the whole paragraph and completely fills all the paragraph space from the left page margin to the right page margin. Font color Is used to change the color of the letters/characters in the text. By default, the automatic font color is set in a new blank document. It is displayed as a black font on the white background. If you change the background color into black, the font color will automatically change into white to keep the text clearly visible. To choose a different color, click the downward arrow next to the icon and select a color from the available palettes (the colors on the Theme Colors palette depend on the selected color scheme). After you change the default font color, you can use the Automatic option in the color palettes window to quickly restore the automatic color for the selected text passage. Note: to learn more about the work with color palettes, please refer to this page." + "body": "You can select the font type, its size and color using the corresponding icons situated at the Home tab of the top toolbar. Note: in case you want to apply the formatting to the text already present in the document, select it with the mouse or using the keyboard and apply the formatting. Font Is used to select one of the fonts from the list of the available ones. If a required font is not available in the list, you can download and install it on your operating system, after that the font will be available for use in the desktop version. Font size Is used to select among the preset font size values from 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 to the font size field and then press Enter. Increment font size Is used to change the font size making it larger one point each time the button is pressed. Decrement font size Is used to change the font size making it smaller one point each time the button is pressed. Highlight color Is used to mark separate sentences, phrases, words, or even characters by adding a color band that imitates highlighter pen effect around the text. You can select the necessary part of the text and then click the downward arrow next to the icon to select a color on the palette (this color set does not depend on the selected Color scheme and includes 16 colors) - the color will be applied to the text selection. 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 clear the highlight color, choose the No Fill option. Highlight color is different from the Background color as the latter is applied to the whole paragraph and completely fills all the paragraph space from the left page margin to the right page margin. Font color Is used to change the color of the letters/characters in the text. By default, the automatic font color is set in a new blank document. It is displayed as a black font on the white background. If you change the background color into black, the font color will automatically change into white to keep the text clearly visible. To choose a different color, click the downward arrow next to the icon and select a color from the available palettes (the colors on the Theme Colors palette depend on the selected color scheme). After you change the default font color, you can use the Automatic option in the color palettes window to quickly restore the automatic color for the selected text passage. Note: to learn more about the work with color palettes, please refer to this page." }, { "id": "UsageInstructions/FormattingPresets.htm", @@ -158,7 +163,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insert autoshapes", - "body": "Insert an autoshape To add an autoshape to your document, switch to the Insert tab of the top toolbar, click the Shape icon at the top toolbar, select one of the available autoshape groups: basic shapes, figured arrows, math, charts, stars & ribbons, callouts, buttons, rectangles, lines, click the necessary autoshape within the selected group, place the mouse cursor where you want the shape to be put, once the autoshape is added you can change its size, position and properties. Note: to add a caption within the autoshape make sure the shape is selected on the page and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). Move and resize autoshapes To change the autoshape size, drag small squares situated on the shape edges. To maintain the original proportions of the selected autoshape while resizing, hold down the Shift key and drag one of the corner icons. When modifying some shapes, for example figured arrows or callouts, the yellow diamond-shaped icon is also available. It allows you to adjust some aspects of the shape, for example, the length of the head of an arrow. To alter the autoshape position, use the icon that appears after hovering your mouse cursor over the autoshape. Drag the autoshape to the necessary position without releasing the mouse button. When you move the autoshape, guide lines are displayed to help you position the object on the page precisely (if a wrapping style other than inline is selected). To move the autoshape by one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the autoshape strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To rotate the autoshape, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust autoshape settings To align and arrange autoshapes, use the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy a selected text/object and paste a previously cut/copied text passage or object to the current cursor position. Arrange is used to bring the selected autoshape to foreground, send to background, move forward or backward as well as group or ungroup shapes to perform operations with several of them at once. To learn more on how to arrange objects you can refer to this page. Align is used to align the shape left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window. Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the shape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - select this option to specify the solid color you want to fill the inner space of the selected autoshape with. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - select this option to fill the shape with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available: top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Picture or Texture - select this option to use an image or a predefined texture as the shape background. If you wish to use an image as a background for the shape, you can add an image From File selecting it on your computer HDD or From URL inserting the appropriate URL address into the opened window. If you wish to use a texture as a background for the shape, open the From Texture menu and select the necessary texture preset. Currently, the following textures are available: canvas, carton, dark fabric, grain, granite, grey paper, knit, leather, brown paper, papyrus, wood. In case the selected Picture has less or more dimensions than the autoshape has, you can choose the Stretch or Tile setting from the dropdown list. The Stretch option allows you to adjust the image size to fit the autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions or repeat the smaller image keeping its original dimensions over the autoshape surface so that it could fill the space completely. Note: any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill. Opacity - use this section to set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. Stroke - use this section to change the autoshape stroke width, color or type. To change the stroke width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Wrapping Style - use this section to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. To change the advanced settings of the autoshape, right-click it and select the Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar. The 'Shape - Advanced Settings' window will open: The Size tab contains the following parameters: Width - use one of these options to change the autoshape width. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab). Relative - specify a percentage relative to the left margin width, the margin (i.e. the distance between the left and right margins), the page width, or the right margin width. Height - use one of these options to change the autoshape height. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab). Relative - specify a percentage relative to the margin (i.e. the distance between the top and bottom margins), the bottom margin height, the page height, or the top margin height. If the Lock aspect ratio option is checked, the width and height will be changed together preserving the original shape aspect ratio. The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the shape is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the shape is considered to be a part of the text, like a character, so when the text moves, the shape moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the shape can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the shape. Tight - the text wraps the actual shape edges. Through - the text wraps around the shape edges and fills in the open white space within the shape. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the shape. In front - the shape overlaps the text. Behind - the text overlaps the shape. 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). The Position tab is available only if you select a wrapping style other than inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three autoshape positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) to the right of character, column, left margin, margin, page or right margin, Relative position measured in percent relative to the left margin, margin, page or right margin. The Vertical section allows you to select one of the following three autoshape positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) below line, margin, bottom margin, paragraph, page or top margin, Relative position measured in percent relative to the margin, bottom margin, page or top margin. Move object with text controls whether the autoshape moves as the text to which it is anchored moves. Allow overlap controls whether two autoshapes overlap or not if you drag them near each other on the page. The Shape Settings tab contains the following parameters: Line Style - this option group allows to specify the following parameters: Cap Type - this option allows to set the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows to set the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows to set the arrow Start and End Style and Size by selecting the appropriate option from the dropdown lists. The Text Padding tab allows to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the shape." + "body": "Insert an autoshape To add an autoshape to your document, switch to the Insert tab of the top toolbar, click the Shape icon at the top toolbar, select one of the available autoshape groups: basic shapes, figured arrows, math, charts, stars & ribbons, callouts, buttons, rectangles, lines, click the necessary autoshape within the selected group, place the mouse cursor where you want the shape to be put, once the autoshape is added you can change its size, position and properties. Note: to add a caption within the autoshape make sure the shape is selected on the page and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). Move and resize autoshapes To change the autoshape size, drag small squares situated on the shape edges. To maintain the original proportions of the selected autoshape while resizing, hold down the Shift key and drag one of the corner icons. When modifying some shapes, for example figured arrows or callouts, the yellow diamond-shaped icon is also available. It allows you to adjust some aspects of the shape, for example, the length of the head of an arrow. To alter the autoshape position, use the icon that appears after hovering your mouse cursor over the autoshape. Drag the autoshape to the necessary position without releasing the mouse button. When you move the autoshape, guide lines are displayed to help you position the object on the page precisely (if a wrapping style other than inline is selected). To move the autoshape by one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the autoshape strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To rotate the autoshape, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust autoshape settings To align and arrange autoshapes, use the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy a selected text/object and paste a previously cut/copied text passage or object to the current cursor position. Arrange is used to bring the selected autoshape to foreground, send to background, move forward or backward as well as group or ungroup shapes to perform operations with several of them at once. To learn more on how to arrange objects you can refer to this page. Align is used to align the shape left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Rotate is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Shape Advanced Settings is used to open the 'Shape - Advanced Settings' window. Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the shape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - select this option to specify the solid color you want to fill the inner space of the selected autoshape with. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - select this option to fill the shape with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available: top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Picture or Texture - select this option to use an image or a predefined texture as the shape background. If you wish to use an image as a background for the shape, you can add an image From File selecting it on your computer HDD or From URL inserting the appropriate URL address into the opened window. If you wish to use a texture as a background for the shape, open the From Texture menu and select the necessary texture preset. Currently, the following textures are available: canvas, carton, dark fabric, grain, granite, grey paper, knit, leather, brown paper, papyrus, wood. In case the selected Picture has less or more dimensions than the autoshape has, you can choose the Stretch or Tile setting from the dropdown list. The Stretch option allows you to adjust the image size to fit the autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions or repeat the smaller image keeping its original dimensions over the autoshape surface so that it could fill the space completely. Note: any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill. Opacity - use this section to set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. Stroke - use this section to change the autoshape stroke width, color or type. To change the stroke width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) Wrapping Style - use this section to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. To change the advanced settings of the autoshape, right-click it and select the Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar. The 'Shape - Advanced Settings' window will open: The Size tab contains the following parameters: Width - use one of these options to change the autoshape width. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab). Relative - specify a percentage relative to the left margin width, the margin (i.e. the distance between the left and right margins), the page width, or the right margin width. Height - use one of these options to change the autoshape height. Absolute - specify an exact value measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab). Relative - specify a percentage relative to the margin (i.e. the distance between the top and bottom margins), the bottom margin height, the page height, or the top margin height. If the Lock aspect ratio option is checked, the width and height will be changed together preserving the original shape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the shape is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the shape is considered to be a part of the text, like a character, so when the text moves, the shape moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the shape can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the shape. Tight - the text wraps the actual shape edges. Through - the text wraps around the shape edges and fills in the open white space within the shape. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the shape. In front - the shape overlaps the text. Behind - the text overlaps the shape. 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). The Position tab is available only if you select a wrapping style other than inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three autoshape positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) to the right of character, column, left margin, margin, page or right margin, Relative position measured in percent relative to the left margin, margin, page or right margin. The Vertical section allows you to select one of the following three autoshape positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) below line, margin, bottom margin, paragraph, page or top margin, Relative position measured in percent relative to the margin, bottom margin, page or top margin. Move object with text controls whether the autoshape moves as the text to which it is anchored moves. Allow overlap controls whether two autoshapes overlap or not if you drag them near each other on the page. The Weights & Arrows tab contains the following parameters: Line Style - this option group allows to specify the following parameters: Cap Type - this option allows to set the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows to set the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows to set the arrow Start and End Style and Size by selecting the appropriate option from the dropdown lists. The Text Padding tab allows to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the shape." }, { "id": "UsageInstructions/InsertBookmarks.htm", @@ -173,7 +178,7 @@ var indexes = { "id": "UsageInstructions/InsertContentControls.htm", "title": "Insert content controls", - "body": "Using content controls you can create a form with input fields that can be filled in by other users, or protect some parts of the document from being edited or deleted. Content controls are objects containing text that can be formatted. Plain text content controls cannot contain more than one paragraph, while rich text content controls can contain several paragraphs, lists, and objects (images, shapes, tables etc.). Adding content controls To create a new plain text content control, position the insertion point within a line of the text where you want the control to be added, or select a text passage you want to become the control contents. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Insert plain text content control option from the menu. The control will be inserted at the insertion point within a line of the existing text. Plain text content controls do not allow adding line breaks and cannot contain other objects such as images, tables etc. To create a new rich text content control, position the insertion point at the end of a paragraph after which you want the control to be added, or select one or more of the existing paragraphs you want to become the control contents. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Insert rich text content control option from the menu. The control will be inserted in a new paragraph. Rich text content controls allow adding line breaks, i.e. can contain multiple paragraphs as well as some objects, such as images, tables, other content controls etc. Note: The content control border is visible when the control is selected only. The borders do not appear on a printed version. Moving content controls Controls can be moved to another place in the document: click the button to the left of the control border to select the control and drag it without releasing the mouse button to another position in the document text. You can also copy and paste content controls: select the necessary control and use the Ctrl+C/Ctrl+V key combinations. Editing content controls Replace the default text within the control (\"Your text here\") with your own one: select the default text, and type in a new text or copy a text passage from anywhere and paste it into the content control. Text within the content control of any type (both plain text and rich text content controls) can be formatted using the icons on the top toolbar: you can adjust the font type, size, color, apply decoration styles and formatting presets. It's also possible to use the Paragraph - Advanced settings window accessible from the contextual menu or from the right sidebar to change the text properties. Text within rich text content controls can be formatted like a regular text of the document, i.e. you can set line spacing, change paragraph indents, adjust tab stops. Changing content control settings To open the content control settings, you can proceed in the following ways: Select the necessary content control, click the arrow next to the Content Controls icon at the top toolbar and select the Control Settings option from the menu. Right-click anywhere within the content control and use the Content control settings option from the contextual menu. A new window will open where you can adjust the following settings: Specify the content control Title or Tag in the corresponding fields. The title will be displayed when the control is selected in the document. Tags are used to identify content controls so that you can make reference to them in your code. Choose if you want to display the content control with a Bounding box or not. Use the None option to display the control without the bounding box. If you select the Bounding box option, you can choose this box Color using the field below. Protect the content control from being deleted or edited using the option from the Locking section: Content control cannot be deleted - check this box to protect the content control from being deleted. Contents cannot be edited - check this box to protect the contents of the content control from being edited. Click the OK button within the settings window to apply the changes. It's also possible to highlight content controls with a certain color. To highlight controls with a color: Click the button to the left of the control border to select the control, Click the arrow next to the Content Controls icon at the top toolbar, Select the Highlight Settings option from the menu, Select the necessary color on the available palettes: Theme Colors, Standard Colors or specify a new Custom Color. To remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all the content controls in the document. Removing content controls To remove a control and leave all its contents, click the content control to select it, then proceed in one of the following ways: Click the arrow next to the Content Controls icon at the top toolbar and select the Remove content control option from the menu. Right-click the content control and use the Remove content control option from the contextual menu. To remove a control and all its contents, select the necessary control and press the Delete key on the keyboard." + "body": "Using content controls you can create a form with input fields that can be filled in by other users, or protect some parts of the document from being edited or deleted. Content controls are objects containing text that can be formatted. Plain text content controls cannot contain more than one paragraph, while rich text content controls can contain several paragraphs, lists, and objects (images, shapes, tables etc.). Adding content controls To create a new plain text content control, position the insertion point within a line of the text where you want the control to be added, or select a text passage you want to become the control contents. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Insert plain text content control option from the menu. The control will be inserted at the insertion point within a line of the existing text. Plain text content controls do not allow adding line breaks and cannot contain other objects such as images, tables etc. To create a new rich text content control, position the insertion point at the end of a paragraph after which you want the control to be added, or select one or more of the existing paragraphs you want to become the control contents. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Insert rich text content control option from the menu. The control will be inserted in a new paragraph. Rich text content controls allow adding line breaks, i.e. can contain multiple paragraphs as well as some objects, such as images, tables, other content controls etc. Note: The content control border is visible when the control is selected only. The borders do not appear on a printed version. Moving content controls Controls can be moved to another place in the document: click the button to the left of the control border to select the control and drag it without releasing the mouse button to another position in the document text. You can also copy and paste content controls: select the necessary control and use the Ctrl+C/Ctrl+V key combinations. Editing content controls Replace the default text within the control (\"Your text here\") with your own one: select the default text, and type in a new text or copy a text passage from anywhere and paste it into the content control. Text within the content control of any type (both plain text and rich text content controls) can be formatted using the icons on the top toolbar: you can adjust the font type, size, color, apply decoration styles and formatting presets. It's also possible to use the Paragraph - Advanced settings window accessible from the contextual menu or from the right sidebar to change the text properties. Text within rich text content controls can be formatted like a regular text of the document, i.e. you can set line spacing, change paragraph indents, adjust tab stops. Changing content control settings To open the content control settings, you can proceed in the following ways: Select the necessary content control, click the arrow next to the Content Controls icon at the top toolbar and select the Control Settings option from the menu. Right-click anywhere within the content control and use the Content control settings option from the contextual menu. A new window will open where you can adjust the following settings: Specify the content control Title or Tag in the corresponding fields. The title will be displayed when the control is selected in the document. Tags are used to identify content controls so that you can make reference to them in your code. Choose if you want to display the content control with a Bounding box or not. Use the None option to display the control without the bounding box. If you select the Bounding box option, you can choose this box Color using the field below. Click the Apply to All button to apply the spesified Appearance settings to all the content controls in the document. Protect the content control from being deleted or edited using the option from the Locking section: Content control cannot be deleted - check this box to protect the content control from being deleted. Contents cannot be edited - check this box to protect the contents of the content control from being edited. Click the OK button within the settings window to apply the changes. It's also possible to highlight content controls with a certain color. To highlight controls with a color: Click the button to the left of the control border to select the control, Click the arrow next to the Content Controls icon at the top toolbar, Select the Highlight Settings option from the menu, Select the necessary color on the available palettes: Theme Colors, Standard Colors or specify a new Custom Color. To remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all the content controls in the document. Removing content controls To remove a control and leave all its contents, click the content control to select it, then proceed in one of the following ways: Click the arrow next to the Content Controls icon at the top toolbar and select the Remove content control option from the menu. Right-click the content control and use the Remove content control option from the contextual menu. To remove a control and all its contents, select the necessary control and press the Delete key on the keyboard." }, { "id": "UsageInstructions/InsertDropCap.htm", @@ -198,7 +203,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insert images", - "body": "In Document Editor, you can insert images in the most popular formats into your document. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. Insert an image To insert an image into the document text, place the cursor where you want the image to be put, switch to the Insert tab of the top toolbar, click the Image icon at the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button the Image from URL option will open the window where you can enter the necessary image web address and click the OK button once the image is added you can change its size, properties, and position. Move and resize images To change the image size, drag small squares situated on its edges. To maintain the original proportions of the selected image while resizing, hold down the Shift key and drag one of the corner icons. To alter the image position, use the icon that appears after hovering your mouse cursor over the image. Drag the image to the necessary position without releasing the mouse button. When you move the image, guide lines are displayed to help you position the object on the page precisely (if a wrapping style other than inline is selected). To rotate the image, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust image settings Some of the image settings can be altered using the Image settings tab of the right sidebar. To activate it click the image and choose the Image settings icon on the right. Here you can change the following properties: Size is used to view the current image Width and Height. If necessary, you can restore the default image size clicking the Default Size button. The Fit to Margin button allows to resize the image, so that it occupies all the space between the left and right page margin. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Replace Image is used to replace the current image loading another one From File or From URL. Some of these options you can also find in the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy a selected text/object and paste a previously cut/copied text passage or object to the current cursor position. Arrange is used to bring the selected image to foreground, send to background, move forward or backward as well as group or ungroup images to perform operations with several of them at once. To learn more on how to arrange objects you can refer to this page. Align is used to align the image left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Default Size is used to change the current image size to the default one. Replace image is used to replace the current image loading another one From File or From URL. Image Advanced Settings is used to open the 'Image - Advanced Settings' window. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. To change the image advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link at the right sidebar. The image properties window will open: The Size tab contains the following parameters: Width and Height - use these options to change the image width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button. The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the image is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the image is considered to be a part of the text, like a character, so when the text moves, the image moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the image can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the image. Tight - the text wraps the actual image edges. Through - the text wraps around the image edges and fills in the open white space within the image. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the image. In front - the image overlaps the text. Behind - the text overlaps the image. 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). The Position tab is available only if you select a wrapping style other than inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three image positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) to the right of character, column, left margin, margin, page or right margin, Relative position measured in percent relative to the left margin, margin, page or right margin. The Vertical section allows you to select one of the following three image positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) below line, margin, bottom margin, paragraph, page or top margin, Relative position measured in percent relative to the margin, bottom margin, page or top margin. Move object with text controls whether the image moves as the text to which it is anchored moves. Allow overlap controls whether two images overlap or not if you drag them near each other on the page. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image." + "body": "In Document Editor, you can insert images in the most popular formats into your document. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. Insert an image To insert an image into the document text, place the cursor where you want the image to be put, switch to the Insert tab of the top toolbar, click the Image icon at the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button the Image from URL option will open the window where you can enter the necessary image web address and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button once the image is added you can change its size, properties, and position. Move and resize images To change the image size, drag small squares situated on its edges. To maintain the original proportions of the selected image while resizing, hold down the Shift key and drag one of the corner icons. To alter the image position, use the icon that appears after hovering your mouse cursor over the image. Drag the image to the necessary position without releasing the mouse button. When you move the image, guide lines are displayed to help you position the object on the page precisely (if a wrapping style other than inline is selected). To rotate the image, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Adjust image settings Some of the image settings can be altered using the Image settings tab of the right sidebar. To activate it click the image and choose the Image settings icon on the right. Here you can change the following properties: Size is used to view the current image Width and Height. If necessary, you can restore the default image size clicking the Default Size button. The Fit to Margin button allows to resize the image, so that it occupies all the space between the left and right page margin. The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Replace Image is used to replace the current image loading another one From File or From URL. Some of these options you can also find in the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy a selected text/object and paste a previously cut/copied text passage or object to the current cursor position. Arrange is used to bring the selected image to foreground, send to background, move forward or backward as well as group or ungroup images to perform operations with several of them at once. To learn more on how to arrange objects you can refer to this page. Align is used to align the image left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind - or edit the wrap boundary. The Edit Wrap Boundary option is available only if you select a wrapping style other than Inline. Drag wrap points to customize the boundary. To create a new wrap point, click anywhere on the red line and drag it to the necessary position. Rotate is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Crop is used to apply one of the cropping options: Crop, Fill or Fit. Select the Crop option from the submenu, then drag the cropping handles to set the cropping area, and click one of these three options from the submenu once again to apply the changes. Default Size is used to change the current image size to the default one. Replace image is used to replace the current image loading another one From File or From URL. Image Advanced Settings is used to open the 'Image - Advanced Settings' window. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. To change the image advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link at the right sidebar. The image properties window will open: The Size tab contains the following parameters: Width and Height - use these options to change the image width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button. The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the image is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the image is considered to be a part of the text, like a character, so when the text moves, the image moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the image can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the image. Tight - the text wraps the actual image edges. Through - the text wraps around the image edges and fills in the open white space within the image. So that the effect can appear, use the Edit Wrap Boundary option from the right-click menu. Top and bottom - the text is only above and below the image. In front - the image overlaps the text. Behind - the text overlaps the image. 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). The Position tab is available only if you select a wrapping style other than inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three image positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) to the right of character, column, left margin, margin, page or right margin, Relative position measured in percent relative to the left margin, margin, page or right margin. The Vertical section allows you to select one of the following three image positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) below line, margin, bottom margin, paragraph, page or top margin, Relative position measured in percent relative to the margin, bottom margin, page or top margin. Move object with text controls whether the image moves as the text to which it is anchored moves. Allow overlap controls whether two images overlap or not if you drag them near each other on the page. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image." }, { "id": "UsageInstructions/InsertPageNumbers.htm", @@ -208,12 +213,12 @@ var indexes = { "id": "UsageInstructions/InsertTables.htm", "title": "Insert tables", - "body": "Insert a table To insert a table into the document text, place the cursor where you want the table to be put, switch to the Insert tab of the top toolbar, click the Table icon at the top toolbar, select the option to create a table: either a table with predefined number of cells (10 by 8 cells maximum) If you want to quickly add a table, just select the number of rows (8 maximum) and columns (10 maximum). or a custom table In case you need more than 10 by 8 cell table, select the Insert Custom Table option that will open the window where you can enter the necessary number of rows and columns respectively, then click the OK button. once the table is added you can change its properties, size and position. To resize a table, hover the mouse cursor over the handle in its lower right corner and drag it until the table reaches the necessary size. You can also manually change the width of a certain column or the height of a row. Move the mouse cursor over the right border of the column so that the cursor turns into the bidirectional arrow and drag the border to the left or right to set the necessary width. To change the height of a single row manually, move the mouse cursor over the bottom border of the row so that the cursor turns into the bidirectional arrow and drag the border up or down. To move a table, hold down the handle in its upper left corner and drag it to the necessary place in the document. Select a table or its part To select an entire table, click the handle in its upper left corner. To select a certain cell, move the mouse cursor to the left side of the necessary cell so that the cursor turns into the black arrow , then left-click. To select a certain row, move the mouse cursor to the left border of the table next to the necessary row so that the cursor turns into the horizontal black arrow , then left-click. To select a certain column, move the mouse cursor to the top border of the necessary column so that the cursor turns into the downward black arrow , then left-click. It's also possible to select a cell, row, column or table using options from the contextual menu or from the Rows & Columns section at the right sidebar. Note: to move around in a table you can use keyboard shortcuts. Adjust table settings Some of the table properties as well as its structure can be altered using the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy a selected text/object and paste a previously cut/copied text passage or object to the current cursor position. Select is used to select a row, column, cell, or table. Insert is used to insert a row above or row below the row where the cursor is placed as well as to insert a column at the left or right side from the column where the cursor is placed. Delete is used to delete a row, column or table. Merge Cells is available if two or more cells are selected and is used to merge them. Split Cell... is used to open a window where you can select the needed number of columns and rows the cell will be split in. Distribute rows is used to adjust the selected cells so that they have the same height without changing the overall table height. Distribute columns is used to adjust the selected cells so that they have the same width without changing the overall table width. Cell Vertical Alignment is used to align the text top, center or bottom in the selected cell. Text Direction - is used to change the text orientation in a cell. You can place the text horizontally, vertically from top to bottom (Rotate at 90°), or vertically from bottom to top (Rotate at 270°). Table Advanced Settings is used to open the 'Table - Advanced Settings' window. Hyperlink is used to insert a hyperlink. Paragraph Advanced Settings is used to open the 'Paragraph - Advanced Settings' window. You can also change the table properties at the right sidebar: Rows and Columns are used to select the table parts that you want to be highlighted. For rows: Header - to highlight the first row Total - to highlight the last row Banded - to highlight every other row For columns: First - to highlight the first column Last - to highlight the last column Banded - to highlight every other column Select from Template is used to choose a table template from the available ones. Borders Style is used to select the border size, color, style as well as background color. Rows & Columns is used to perform some operations with the table: select, delete, insert rows and columns, merge cells, split a cell. Cell Size is used to adjust the width and height of the currently selected cell. In this section, you can also Distribute rows so that all the selected cells have equal height or Distribute columns so that all the selected cells have equal width. Repeat as header row at the top of each page is used to insert the same header row at the top of each page in long tables. Show advanced settings is used to open the 'Table - Advanced Settings' window. To change the advanced table properties, click the table with the right mouse button and select the Table Advanced Settings option from the right-click menu or use the Show advanced settings link at the right sidebar. The table properties window will open: The Table tab allows to change properties of the entire table. The Table Size section contains the following parameters: Width - by default, the table width is automatically adjusted to fit the page width, i.e. the table occupies all the space between the left and right page margin. You can check this box and specify the necessary table width manually. Measure in - allows to specify if you want to set the table width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) or in Percent of the overall page width. Note: you can also adjust the table size manually changing the row height and column width. Move the mouse cursor over a row/column border until it turns into the bidirectional arrow and drag the border. You can also use the markers on the horizontal ruler to change the column width and the markers on the vertical ruler to change the row height. Automatically resize to fit contents - enables automatic change of each column width in accordance with the text within its cells. The Default Cell Margins section allows to change the space between the text within the cells and the cell border used by default. The Options section allows to change the following parameter: Spacing between cells - the cell spacing which will be filled with the Table Background color. The Cell tab allows to change properties of individual cells. First you need to select the cell you want to apply the changes to or select the entire table to change properties of all its cells. The Cell Size section contains the following parameters: Preferred width - allows to set a preferred cell width. This is the size that a cell strives to fit to, but in some cases it may not be possible to fit to this exact value. For example, if the text within a cell exceeds the specified width, it will be broken into the next line so that the preferred cell width remains unchanged, but if you insert a new column, the preferred width will be reduced. Measure in - allows to specify if you want to set the cell width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) or in Percent of the overall table width. Note: you can also adjust the cell width manually. To make a single cell in a column wider or narrower than the overall column width, select the necessary cell and move the mouse cursor over its right border until it turns into the bidirectional arrow, then drag the border. To change the width of all the cells in a column, use the markers on the horizontal ruler to change the column width. The Cell Margins section allows to adjust the space between the text within the cells and the cell border. By default, standard values are used (the default values can also be altered at the Table tab), but you can uncheck the Use default margins box and enter the necessary values manually. The Cell Options section allows to change the following parameter: The Wrap text option is enabled by default. It allows to wrap text within a cell that exceeds its width onto the next line expanding the row height and keeping the column width unchanged. The Borders & Background tab contains the following parameters: Border parameters (size, color and presence or absence) - set the border size, select its color and choose the way it will be displayed in the cells. Note: in case you select not to show table borders clicking the button or deselecting all the borders manually on the diagram, they will be indicated by a dotted line in the document. To make them disappear at all, click the Nonprinting characters icon at the Home tab of the top toolbar and select the Hidden Table Borders option. Cell Background - the color for the background within the cells (available only if one or more cells are selected or the Allow spacing between cells option is selected at the Table tab). Table Background - the color for the table background or the space background between the cells in case the Allow spacing between cells option is selected at the Table tab. The Table Position tab is available only if the Flow table option at the Text Wrapping tab is selected and contains the following parameters: Horizontal parameters include the table alignment (left, center, right) relative to margin, page or text as well as the table position to the right of margin, page or text. Vertical parameters include the table alignment (top, center, bottom) relative to margin, page or text as well as the table position below margin, page or text. The Options section allows to change the following parameters: Move object with text controls whether the table moves as the text into which it is inserted moves. Allow overlap controls whether two tables are merged into one large table or overlap if you drag them near each other on the page. The Text Wrapping tab contains the following parameters: Text wrapping style - Inline table or Flow table. Use the necessary option to change the way the table is positioned relative to the text: it will either be a part of the text (in case you select the inline table) or bypassed by it from all sides (if you select the flow table). After you select the wrapping style, the additional wrapping parameters can be set both for inline and flow tables: For the inline table, you can specify the table alignment and indent from left. For the flow table, you can specify the distance from text and table position at the Table Position tab. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the table." + "body": "Insert a table To insert a table into the document text, place the cursor where you want the table to be put, switch to the Insert tab of the top toolbar, click the Table icon at the top toolbar, select the option to create a table: either a table with predefined number of cells (10 by 8 cells maximum) If you want to quickly add a table, just select the number of rows (8 maximum) and columns (10 maximum). or a custom table In case you need more than 10 by 8 cell table, select the Insert Custom Table option that will open the window where you can enter the necessary number of rows and columns respectively, then click the OK button. once the table is added you can change its properties, size and position. To resize a table, hover the mouse cursor over the handle in its lower right corner and drag it until the table reaches the necessary size. You can also manually change the width of a certain column or the height of a row. Move the mouse cursor over the right border of the column so that the cursor turns into the bidirectional arrow and drag the border to the left or right to set the necessary width. To change the height of a single row manually, move the mouse cursor over the bottom border of the row so that the cursor turns into the bidirectional arrow and drag the border up or down. To move a table, hold down the handle in its upper left corner and drag it to the necessary place in the document. Select a table or its part To select an entire table, click the handle in its upper left corner. To select a certain cell, move the mouse cursor to the left side of the necessary cell so that the cursor turns into the black arrow , then left-click. To select a certain row, move the mouse cursor to the left border of the table next to the necessary row so that the cursor turns into the horizontal black arrow , then left-click. To select a certain column, move the mouse cursor to the top border of the necessary column so that the cursor turns into the downward black arrow , then left-click. It's also possible to select a cell, row, column or table using options from the contextual menu or from the Rows & Columns section at the right sidebar. Note: to move around in a table you can use keyboard shortcuts. Adjust table settings Some of the table properties as well as its structure can be altered using the right-click menu. The menu options are: Cut, Copy, Paste - standard options which are used to cut or copy a selected text/object and paste a previously cut/copied text passage or object to the current cursor position. Select is used to select a row, column, cell, or table. Insert is used to insert a row above or row below the row where the cursor is placed as well as to insert a column at the left or right side from the column where the cursor is placed. Delete is used to delete a row, column or table. Merge Cells is available if two or more cells are selected and is used to merge them. Split Cell... is used to open a window where you can select the needed number of columns and rows the cell will be split in. Distribute rows is used to adjust the selected cells so that they have the same height without changing the overall table height. Distribute columns is used to adjust the selected cells so that they have the same width without changing the overall table width. Cell Vertical Alignment is used to align the text top, center or bottom in the selected cell. Text Direction - is used to change the text orientation in a cell. You can place the text horizontally, vertically from top to bottom (Rotate Text Down), or vertically from bottom to top (Rotate Text Up). Table Advanced Settings is used to open the 'Table - Advanced Settings' window. Hyperlink is used to insert a hyperlink. Paragraph Advanced Settings is used to open the 'Paragraph - Advanced Settings' window. You can also change the table properties at the right sidebar: Rows and Columns are used to select the table parts that you want to be highlighted. For rows: Header - to highlight the first row Total - to highlight the last row Banded - to highlight every other row For columns: First - to highlight the first column Last - to highlight the last column Banded - to highlight every other column Select from Template is used to choose a table template from the available ones. Borders Style is used to select the border size, color, style as well as background color. Rows & Columns is used to perform some operations with the table: select, delete, insert rows and columns, merge cells, split a cell. Cell Size is used to adjust the width and height of the currently selected cell. In this section, you can also Distribute rows so that all the selected cells have equal height or Distribute columns so that all the selected cells have equal width. Add formula is used to insert a formula into the selected table cell. Repeat as header row at the top of each page is used to insert the same header row at the top of each page in long tables. Show advanced settings is used to open the 'Table - Advanced Settings' window. To change the advanced table properties, click the table with the right mouse button and select the Table Advanced Settings option from the right-click menu or use the Show advanced settings link at the right sidebar. The table properties window will open: The Table tab allows to change properties of the entire table. The Table Size section contains the following parameters: Width - by default, the table width is automatically adjusted to fit the page width, i.e. the table occupies all the space between the left and right page margin. You can check this box and specify the necessary table width manually. Measure in - allows to specify if you want to set the table width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) or in Percent of the overall page width. Note: you can also adjust the table size manually changing the row height and column width. Move the mouse cursor over a row/column border until it turns into the bidirectional arrow and drag the border. You can also use the markers on the horizontal ruler to change the column width and the markers on the vertical ruler to change the row height. Automatically resize to fit contents - enables automatic change of each column width in accordance with the text within its cells. The Default Cell Margins section allows to change the space between the text within the cells and the cell border used by default. The Options section allows to change the following parameter: Spacing between cells - the cell spacing which will be filled with the Table Background color. The Cell tab allows to change properties of individual cells. First you need to select the cell you want to apply the changes to or select the entire table to change properties of all its cells. The Cell Size section contains the following parameters: Preferred width - allows to set a preferred cell width. This is the size that a cell strives to fit to, but in some cases it may not be possible to fit to this exact value. For example, if the text within a cell exceeds the specified width, it will be broken into the next line so that the preferred cell width remains unchanged, but if you insert a new column, the preferred width will be reduced. Measure in - allows to specify if you want to set the cell width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified at the File -> Advanced Settings... tab) or in Percent of the overall table width. Note: you can also adjust the cell width manually. To make a single cell in a column wider or narrower than the overall column width, select the necessary cell and move the mouse cursor over its right border until it turns into the bidirectional arrow, then drag the border. To change the width of all the cells in a column, use the markers on the horizontal ruler to change the column width. The Cell Margins section allows to adjust the space between the text within the cells and the cell border. By default, standard values are used (the default values can also be altered at the Table tab), but you can uncheck the Use default margins box and enter the necessary values manually. The Cell Options section allows to change the following parameter: The Wrap text option is enabled by default. It allows to wrap text within a cell that exceeds its width onto the next line expanding the row height and keeping the column width unchanged. The Borders & Background tab contains the following parameters: Border parameters (size, color and presence or absence) - set the border size, select its color and choose the way it will be displayed in the cells. Note: in case you select not to show table borders clicking the button or deselecting all the borders manually on the diagram, they will be indicated by a dotted line in the document. To make them disappear at all, click the Nonprinting characters icon at the Home tab of the top toolbar and select the Hidden Table Borders option. Cell Background - the color for the background within the cells (available only if one or more cells are selected or the Allow spacing between cells option is selected at the Table tab). Table Background - the color for the table background or the space background between the cells in case the Allow spacing between cells option is selected at the Table tab. The Table Position tab is available only if the Flow table option at the Text Wrapping tab is selected and contains the following parameters: Horizontal parameters include the table alignment (left, center, right) relative to margin, page or text as well as the table position to the right of margin, page or text. Vertical parameters include the table alignment (top, center, bottom) relative to margin, page or text as well as the table position below margin, page or text. The Options section allows to change the following parameters: Move object with text controls whether the table moves as the text into which it is inserted moves. Allow overlap controls whether two tables are merged into one large table or overlap if you drag them near each other on the page. The Text Wrapping tab contains the following parameters: Text wrapping style - Inline table or Flow table. Use the necessary option to change the way the table is positioned relative to the text: it will either be a part of the text (in case you select the inline table) or bypassed by it from all sides (if you select the flow table). After you select the wrapping style, the additional wrapping parameters can be set both for inline and flow tables: For the inline table, you can specify the table alignment and indent from left. For the flow table, you can specify the distance from text and table position at the Table Position tab. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the table." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Insert text objects", - "body": "To make your text more emphatic and draw attention to a specific part of the document, you can insert a text box (a rectangular frame that allows to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows to apply some text effects). Add a text object You can add a text object anywhere on the page. To do that: switch to the Insert tab of the top toolbar, select the necessary text object type: to add a text box, click the Text Box icon at 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. Note: it's also possible to insert a text box by clicking the Shape icon at the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon at the top toolbar, then click on the desired style template – the Text Art object will be added at the current cursor position. Select the default text within the text box with the mouse and replace it with your own text. click outside of the text object to apply the changes and return to the document. 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 with text in it (Text Art objects have invisible text box borders by default) 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 on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box clicking on its border to be able 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, stroke, wrapping style or replace the rectangular box with a different shape, click the Shape settings icon on the right sidebar and use the corresponding options. to align the text box on the page, arrange text boxes as related to other objects, change a wrapping style or access the shape advanced settings, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects you can refer to this page. Format the text within the text box Click the text within the text box to be able 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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion of the text separately. 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 (is selected by default), Rotate at 90° (sets a vertical direction, from top to bottom) or Rotate at 270° (sets a vertical direction, from bottom to top). To align the text vertically within the text box, right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom. Other formatting options that you can apply are the same as the ones for regular text. Please refer to the corresponding help sections to learn more about the necessary operation. You can: align the text horizontally within the text box adjust the font type, size, color, apply decoration styles and formatting presets set line spacing, change paragraph indents, adjust tab stops for the multi-line text within the text box insert a hyperlink You can also click the Text Art settings icon on the right sidebar and change some style parameters. 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. You can choose the following options: Color Fill - select this option to specify the solid color you want to fill the inner space of letters with. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - select this option to fill the letters with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available: top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Note: if one of these two options is selected, you can also set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. No Fill - select this option if you don't want to use any fill. Adjust the font Stroke width, color and type. To change the stroke width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). 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": "To make your text more emphatic and draw attention to a specific part of the document, you can insert a text box (a rectangular frame that allows to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows to apply some text effects). Add a text object You can add a text object anywhere on the page. To do that: switch to the Insert tab of the top toolbar, select the necessary text object type: to add a text box, click the Text Box icon at 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. Note: it's also possible to insert a text box by clicking the Shape icon at the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon at the top toolbar, then click on the desired style template – the Text Art object will be added at the current cursor position. Select the default text within the text box with the mouse and replace it with your own text. click outside of the text object to apply the changes and return to the document. 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 with text in it (Text Art objects have invisible text box borders by default) 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 on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box clicking on its border to be able 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, stroke, wrapping style or replace the rectangular box with a different shape, click the Shape settings icon on the right sidebar and use the corresponding options. to align the text box on the page, arrange text boxes as related to other objects, rotate or flip a text box, change a wrapping style or access the shape advanced settings, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects you can refer to this page. Format the text within the text box Click the text within the text box to be able 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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion of the text separately. 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 (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets a vertical direction, from bottom to top). To align the text vertically within the text box, right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom. Other formatting options that you can apply are the same as the ones for regular text. Please refer to the corresponding help sections to learn more about the necessary operation. You can: align the text horizontally within the text box adjust the font type, size, color, apply decoration styles and formatting presets set line spacing, change paragraph indents, adjust tab stops for the multi-line text within the text box insert a hyperlink You can also click the Text Art settings icon on the right sidebar and change some style parameters. 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. You can choose the following options: Color Fill - select this option to specify the solid color you want to fill the inner space of letters with. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Gradient Fill - select this option to fill the letters with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available: top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Note: if one of these two options is selected, you can also set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. No Fill - select this option if you don't want to use any fill. Adjust the font Stroke width, color and type. To change the stroke width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). 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/LineSpacing.htm", @@ -228,12 +233,12 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Create a new document or open an existing one", - "body": "After you finished working at one document, you can immediately proceed to an already existing document that you have recently edited, create a new one, or return to the list of existing documents. To create a new document, click the File tab of the top toolbar, select the Create New... option. To open a recently edited document within Document Editor, click the File tab of the top toolbar, select the Open Recent... option, choose the document you need from the list of recently edited documents. To return to the list of existing documents, click the Go to Documents icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Go to Documents option." + "body": "To create a new document In the online editor click the File tab of the top toolbar, select the Create New option. In the desktop editor in the main program window, select the Document menu item from the Create new section of the left sidebar - a new file will open in a new tab, when all the necessary changes are made, click the Save icon in the upper left corner or switch to the File tab and choose the Save as menu item. in the file manager window, select the file location, specify its name, choose the format you want to save the document to (DOCX, Document template, ODT, RTF, TXT, PDF or PDFA) and click the Save button. To open an existing document In the desktop editor in the main program window, select the Open local file menu item at the left sidebar, choose the necessary document from the file manager window and click the Open button. You can also right-click the necessary document in the file manager window, select the Open with option and choose the necessary application from the menu. If the office documents files are associated with the application, you can also open documents by double-clicking the file name in the file explorer window. 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 document In the online editor click the File tab of the top toolbar, select the Open Recent... option, choose the document you need from the list of recently edited documents. In the desktop editor in the main program window, select the Recent files menu item at the left sidebar, choose the document you need from the list of recently edited documents. To open the folder where the file is stored in a new browser tab in the online version, in the file explorer window in the desktop version, click the Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Open file location option." }, { "id": "UsageInstructions/PageBreaks.htm", "title": "Insert page breaks", - "body": "In Document Editor, you can add the page break to start a new page and adjust pagination options. To insert a page break at the current cursor position click the Breaks icon at the Insert or Layout tab of the top toolbar or click the arrow next to this icon and select the Insert Page Break option from the menu. You can also use the Ctrl+Enter key combination. To insert a page break before the selected paragraph i.e. to start this paragraph at the top of a new page: click the right mouse button and select the Page break before option in the menu, or click the right mouse button, select the Paragraph Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar, and check the Page break before box in the opened Paragraph - Advanced Settings window. To keep lines together so that only whole paragraphs will be moved to the new page (i.e. there will be no page break between the lines within a single paragraph), click the right mouse button and select the Keep lines together option in the menu, or click the right mouse button, select the Paragraph Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar, and check the Keep lines together box in the opened Paragraph - Advanced Settings window. The Paragraph - Advanced Settings window allows you to set two more pagination options: Keep with next - is used to prevent a page break between the selected paragraph and the next one. Orphan control - is selected by default and used to prevent a single line of the paragraph (the first or last) from appearing at the top or bottom of the page." + "body": "In Document Editor, you can add a page break to start a new page, insert a blank page and adjust pagination options. To insert a page break at the current cursor position click the Breaks icon at the Insert or Layout tab of the top toolbar or click the arrow next to this icon and select the Insert Page Break option from the menu. You can also use the Ctrl+Enter key combination. To insert a blank page at the current cursor position click the Blank Page icon at the Insert tab of the top toolbar. This inserts two page breaks that creates a blank page. To insert a page break before the selected paragraph i.e. to start this paragraph at the top of a new page: click the right mouse button and select the Page break before option in the menu, or click the right mouse button, select the Paragraph Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar, and check the Page break before box in the opened Paragraph - Advanced Settings window. To keep lines together so that only whole paragraphs will be moved to the new page (i.e. there will be no page break between the lines within a single paragraph), click the right mouse button and select the Keep lines together option in the menu, or click the right mouse button, select the Paragraph Advanced Settings option in the menu or use the Show advanced settings link at the right sidebar, and check the Keep lines together box in the opened Paragraph - Advanced Settings window. The Paragraph - Advanced Settings window allows you to set two more pagination options: Keep with next - is used to prevent a page break between the selected paragraph and the next one. Orphan control - is selected by default and used to prevent a single line of the paragraph (the first or last) from appearing at the top or bottom of the page." }, { "id": "UsageInstructions/ParagraphIndents.htm", @@ -243,7 +248,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Save/download/print your document", - "body": "Save/download/ print your document By default, Document Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your current document manually, press the Save icon at the top toolbar, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. To download the resulting document onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as... option, choose one of the available formats depending on your needs: DOCX, PDF, TXT, ODT, RTF, HTML. To print out the current document, click the Print icon at the top toolbar, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. After that a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later." + "body": "Save/download/ print your document Saving By default, online Document Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your current document manually in the current format and location, press the Save icon in the left part of the editor header, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. Note: in the desktop version, to prevent data loss in case of the unexpected program closing you can turn on the Autorecover option at the Advanced Settings page. In the desktop version, you can save the document with another name, in a new location or format, click the File tab of the top toolbar, select the Save as... option, choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDFA. You can also choose the Document template (DOTX) option. Downloading In the online version, you can download the resulting document onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as... option, choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Saving a copy In the online version, you can save a copy of the file on your portal, click the File tab of the top toolbar, select the Save Copy as... option, choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, select a location of the file on the portal and press Save. Printing To print out the current document, click the Print icon in the left part of the editor header, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. In the desktop version, the file will be printed directly. In the online version, a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing." }, { "id": "UsageInstructions/SectionBreaks.htm", @@ -263,11 +268,11 @@ var indexes = { "id": "UsageInstructions/UseMailMerge.htm", "title": "Use Mail Merge", - "body": "Note: this option is available for paid versions only. The Mail Merge feature is used to create a set of documents combining a common content which is taken from a text document and some individual components (variables, such as names, greetings etc.) taken from a spreadsheet (for example, a customer list). It can be useful if you need to create a lot of personalized letters and send them to recipients. To start working with the Mail Merge feature, Prepare a data source and load it to the main document A data source used for the mail merge must be an .xlsx spreadsheet stored on your portal. Open an existing spreadsheet or create a new one and make sure that it meets the following requirements. The spreadsheet should have a header row with the column titles, as values in the first cell of each column will designate merge fields (i.e. variables that you can insert into the text). Each column should contain a set of actual values for a variable. Each row in the spreadsheet should correspond to a separate record (i.e. a set of values that belongs to a certain recipient). During the merge process, a copy of the main document will be created for each record and each merge field inserted into the main text will be replaced with an actual value from the corresponding column. If you are goung to send results by email, the spreadsheet must also include a column with the recipients' email addresses. Open an existing text document or create a new one. It must contain the main text which will be the same for each version of the merged document. Click the Mail Merge icon at the Home tab of the top toolbar. The Select Data Source window will open. It displays the list of all your .xlsx spreadsheets stored in the My Documents section. To navigate between other Documents module sections use the menu in the left part of the window. Select the file you need and click OK. Once the data source is loaded, the Mail Merge setting tab will be available on the right sidebar. Verify or change the recipients list Click the Edit recipients list button on the top of the right sidebar to open the Mail Merge Recipients window, where the content of the selected data source is displayed. Here you can add new information, edit or delete the existing data, if necessary. To simplify working with data, you can use the icons on the top of the window: and - to copy and paste the copied data and - to undo and redo undone actions and - to sort your data within a selected range of cells in ascending or descending order - to enable the filter for the previously selected range of cells or to remove the applied filter - to clear all the applied filter parameters Note: to learn more on how to use the filter you can refer to the Sort and filter data section of the Spreadsheet Editor help. - to search for a certain value and replace it with another one, if necessary Note: to learn more on how to use the Find and Replace tool you can refer to the Search and Replace Functions section of the Spreadsheet Editor help. After all the necessary changes are made, click the Save & Exit button. To discard the changes, click the Close button. Insert merge fields and check the results Place the mouse cursor in the text of the main document where you want a merge field to be inserted, click the Insert Merge Field button at the right sidebar and select the necessary field from the list. The available fields correspond to the data in the first cell of each column of the selected data source. Add all the fields you need anywhere in the document. Turn on the Highlight merge fields switcher at the right sidebar to make the inserted fields more noticeable in the document text. Turn on the Preview results switcher at the right sidebar to view the document text with the merge fields replaced with actual values from the data source. Use the arrow buttons to preview versions of the merged document for each record. To delete an inserted field, disable the Preview results mode, select the field with the mouse and press the Delete key on the keyboard. To replace an inserted field, disable the Preview results mode, select the field with the mouse, click the Insert Merge Field button at the right sidebar and choose a new field from the list. Specify the merge parameters Select the merge type. You can start mass mailing or save the result as a file in the PDF or Docx format to be able to print or edit it later. Select the necessary option from the Merge to list: PDF - to create a single document in the PDF format that includes all the merged copies so that you can print them later Docx - to create a single document in the Docx format that includes all the merged copies so that you can edit individual copies later Email - to send the results to recipients by email Note: the recipients' email addresses must be specified in the loaded data source and you need to have at least one email account connected in the Mail module on your portal. Choose the records you want to apply the merge to: All records (this option is selected by default) - to create merged documents for all records from the loaded data source Current record - to create a merged document for the record that is currently displayed From ... To - to create merged documents for a range of records (in this case you need to specify two values: the number of the first record and the last record in the desired range) Note: the maximum allowed quantity of recipients is 100. If you have more than 100 recipients in your data source, please, perform the mail merge by stages: specify the values from 1 to 100, wait until the mail merge process is over, then repeat the operation specifying the values from 101 to N etc. Complete the merge If you've decided to save the merge results as a file, click the Download button to store the file anywhere on your PC. You'll find the downloaded file in your default Downloads folder. click the Save button to save the file on your portal. In the Folder for save window that opens, you can change the file name and specify the folder where you want to save the file. You can also check the Open merged document in new tab box to check the result once the merge process is finished. Finally, click Save in the Folder for save window. If you've selected the Email option, the Merge button will be available on the right sidebar. After you click it, the Send to Email window will open: In the From list, select the mail account you want to use for sending mail, if you have several accounts connected in the Mail module. In the To list, select the merge field corresponding to email addresses of the recipients, if it was not selected automatically. Enter your message subject in the Subject Line field. Select the mail format from the list: HTML, Attach as DOCX or Attach as PDF. When one of the two latter options is selected, you also need to specify the File name for attachments and enter the Message (the text of your letter that will be sent to recipients). Click the Send button. Once the mailing is over you'll receive a notification to your email specified in the From field." + "body": "Note: this option is available in the online version only. The Mail Merge feature is used to create a set of documents combining a common content which is taken from a text document and some individual components (variables, such as names, greetings etc.) taken from a spreadsheet (for example, a customer list). It can be useful if you need to create a lot of personalized letters and send them to recipients. To start working with the Mail Merge feature, Prepare a data source and load it to the main document A data source used for the mail merge must be an .xlsx spreadsheet stored on your portal. Open an existing spreadsheet or create a new one and make sure that it meets the following requirements. The spreadsheet should have a header row with the column titles, as values in the first cell of each column will designate merge fields (i.e. variables that you can insert into the text). Each column should contain a set of actual values for a variable. Each row in the spreadsheet should correspond to a separate record (i.e. a set of values that belongs to a certain recipient). During the merge process, a copy of the main document will be created for each record and each merge field inserted into the main text will be replaced with an actual value from the corresponding column. If you are goung to send results by email, the spreadsheet must also include a column with the recipients' email addresses. Open an existing text document or create a new one. It must contain the main text which will be the same for each version of the merged document. Click the Mail Merge icon at the Home tab of the top toolbar. The Select Data Source window will open. It displays the list of all your .xlsx spreadsheets stored in the My Documents section. To navigate between other Documents module sections use the menu in the left part of the window. Select the file you need and click OK. Once the data source is loaded, the Mail Merge setting tab will be available on the right sidebar. Verify or change the recipients list Click the Edit recipients list button on the top of the right sidebar to open the Mail Merge Recipients window, where the content of the selected data source is displayed. Here you can add new information, edit or delete the existing data, if necessary. To simplify working with data, you can use the icons on the top of the window: and - to copy and paste the copied data and - to undo and redo undone actions and - to sort your data within a selected range of cells in ascending or descending order - to enable the filter for the previously selected range of cells or to remove the applied filter - to clear all the applied filter parameters Note: to learn more on how to use the filter you can refer to the Sort and filter data section of the Spreadsheet Editor help. - to search for a certain value and replace it with another one, if necessary Note: to learn more on how to use the Find and Replace tool you can refer to the Search and Replace Functions section of the Spreadsheet Editor help. After all the necessary changes are made, click the Save & Exit button. To discard the changes, click the Close button. Insert merge fields and check the results Place the mouse cursor in the text of the main document where you want a merge field to be inserted, click the Insert Merge Field button at the right sidebar and select the necessary field from the list. The available fields correspond to the data in the first cell of each column of the selected data source. Add all the fields you need anywhere in the document. Turn on the Highlight merge fields switcher at the right sidebar to make the inserted fields more noticeable in the document text. Turn on the Preview results switcher at the right sidebar to view the document text with the merge fields replaced with actual values from the data source. Use the arrow buttons to preview versions of the merged document for each record. To delete an inserted field, disable the Preview results mode, select the field with the mouse and press the Delete key on the keyboard. To replace an inserted field, disable the Preview results mode, select the field with the mouse, click the Insert Merge Field button at the right sidebar and choose a new field from the list. Specify the merge parameters Select the merge type. You can start mass mailing or save the result as a file in the PDF or Docx format to be able to print or edit it later. Select the necessary option from the Merge to list: PDF - to create a single document in the PDF format that includes all the merged copies so that you can print them later Docx - to create a single document in the Docx format that includes all the merged copies so that you can edit individual copies later Email - to send the results to recipients by email Note: the recipients' email addresses must be specified in the loaded data source and you need to have at least one email account connected in the Mail module on your portal. Choose the records you want to apply the merge to: All records (this option is selected by default) - to create merged documents for all records from the loaded data source Current record - to create a merged document for the record that is currently displayed From ... To - to create merged documents for a range of records (in this case you need to specify two values: the number of the first record and the last record in the desired range) Note: the maximum allowed quantity of recipients is 100. If you have more than 100 recipients in your data source, please, perform the mail merge by stages: specify the values from 1 to 100, wait until the mail merge process is over, then repeat the operation specifying the values from 101 to N etc. Complete the merge If you've decided to save the merge results as a file, click the Download button to store the file anywhere on your PC. You'll find the downloaded file in your default Downloads folder. click the Save button to save the file on your portal. In the Folder for save window that opens, you can change the file name and specify the folder where you want to save the file. You can also check the Open merged document in new tab box to check the result once the merge process is finished. Finally, click Save in the Folder for save window. If you've selected the Email option, the Merge button will be available on the right sidebar. After you click it, the Send to Email window will open: In the From list, select the mail account you want to use for sending mail, if you have several accounts connected in the Mail module. In the To list, select the merge field corresponding to email addresses of the recipients, if it was not selected automatically. Enter your message subject in the Subject Line field. Select the mail format from the list: HTML, Attach as DOCX or Attach as PDF. When one of the two latter options is selected, you also need to specify the File name for attachments and enter the Message (the text of your letter that will be sent to recipients). Click the Send button. Once the mailing is over you'll receive a notification to your email specified in the From field." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "View document information", - "body": "To access the detailed information about the currently edited document, click the File tab of the top toolbar and select the Document Info... option. General Information The document information includes document title, author, location, creation date, and statistics: the number of pages, paragraphs, words, symbols, symbols with spaces. Note: Online Editors allow you to change the document title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK. Permission Information Note: this option is not available for users with the Read Only permissions. To find out, who have rights to view or edit the document, select the Access Rights... option at the left sidebar. You can also change currently selected access rights by pressing the Change access rights button in the Persons who have rights section. Version History Note: this option is not available for free accounts as well as for users with the Read Only permissions. To view all the changes made to this document, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon at the Collaboration tab of the top toolbar. You'll see the list of this document versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For document versions, the version number is also specified (e.g. ver. 2). To know exactly which changes have been made in each separate version/revision, you can view the one you need by clicking it at the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author name on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the document current version, use the Close History option on the top of the version list. To close the File panel and return to document editing, select the Close Menu option." + "body": "To access the detailed information about the currently edited document, click the File tab of the top toolbar and select the Document Info... option. General Information The document information includes document title, the application the document was created with and statistics: the number of pages, paragraphs, words, symbols, symbols with spaces. In the online version, the following information is also displayed: author, location, creation date. Note: Online Editors allow you to change the document title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK. Permission Information In the online version, you can view the information about permissions to the files stored in the cloud. Note: this option is not available for users with the Read Only permissions. To find out, who have rights to view or edit the document, select the Access Rights... option at the left sidebar. You can also change currently selected access rights by pressing the Change access rights button in the Persons who have rights section. Version History In the online version, you can view the version history for the files stored in the cloud. Note: this option is not available for users with the Read Only permissions. To view all the changes made to this document, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon at the Collaboration tab of the top toolbar. You'll see the list of this document versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For document versions, the version number is also specified (e.g. ver. 2). To know exactly which changes have been made in each separate version/revision, you can view the one you need by clicking it at the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author name on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the document current version, use the Close History option on the top of the version list. To close the File panel and return to document editing, select the Close Menu option." } ] \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/search/js/keyboard-switch.js b/apps/documenteditor/main/resources/help/en/search/js/keyboard-switch.js new file mode 100644 index 000000000..267160c5e --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/search/js/keyboard-switch.js @@ -0,0 +1,30 @@ +$(function(){ + function shortcutToggler(enabled,disabled,enabled_opt,disabled_opt){ + var selectorTD_en = '.keyboard_shortcuts_table tr td:nth-child(' + enabled + ')', + selectorTD_dis = '.keyboard_shortcuts_table tr td:nth-child(' + disabled + ')'; + $(disabled_opt).removeClass('enabled').addClass('disabled'); + $(enabled_opt).removeClass('disabled').addClass('enabled'); + $(selectorTD_dis).hide(); + $(selectorTD_en).show().each(function() { + if($(this).text() == ''){ + $(this).parent('tr').hide(); + } else { + $(this).parent('tr').show(); + } + }); + } + if (navigator.platform.toUpperCase().indexOf('MAC') >= 0) { + shortcutToggler(3,2,'.mac_option','.pc_option'); + $('.mac_option').removeClass('right_option').addClass('left_option'); + $('.pc_option').removeClass('left_option').addClass('right_option'); + } else { + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + $('.shortcut_toggle').on('click', function() { + if($(this).hasClass('mac_option')){ + shortcutToggler(3,2,'.mac_option','.pc_option'); + } else if ($(this).hasClass('pc_option')){ + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + }); +}); \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/search/search.html b/apps/documenteditor/main/resources/help/en/search/search.html index 97576e91e..9efeae6f4 100644 --- a/apps/documenteditor/main/resources/help/en/search/search.html +++ b/apps/documenteditor/main/resources/help/en/search/search.html @@ -5,6 +5,7 @@ + @@ -89,7 +90,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

              ').text(info.body.substring(0, 250) + "...")) @@ -123,7 +125,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -133,7 +135,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/documenteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm index 203b8ee38..35743febb 100644 --- a/apps/documenteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm @@ -18,7 +18,7 @@

              diff --git a/apps/documenteditor/main/resources/help/es/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/es/ProgramInterface/InsertTab.htm index bfaa7be07..6b13682c6 100644 --- a/apps/documenteditor/main/resources/help/es/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/es/ProgramInterface/InsertTab.htm @@ -16,11 +16,11 @@

              Pestaña Insertar

              La pestaña de Insertar le permite añadir elementos para editar, así como objetos visuales y comentarios.

              Pestaña Insertar

              -

              Si usa esta pestaña podrá:

              +

              Al usar esta pestaña podrás:

              diff --git a/apps/documenteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm index d658bf1c0..c80c19d1e 100644 --- a/apps/documenteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm @@ -3,7 +3,7 @@ Introduciendo el Editor de Documento Interfaz de Usuario - + @@ -15,22 +15,22 @@

              Introduciendo el Editor de Documento Interfaz de Usuario

              El Editor del Documento usa un interfaz intercalada donde los comandos de edición se agrupan en pestañas de forma funcional.

              -

              Editor de ventana

              -

              El editor de interfaz consisten en los siguientes elementos principales:

              +

              Ventana Editor

              +

              El interfaz de edición consiste en los siguientes elementos principales:

                -
              1. El encabezado de editor muestra el logo, pestañas de menú, nombre del documento así como dos iconos a la derecha que permiten ajustar los derechos de acceso y volver a la lista del Documento.

                Iconos en el encabezado del editor

                +
              2. El Editor de Encabezado muestra el logo, pestañas de menú, nombre del documento así como tres iconos a la derecha que permiten ajustar los derechos de acceso, regresar a la lista de Documentos, configurar los Ajustes de Visualización y acceder al editor de Ajustes Avanzados.

                Iconos en el encabezado del editor

              3. -
              4. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Diseño, Referencias, Colaboración, Extensiones.

                Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada.

                -

                Los iconos en la barra de herramientas superior

                +
              5. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Diseño, Referencias, Colaboración, Plugins.

                Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada.

                +

                Iconos en la barra de herramientas superior

              6. Estatus de Barras al final de la ventana de edición contiene el indicador de la numeración de páginas, muestra algunas notificaciones (como «Todos los cambios se han guardado»), permite ajustar el idioma del texto, mostar revisión de ortografía, activar el modo de rastrear cambios, ajustar el zoom.
              7. La barra de herramientas izquierda contiene iconos que permiten el uso de la herramienta de Buscar y Reemplazar, abrir el panel de Comentarios, Chat y and Navegación contactar a nuestro equipo de soporte y mostrar la información sobre el programa.
              8. -
              9. La Barra de herramientas derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en el texto, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha.
              10. +
              11. La Barra lateral derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en el texto, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha.
              12. Las Reglas horizontales y verticales permiten alinear el texto y otros elementos en un documento, establecer márgenes, tabuladores y sangrados de párrafos.
              13. El área de trabajo permite ver el contenido del documento, introducir y editar datos.
              14. La barra de desplazamiento a la derecha permite desplazarte arriba y abajo en documentos de varias páginas.
              -

              Para su conveniencia, puede ocultar algunos componentes y mostrarlos de nuevo si es necesario. Para saber más sobre cómo ajustar parámetros para mostrar, puede visitar esta página.

              +

              Para su conveniencia, puede ocultar varios componentes y mostrarlos de nuevo cuando sea necesario. Para aprender más sobre cómo ajustar los ajustes de vista vaya a esta página.

              diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/AddHyperlinks.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/AddHyperlinks.htm index 649ba47fe..94df91f76 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/AddHyperlinks.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/AddHyperlinks.htm @@ -20,16 +20,19 @@
            • cambie a la pestaña Insertar o Referencias en la barra de herramientas superior,
            • Pulse haga clic en el icono Icono hiperenlace Hiperenlaceen la barra de herramientas superior,
            • luego, verá la ventana Configuración de hiperenlace, donde podrá especificar los parámetros de hiperenlace:
                -
              • Enlace a - introduzca un URL en formato http://www.example.com.
              • -
              • Mostrar - introduzca un texto en el cual podrá hacer clic y le dirigirá a la dirección web especificada en el campo de arriba.
              • -
              • Información en pantalla - introduzca un texto que se hará visible en una ventana emergente y le proporciona una nota breve o una etiqueta que pertenece al enlace.
              • -
              -

              Ventana de Ajustes del Hiperenlace

              +
            • Seleccione el tipo de enlace que desee insertar:

              Use la opción Enlace externo e introduzca una URL en el formato http://www.example.com en el campo de debajo a Enlace a si usted necesita añadir un hiperenlace que le lleva a una página web externa.

              +

              Ventana de Ajustes del Hiperenlace

              +

              Use la opción Colocar en el Documento y seleccione uno de los encabezados existentes en el texto del documento, o uno de los marcadores previamente añadidos si necesita un hiperenlace hacia un lugar determinado dentro del mismo documento.

              +

              Ventana de Ajustes del Hiperenlace

              +
            • +
            • Mostrar - introduzca un texto en el cual podrá hacer clic y le dirigirá a la dirección especificada en el campo de arriba.
            • +
            • Información en pantalla - introduzca un texto que se hará visible en una ventana emergente y le proporciona una nota breve o una etiqueta que pertenece al enlace.
            • +
          2. Haga clic en el botón OK.
          -

          Para añadir un hiperenlace, también puede hacer clic con el botón secundario en un lugar donde un hiperenlace será añadido y seleccionar la opción Hiperenlace en el menú que abre la ventana de arriba.

          -

          Nota: también es posible seleccionar un carácter, palabra, combinación de palabras, pasaje del texto con el ratón o usando el teclado y hacer clic en el icono de Hiperenlace en la pestaña de la barra de herramientas superior Insertar o Referencias de la barra de herramientas superior o hacer clic con el botón derecho del ratón en la selección y elegir la opción Hiperenlace del menú. Después de que la ventana que se muestra arriba se abra con el campo de Mostrar, completado con el texto del fragmento seleccionado.

          +

          Para añadir un hiperenlace, usted también puede usar la combinación de teclas Ctrl+K o hacer clic con el botón derecho del ratón en la posición donde se insertará el hiperenlace y seleccionar la opción Hiperenlace en el menú contextual.

          +

          Nota: también es posible seleccionar un caracter, palabra, combinación de palabras o pasaje de texto con el ratón o usando el teclado y luego abrir la ventana de Ajustes del Hiperenlace como se describe arriba. En este caso, el campo de Mostrar será completado con el fragmento de texto que haya seleccionado.

          Si mantiene el cursor encima del hiperenlace añadido, aparecerá la Información en pantalla con el texto que ha especificado. Puede seguir el enlace pulsando el tecla CTRL y haciendo clic en el enlace en su documento.

          Para editar o eliminar el hiperenlace añadido, púlselo con el botón secundario del ratón, seleccione la opción Hiperenlace y después haga clic en la acción usted quiera realizar - Editar hiperenlace or Eliminar hiperenlace.

          diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/CreateLists.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/CreateLists.htm index 310fa8b2f..e967ed919 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/CreateLists.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/CreateLists.htm @@ -20,14 +20,45 @@
        • cambie a la pestaña Inicio de la barra de herramientas,
        • seleccione el tipo de lista que quiere crear:
          • La Lista desordenada con marcadores puede ser creada usando el icono Viñetas Icono de lista desordenada que se sitúa en la barra de herramientas superior
          • -
          • La Lista ordenada con números o letras puede ser creada usando el icono Numeración Icono de lista ordenada que se sitúa en la barra de herramientas superior

            Nota: haga clic en la flecha hacia abajo junto al icono Viñetas o Numeración para seleccionar qué aspecto debe tener la lista.

            +
          • La Lista ordenada con números o letras se puede crear usando el icono Icono de lista ordenada Numeración que se sitúa en la barra de herramientas superior

            Nota: haga clic en la flecha hacia abajo junto al icono Viñetas o Numeración para seleccionar el aspecto de la lista.

        • -
        • ahora cada vez que pulsa la tecla Enter en el fin de línea un elemento nuevo de una lista ordenada o desordenada aparecerá. Para parar esto, pulse la tecla retroceso y continúe con un párrafo de texto común.
        • +
        • ahora cada vez que usted pulse la tecla Enter al final de la línea, un elemento nuevo de una lista ordenada o desordenada aparecerá. Para para esto, pulse la tecla Backspace y continúe con el texto de párrafo común.
        • -

          También puede cambiar sangrías de texto en las listas y su anidamiento usando los Icono esquema iconos Esquema , Disminuir sangría Icono Disminuir sangría , y Aumentar sangría Icono Aumentar sangría en la barra de herramientas superior.

          +

          El programa también crea listas numeradas automáticamente cuando introduce el número 1 seguido de un punto o paréntesis y un espacio: 1., 1). Las listas con viñetas pueden ser creadas automáticamente cuando introduce los caracteres -, * seguidos de un espacio.

          +

          También puede la cambiar sangría del texto en las listas y su anidamiento usando los iconos de Lista ordenada Icono de lista ordenada, Reducir sangría Icono Disminuir sangría, y Aumentar sangría Icono Aumentar sangría en la pestaña de Inicio de la barra de herramientas superior.

          Nota: la sangría adicional y los parámetros de espacio se pueden cambiar en la barra lateral de la derecha y en la ventana de ajustes avanzados. Para obtener más información lea las secciones Cambie sangrías de párrafo y Establezca líneas de espacio de párrafo.

          + +

          Una y separe listas

          +

          Para unir una lista con la anterior:

          +
            +
          1. haga clic en el primer elemento de la segunda lista con el botón derecho del ratón.
          2. +
          3. utilice la opción Unir a lista previa desde el menú contextual.
          4. +
          +

          Las listas serán unidas y la numeración continuará de acuerdo con la numeración de la primera lista.

          + +

          Para separar una lista:

          +
            +
          1. haga clic en el elemento de la lista en que desea empezar una nueva lista con el botón derecho del ratón,
          2. +
          3. utilice la opción Separar lista desde el menú contextual.
          4. +
          +

          La lista será separada, y la numeración en la segunda lista empezará de nuevo.

          + +

          Cambiar numeración.

          +

          Para continuar la secuenciación numeral en la segunda lista de acuerdo con la numeración anterior:

          +
            +
          1. haga clic en el primer elemento de la segunda lista con el botón derecho del ratón,
          2. +
          3. utilice la opción Continuar numeración desde el menú contextual.
          4. +
          +

          La numeración continuará de acuerdo con la numeración de la primera lista.

          + +

          Para establecer un valor inicial de numeración:

          +
            +
          1. haga clic en el primer elemento donde desea aplicar un nuevo valor de numeración con el botón derecho del ratón,
          2. +
          3. utilice la opción Establecer valor de numeración desde el menú contextual,
          4. +
          5. en la nueva ventana que se muestra, establezca el valor numérico necesario y haga clic en el botón OK.
          6. +
          \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertBookmarks.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertBookmarks.htm new file mode 100644 index 000000000..70d142800 --- /dev/null +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertBookmarks.htm @@ -0,0 +1,40 @@ + + + + Añada marcadores + + + + + + + +
          +
          + +
          +

          Añada marcadores

          +

          Los marcadores permiten saltar rápidamente hacia cierta posición en el documento actual o añadir un enlace a esta ubicación dentro del documento.

          +

          Para añadir un marcador dentro de un documento:

          +
            +
          1. coloque el puntero del ratón al inicio del pasaje de texto donde desea agregar el marcador,
          2. +
          3. cambie a la pestaña Referencias en la barra de herramientas superior,
          4. +
          5. haga clic en el icono Icono marcador Marcadoren la barra de herramientas superior,
          6. +
          7. en la ventana de Marcadores que se abre, introduzca el Nombre del marcador y haga clic en el botón Agregar - se añadirá un marcador a la lista de marcadores mostrada a continuación,

            Nota: el nombre del marcador debe comenzar con una letra, pero también debe contener números. El nombre del marcador no puede contener espacios, pero sí el carácter guión bajo "_".

            +

            Ventana de marcadores

            +
          8. +
          +

          Para ir a uno de los marcadores añadidos dentro del texto del documento:

          +
            +
          1. haga clic en el icono Icono marcador marcador en la pestaña de Referencias de la barra de herramientas superior,
          2. +
          3. en la ventana Marcadores que se abre, seleccione el marcador al que desea ir. Para encontrar el fácilmente el marcador requerido puede ordenar la lista de marcadores por Nombre o Ubicación del marcador dentro del texto del documento,
          4. +
          5. marque la opción Marcadores ocultos para mostrar los marcadores ocultos en la lista (por ej. los marcadores creados automáticamente por el programa cuando añade referencias a cierta parte del documento. Por ejemplo, si usted crea un hiperenlace a cierto encabezado dentro del documento, el editor de documentos automáticamente crea un marcador oculto hacia el destino de este enlace).
          6. +
          7. haga clic en el botón Ir a - el puntero será posicionado en la ubicación dentro del documento donde el marcador seleccionado ha sido añadido,
          8. +
          9. haga clic en el botón Cerrar para cerrar la ventana.
          10. +
          +

          Para eliminar un marcador seleccione el mismo en la lista de marcadores y use el botón Eliminar.

          +

          Para aprender cómo usar marcadores al crear enlaces por favor revise la sección sobre Añadir hiperenlaces.

          + +
          + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertContentControls.htm index b038fefe0..7e6149ed0 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertContentControls.htm @@ -20,7 +20,7 @@
          1. posicione el punto de inserción dentro de una línea del texto donde desea que se añada el control,
            o seleccione un pasaje de texto que desee que se convierta en el control del contenido.
          2. cambie a la pestaña Insertar en la barra de herramientas superior,
          3. -
          4. Haga clic en la flecha al lado del icono Icono de controles de contenido Controles de contenido.
          5. +
          6. haga clic en la flecha al lado del icono Icono de controles de contenido Controles de contenido.
          7. escoja la opción Insertar control de contenido de texto simple del menú.

          El control se insertará en el punto de inserción dentro de una línea del texto existente. Los controles de contenido del texto plano no permiten añadir saltos de línea y no pueden contener otros objetos como imágenes, tablas, etc.

          @@ -29,7 +29,7 @@
          1. posicione el punto de inserción al final de un párrafo después del que desee que se añada el control,
            o seleccione uno o más de los pasajes de texto existentes que desea que se conviertan en el control del contenido.
          2. cambie a la pestaña Insertar en la barra de herramientas superior,
          3. -
          4. haga clic en la flecha al lado del icono icono de controles de contenido Controles de contenido.
          5. +
          6. haga clic en la flecha al lado del icono Icono de controles de contenido Controles de contenido.
          7. escoja la opción Insertar control de contenido de texto enriquecido del menú.

          El control se insertará en un nuevo párrafo. Los controles de contenido de texto enriquecido permiten añadir saltos de línea, es decir, pueden contener varios párrafos, así como algunos objetos, como imágenes, tablas, otros controles de contenido, etc.

          @@ -51,7 +51,8 @@

          Se abrirá una nueva ventana donde podrá ajustar los siguientes ajustes:

          Ventana de ajustes de control de contenido

            -
          • Especifique el Título o Etiqueta del control de contenido en los campos correspondientes.
          • +
          • Especifique el Título o Etiqueta del control de contenido en los campos correspondientes. El título será mostrado cuando el control esté seleccionado en el documento. Las etiquetas se usan para identificar el contenido de los controles de manera que pueda hacer referencia a ellos en su código.
          • +
          • Escoja si desea mostrar el control de contenido con una Casilla entorno o no. Utilice la opción Ninguno para mostrar el control sin una casilla entorno. Si selecciona la opción Casilla entorno, usted puede escoger el Color de esta casilla empleando el campo a continuación.
          • Proteja el control de contenido para que no sea eliminado o editado usando la opción de la sección Bloqueando:
            • No se puede eliminar el control de contenido - marque esta casilla para proteger el control de contenido de ser eliminado.
            • No se puede editar el contenido - marque esta casilla para proteger el contenido de ser editado.
            • @@ -59,6 +60,14 @@

            Haga clic en el botón OK dentro de las ventanas de ajustes para aplicar los cambios.

            +

            También es posible resaltar los controles de contenido con un color específico. Para resaltar los controles con un color:

            +
              +
            1. Haga clic en el botón a la izquierda del borde del control para seleccionarlo,
            2. +
            3. Haga clic en la flecha junto al icono de Icono de controles de contenido Controles de Contenido en la barra de herramientas superior,
            4. +
            5. Seleccione la opción Ajustes de Resaltado en el menú,
            6. +
            7. Seleccione el color necesario de la paleta provista: Colores del Tema, Colores Estándar o especifique un nuevo Color Personalizado. Para quitar el resaltado de color previamente aplicado, utilice la opción Sin resaltado.
            8. +
            +

            Las opciones de resaltado seleccionadas serán aplicadas a todos los controles de contenido en el documento.

            Removiendo controles de contenido

            Para eliminar un control y dejar todo su contenido, haga clic en el control de contenido para seleccionarlo y, a continuación, proceda de una de las siguientes maneras:

              diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertImages.htm index db039fed7..461ac6548 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/InsertImages.htm @@ -19,10 +19,10 @@

              Para insertar una imagen en texto de su documento,

              1. ponga el cursor en un lugar donde quiera que aparezca la imagen,
              2. -
              3. cambie a la pestaña Insertar de la barra de herramientas superior,
              4. -
              5. haga clic en el icono Icono imagen Imagen en la barra de herramientas superior,
              6. +
              7. cambie a la pestaña Insertar en la barra de herramientas superior,
              8. +
              9. haga clic en el icono Icono Imagen Imagen en la barra de herramientas superior,
              10. seleccione una de las opciones siguientes para cargar la imagen:
                  -
                • la opción Imagen desde archivo abrirá la ventana de diálogo de Windows para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir
                • +
                • la opción Imagen desde Archivo abrirá la ventana de diálogo para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir
                • la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK
              11. @@ -33,32 +33,34 @@

                Para cambiar la posición de la imagen, use el Flecha icono que aparece cuando usted mantiene cursor del ratón sobre la imagen. Arrastre la imagen a la posición necesaria apretando el botón del ratón.

                Cuando mueve la imagen, las línes guía se muestran para ayudarle a colocar el objeto en la página más precisamente.

                Para girar la imagen, mantenga el cursor del ratón encima del controlador de giro Controlador de giro y arrástrelo en la dirección de las manecillas o en el sentido contrario. Para limitar el ángulo de rotación hasta un incremento de 15 grados, mantenga apretada la tecla Shift mientras rota.

                -
                +

                Nota: la lista de atajos de teclado que puede ser usada al trabajar con objetos está disponible aquí.

                +

                Ajustes de ajuste de imagen

                Pestaña de ajustes de imagen Se puede cambiar unos ajustes de la imagen usando la pestaña Ajustes de imagen en la barra derecha lateral. Para activarla pulse la imagen y elija el Icono Ajustes de imagen icono Ajustes de imagen a la derecha. Aquí usted puede cambiar los siguientes ajustes:

                • Tamaño - se usa para ver el Ancho y Altura de la imagen. Si es necesario, puede restaurar el tamaño por defecto de la imagen si hace clic en el botón de Tamaño por Defecto. El botón Ajustar al Margen le permite volver a dar tamaño a la imagen, para que ocupe todo el espacio entre el margen de la página izquierdo y derecho.
                • Ajuste de texto - se usa para seleccionar el estilo de ajuste de texto de los disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás (para obtener más información lea la descripción de ajustes avanzados debajo).
                • -
                • Reemplazar imagen - se usa para reemplazar la imagen actual cargando una imagen nueva de archivo o URL.
                • +
                • Reemplazar Imagen se usa para reemplazar la imagen actual cargando otra Desde Archivo o Desde URL.
                -

                También puede encontrar estas opciones en el menú contextual. Las opciones del menú son las siguientes:

                +

                También puede encontrar estas opciones en el menú contextual. Aquí tiene las opciones:

                • Cortar, Copiar, Pegar - opciones estándar usadas para cortar, copiar un texto/objeto seleccionado y pegar un pasaje de texto u objeto anteriormente cortado/copiado a una posición de cursor actual.
                • Arreglar - se usa para traer al primer plano la imagen seleccionada, enviarla al fondo, traerla adelante o enviarla atrás. Para saber más sobre cómo organizar objetos puede visitar esta página.
                • Alinear - se usa para alinear la imagen a la izquierda, al centro, a la derecha, en la parte superior, al medio, en la parte inferior. Para saber más sobre cómo alinear objetos puede visitar esta página.
                • Ajuste de texto se usa para seleccionar el ajuste de texto de los estilos disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás - o editar límite de ajuste. La opción Editar límite de ajuste estará disponible solo si selecciona cualquier ajuste de texto excepto alineado. Arrastre puntos de ajuste para personalizar el borde. Para crear un punto de ajuste nuevo, haga clic en cualquier lugar de la línea roja y arrástrela a la posición necesaria. Editar límite de ajuste
                • Predeterminado - se usa para cambiar el tamaño actual de la imagen al tamaño predeterminado.
                • +
                • Reemplazar Imagen se usa para reemplazar la imagen actual cargando otra Desde Archivo o Desde URL.
                • Ajustes avanzados - se usa para abrir la ventana 'Imagen - Ajustes avanzados'.

                Pestaña Ajustes de forma Cuando se selecciona la imagen, el icono Ajustes de forma Icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente.


                Para cambiar los ajustes avanzados, haga clic derecho sobre la imagen y seleccione la opción Ajustes avanzados en el menú contextual o pulse el enlace Mostrar ajustes avanzados en la derecha barra lateral. Se abrirá la ventana con parámetros de la imagen:

                -

                Imagen - ajustes avanzados Tamaño

                +

                Imagen - ajustes avanzados: Tamaño

                La sección Tamaño contiene los parámetros siguientes:

                • Ancho y Altura - use estas opciones para cambiar ancho o altura de la imagen. Si hace clic en el botón proporciones constantes (en este caso estará así Icono de proporciones constantes activado), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado.
                -

                Imagen - Ajustes Avanzados: Ajuste de texto

                +

                Imagen - ajustes avanzados: Ajuste de texto

                La sección Ajuste de texto contiene los parámetros siguientes:

                • Ajuste de texto - use esta opción para cambiar la posición de la imagen en relativo al texto: puede ser una parte de texto (si usted seleccione estilo alineado) o rodeada por texto (si selecciona uno de los otros estilos).
                    @@ -68,8 +70,8 @@
                  • Ajuste de texto - cuadrado Cuadrado - el texto rodea una caja rectangular que limita la imagen.

                  • Ajuste de texto - estrecho Estrecho - el texto rodea los bordes reales de la imagen.

                  • Ajuste de texto - a través A través - el texto rodea los bordes y rellene el espacio en blanco de la imagen. Para que se muestre este efecto, utilice la opción Editar límite de ajuste en el menú contextual.

                  • -
                  • Ajuste de texto - Superior e inferior Superior e inferior - el texto se sitúa solo arriba y debajo de la imagen.

                  • -
                  • Ajuste de texto - Adelante Adelante - la imagen solapa el texto.

                  • +
                  • Estilo de justificación - superior e inferior Superior e inferior - el texto se sitúa solo arriba y debajo de la imagen.

                  • +
                  • Estilo de justificación- adelante Adelante - la imagen solapa el texto.

                  • Ajuste de texto - detrás Detrás - el texto solapa la imagen.

                • diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/SetPageParameters.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/SetPageParameters.htm index cff8aa3fe..c3006d07b 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/SetPageParameters.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/SetPageParameters.htm @@ -35,7 +35,7 @@
                • Envelope Choukei 3 (11,99cm x 23,49cm)
                • Super B/A3 (33,02cm x 48,25cm)
                -

                También puede ajustar un tamaño de página especial seleccionando la opción Personalizar Tamaño de página de la lista. La ventana de Tamaño de página se abrirá donde sea capaz de ajustar los valores de Anchura y Altura necesarios. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. cuando esté listo, pulse OK para realizar los cambios.

                +

                También puede ajustar un tamaño de página especial seleccionando la opción Personalizar Tamaño de página de la lista. La ventana de Tamaño de Página se abrirá y podrá seleccionar el Preajuste necesario (Carta, Legal, A4, A5, B5, Sobre #10, Sobre DL, Tabloide, AЗ, Tabloide Grande, ROC 16K, Sobre Choukei 3, Super B/A3, A0, A1, A2, A6) o establecer valores personalizados de Ancho y Largo. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. Cuando esté listo, pulse OK para realizar los cambios.

                Personalizar Tamaño de página

                Márgenes de Página

                Cambie los márgenes predeterminados, por ejemplo, el espacio en blanco a la izquierda, derecha, arriba o abajo de los bordes de la página y el texto del párrafo, haciendo clic en el icono Icono márgenes Márgenes y seleccionando uno de los pre-ajustes disponibles: Normal, Normal US, Estrecho, Moderado, Ancho. También puede usar la opción de Personalizar Márgenes para ajustar sus valores propios en la ventana de Márgenes que se abre. Introduzca los valores del márgenes de Página Arriba, Abajo, Izquierda, Derecha en los campos de entrada o ajuste los valores existentes usando los botones de flecha. Cuando este listo, haga clic en OK. Los márgenes personalizados se aplicarán al documento actual y la opción Última Personalización con los parámetros específicos aparecerá en la lista Icono márgenes Márgenes para que pueda aplicarlos a otros documentos.

                @@ -53,7 +53,7 @@

                Si quiere ajustar los ajustes de la columna, seleccione la opción Personalizar Columnas de la lista. La ventana Columnas se abrirá cuando sea capaz de ajustar el Número de columnas (es posible añadir hasta 12 columnas) y el Espaciado entre columnas. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. Verifique la casilla Divisor de columna para añadir una línea vertical entre las columnas. Cuando esté listo, pulse OK para realizar los cambios.

                Columnas Personalizadas

                Para especificar de forma exacta donde debe empezar una columna, coloque el cursos antes del texto que quiere mover en la nueva columna, haga clic en el Icono de saltos icono de Saltos en la barra de herramientas superior y luego seleccione la opción Insertar Saltos de Columna. El texto se moverá a la siguiente columna.

                -

                Los saltos de sección añadidos se indican en su documento con una línea de puntos doble: Salto de columna. Si no ve los saltos de sección insertados, pulse el icono Icono Caracteres no imprimibles en la pestaña de Inicio en la barra de herramientas superior para mostrarlos. Para eliminar un salto de página selecciónelo con el ratón y pulse la tecla Delete.

                +

                Los saltos de sección añadidos se indican en su documento con una línea de puntos doble: Salto de columna. Si no ve los saltos de sección insertados, pulse el icono Icono Caracteres no imprimibles en la pestaña de Inicio en la barra de herramientas superior para mostrarlos. Para eliminar un salto de página selecciónelo con el ratón y pulse la tecla Delete.

                Para cambiar de forma manual el espaciado y anchura de la columna, puede usar ua regla horizontal.

                Espaciado de columnas

                Para cancelar columnas y volver a un formato regular de una sola columna, haga clic en el icono Icono columnas Columnas en la barra de herramientas superior y seleccione la opción Icono una columna Una de la lista.

                diff --git a/apps/documenteditor/main/resources/help/es/editor.css b/apps/documenteditor/main/resources/help/es/editor.css index cf3e4f141..465b9fbe1 100644 --- a/apps/documenteditor/main/resources/help/es/editor.css +++ b/apps/documenteditor/main/resources/help/es/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 35%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,16 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/es/images/viewsettingsicon.png b/apps/documenteditor/main/resources/help/es/images/viewsettingsicon.png index 02a46ce28..e13ec992d 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/viewsettingsicon.png and b/apps/documenteditor/main/resources/help/es/images/viewsettingsicon.png differ diff --git a/apps/documenteditor/main/resources/help/es/search/indexes.js b/apps/documenteditor/main/resources/help/es/search/indexes.js index 11f832f33..31123e2e3 100644 --- a/apps/documenteditor/main/resources/help/es/search/indexes.js +++ b/apps/documenteditor/main/resources/help/es/search/indexes.js @@ -13,7 +13,7 @@ var indexes = { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Edición Colaborativa de Documentos", - "body": "Editor de Documentos le ofrece la posibilidad de trabajar en el documento en colaboración con otros usuarios. Esta función incluye: acceso simultáneo de multi-usuarios al documento editado indicación visual de pasajes que se están editando por otros usuarios sincronización de los cambios al pulsar el botón chat para compartir ideas respecto a las partes particulares de documento comentarios que contienen la descripción de una tarea o un problema que hay que resolver Co-edición Editor de documentos permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior: Cuando un documento se está editando por varios usuarios simultáneamente en el modo Estricto, los pasajes de texto editados aparecen marcados con línea discontinua de diferentes colores. Al poner el cursor del ratón sobre uno de los pasajes editados se muestra el nombre del usuario que está editandolo en este momento. El modo Rápido mostrará las acciones y los nombres de los coeditores cuando ellos están editando el texto. El número de los usuarios que están trabajando en el documento actual se especifica en la esquina inferior izquierda del encabezado para editar - . Si quiere ver quién está editando el archivo en ese preciso momento, pulse este icono o abrir el panel Chat con la lista completa de los usuarios. Cuando ningún usuario esté viendo o editando el archivo, el icono en el encabezado del editar se verá así permitiéndole gestionar qué usuarios tienen acceso a los derechos del archivo desde el documento: invite a nuevos usuarios dándoles permiso para editar, leer, o revisar el documento, o niegue el acceso a los derechos del archivo a usuarios. Haga clic en este icono para manejar acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando el documento en este momento y cuando hay otros usuarios y el icono parece como . También es posible establecer derechos de acceso utilizando el icono Compartir en la pestaña Colaboración de la barra de herramientas superior: Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono , los otros verán una nota dentro de la barra de estado indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Las actualizaciones se resaltarán para que usted pueda verificar qué se ha cambiado de forma concreta. Puede especificar qué cambios se requiere resaltar durante el proceso de co-edición si hace clic en la pestaña d la barra de herramientas superior, selecciona la opción Ajustes Avanzados... y elija entre Ver ningunos, Ver todo y Ver últimos cambios de colaboración en tiempo real. Seleccionando la opción Ver todo, todos los cambios hechos durante la sesión actual serán resaltados. Seleccinando la opción Ver últimos, solo tales cambios que han sido introducidos desde la última vez que hizo clic en el icono se resaltarán. Seleccionando la opción Ver ningunos, los cambios hechos durante la sesión actual no serán resaltados. Chat Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para asignar los párrafos a cada compañero de trabajo y especificar, que párrafo va a editar ahora usted. Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido del documento es mejor usar comentarios que se almacenen hasta que decida eliminarlos. Para acceder al chat y dejar un mensaje para otros usuarios, Haga clic en el ícono en la barra de herramientas de la izquierda, o cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Chat, introduzca su texto en el campo correspondiente debajo, pulse el botón Enviar. Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - . Para cerrar el panel con mensajes de chat, haga clic en el ícono en la barra de herramientas de la izquierda o el botón Chat en la barra de herramientas superior una vez más. Comentarios Para dejar un comentario, seleccione un pasaje de texto donde hay un error o problema, en su opinión, Cambie a la pestaña de Insertar o Colaboración en la barra de herramientas superior y haga clic en el botón Comentarios, o use el icono en la barra de herramientas de la izquierda para abrir el panel de Comentarios y haga clic en el enlace de Añadir comentarios al Documento, o haga clic derecho en el pasaje del texto seleccionado y seleccione la opción Añadir Comentario del menú contextual, introduzca el texto necesario, Haga clic en el botón Añadir comentario/Añadir. El comentario se mostrará en el panel izquierdo. Otro usuario puede contestar al comentario añadido haciendo preguntas o informando sobre el trabajo realizado. Para hacerlo, pulse el enlace Añadir respuesta que se sitúa debajo del comentario. El pasaje de texto que ha comentado será resaltado en el documento. Para ver el comentario solo haga clic dentro de este pasaje. Si tiene que desactivar esta función, pulse lapestana Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios en tiempo real. En este caso los pasajes comentados serán resaltados solo si hace clic en el icono . Puede gestionar sus comentarios añadidos de esta manera: editar los comentarios pulsando en el icono , eliminar los comentarios pulsando en el icono , cierre la discusión haciendo clic en el icono si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono . Si tiene que esconder comentarios resueltos, haga clic en la pestaña de Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios resueltos y haga clic en Aplicar. En este caso los comentarios resueltos se resaltarán solo si usted hace clic en el icono . Si está usando el modo de co-edición Estricto, nuevos comentarios añadidos por otros usuarios serán visibles solo después de hacer clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Para cerrar el panel con comentarios, haga clic en el icono situado en la barra de herramientas izquierda una vez más." + "body": "Editor de Documentos le ofrece la posibilidad de trabajar en el documento en colaboración con otros usuarios. Esta función incluye: acceso simultáneo de multi-usuarios al documento editado indicación visual de pasajes que se están editando por otros usuarios visualización de cambios en tiempo real o sincronización de cambios al pulsar un botón chat para compartir ideas respecto a las partes particulares de documento comentarios que contienen la descripción de una tarea o un problema que hay que resolver Co-edición Editor de documentos permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior: Cuando un documento se está editando por varios usuarios simultáneamente en el modo Estricto, los pasajes de texto editados aparecen marcados con línea discontinua de diferentes colores. Al poner el cursor del ratón sobre uno de los pasajes editados se muestra el nombre del usuario que está editandolo en este momento. El modo Rápido mostrará las acciones y los nombres de los coeditores cuando ellos están editando el texto. El número de los usuarios que están trabajando en el documento actual se especifica en la esquina inferior izquierda del encabezado para editar - . Si quiere ver quién está editando el archivo en ese preciso momento, pulse este icono o abrir el panel Chat con la lista completa de los usuarios. Cuando ningún usuario esté viendo o editando el archivo, el icono en el encabezado del editar se verá así permitiéndole gestionar qué usuarios tienen acceso a los derechos del archivo desde el documento: invite a nuevos usuarios dándoles permiso para editar, leer, o revisar el documento, o niegue el acceso a los derechos del archivo a usuarios. Haga clic en este icono para manejar acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando el documento en este momento y cuando hay otros usuarios y el icono parece como . También es posible establecer derechos de acceso utilizando el icono Compartir en la pestaña Colaboración de la barra de herramientas superior: Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono , los otros verán una nota dentro de la barra de estado indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Las actualizaciones se resaltarán para que usted pueda verificar qué se ha cambiado de forma concreta. Puede especificar qué cambios se requiere resaltar durante el proceso de co-edición si hace clic en la pestaña d la barra de herramientas superior, selecciona la opción Ajustes Avanzados... y elija entre Ver ningunos, Ver todo y Ver últimos cambios de colaboración en tiempo real. Seleccionando la opción Ver todo, todos los cambios hechos durante la sesión actual serán resaltados. Seleccinando la opción Ver últimos, solo tales cambios que han sido introducidos desde la última vez que hizo clic en el icono se resaltarán. Seleccionando la opción Ver ningunos, los cambios hechos durante la sesión actual no serán resaltados. Chat Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para asignar los párrafos a cada compañero de trabajo y especificar, que párrafo va a editar ahora usted. Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido del documento es mejor usar comentarios que se almacenen hasta que decida eliminarlos. Para acceder al chat y dejar un mensaje para otros usuarios, Haga clic en el ícono en la barra de herramientas de la izquierda, o cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Chat, introduzca su texto en el campo correspondiente debajo, pulse el botón Enviar. Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - . Para cerrar el panel con mensajes de chat, haga clic en el ícono en la barra de herramientas de la izquierda o el botón Chat en la barra de herramientas superior una vez más. Comentarios Para dejar un comentario, seleccione un pasaje de texto donde hay un error o problema, en su opinión, Cambie a la pestaña de Insertar o Colaboración en la barra de herramientas superior y haga clic en el botón Comentarios, o use el icono en la barra de herramientas de la izquierda para abrir el panel de Comentarios y haga clic en el enlace de Añadir comentarios al Documento, o haga clic derecho en el pasaje del texto seleccionado y seleccione la opción Añadir Comentario del menú contextual, introduzca el texto necesario, Haga clic en el botón Añadir comentario/Añadir. El comentario se mostrará en el panel izquierdo. Otro usuario puede contestar al comentario añadido haciendo preguntas o informando sobre el trabajo realizado. Para hacerlo, pulse el enlace Añadir respuesta que se sitúa debajo del comentario. El pasaje de texto que ha comentado será resaltado en el documento. Para ver el comentario solo haga clic dentro de este pasaje. Si tiene que desactivar esta función, pulse lapestana Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios en tiempo real. En este caso los pasajes comentados serán resaltados solo si hace clic en el icono . Puede gestionar sus comentarios añadidos de esta manera: editar los comentarios pulsando en el icono , eliminar los comentarios pulsando en el icono , cierre la discusión haciendo clic en el icono si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono . Si tiene que esconder comentarios resueltos, haga clic en la pestaña de Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios resueltos y haga clic en Aplicar. En este caso los comentarios resueltos se resaltarán solo si usted hace clic en el icono . Si está usando el modo de co-edición Estricto, nuevos comentarios añadidos por otros usuarios serán visibles solo después de hacer clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Para cerrar el panel con comentarios, haga clic en el icono situado en la barra de herramientas izquierda una vez más." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -58,7 +58,7 @@ var indexes = { "id": "ProgramInterface/InsertTab.htm", "title": "Pestaña Insertar", - "body": "La pestaña de Insertar le permite añadir elementos para editar, así como objetos visuales y comentarios. Si usa esta pestaña podrá: insertar saltos de página, saltos de sección y saltos de columnas, insertar encabezados y pies de página y números de página, insertar tablas, imágenes, gráficos, formas, insertar hyperlinks, comentarios, insertar cuadros de texto y Cuadros para Objetos de Arte, ecuaciones, mayúsculas olvidadas, controles de contenido." + "body": "La pestaña de Insertar le permite añadir elementos para editar, así como objetos visuales y comentarios. Al usar esta pestaña podrás: insertar saltos de página, saltos de sección y saltos de columnas, insertar encabezados y pies de página y números de página, insertar tablas, imágenes , gráficos, formas, insertar hyperlinks, comentarios, insertar cuadros de texto y Cuadros para Objetos de Arte, ecuaciones, mayúsculas olvidadas, controles de contenido." }, { "id": "ProgramInterface/LayoutTab.htm", @@ -73,7 +73,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introduciendo el Editor de Documento Interfaz de Usuario", - "body": "El Editor del Documento usa un interfaz intercalada donde los comandos de edición se agrupan en pestañas de forma funcional. El editor de interfaz consisten en los siguientes elementos principales: El encabezado de editor muestra el logo, pestañas de menú, nombre del documento así como dos iconos a la derecha que permiten ajustar los derechos de acceso y volver a la lista del Documento. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Diseño, Referencias, Colaboración, Extensiones.Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada. Estatus de Barras al final de la ventana de edición contiene el indicador de la numeración de páginas, muestra algunas notificaciones (como «Todos los cambios se han guardado»), permite ajustar el idioma del texto, mostar revisión de ortografía, activar el modo de rastrear cambios, ajustar el zoom. La barra de herramientas izquierda contiene iconos que permiten el uso de la herramienta de Buscar y Reemplazar, abrir el panel de Comentarios, Chat y and Navegación contactar a nuestro equipo de soporte y mostrar la información sobre el programa. La Barra de herramientas derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en el texto, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha. Las Reglas horizontales y verticales permiten alinear el texto y otros elementos en un documento, establecer márgenes, tabuladores y sangrados de párrafos. El área de trabajo permite ver el contenido del documento, introducir y editar datos. La barra de desplazamiento a la derecha permite desplazarte arriba y abajo en documentos de varias páginas. Para su conveniencia, puede ocultar algunos componentes y mostrarlos de nuevo si es necesario. Para saber más sobre cómo ajustar parámetros para mostrar, puede visitar esta página." + "body": "El Editor del Documento usa un interfaz intercalada donde los comandos de edición se agrupan en pestañas de forma funcional. El interfaz de edición consiste en los siguientes elementos principales: El Editor de Encabezado muestra el logo, pestañas de menú, nombre del documento así como tres iconos a la derecha que permiten ajustar los derechos de acceso, regresar a la lista de Documentos, configurar los Ajustes de Visualización y acceder al editor de Ajustes Avanzados. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Diseño, Referencias, Colaboración, Plugins.Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada. Estatus de Barras al final de la ventana de edición contiene el indicador de la numeración de páginas, muestra algunas notificaciones (como «Todos los cambios se han guardado»), permite ajustar el idioma del texto, mostar revisión de ortografía, activar el modo de rastrear cambios, ajustar el zoom. La barra de herramientas izquierda contiene iconos que permiten el uso de la herramienta de Buscar y Reemplazar, abrir el panel de Comentarios, Chat y and Navegación contactar a nuestro equipo de soporte y mostrar la información sobre el programa. La Barra lateral derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en el texto, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha. Las Reglas horizontales y verticales permiten alinear el texto y otros elementos en un documento, establecer márgenes, tabuladores y sangrados de párrafos. El área de trabajo permite ver el contenido del documento, introducir y editar datos. La barra de desplazamiento a la derecha permite desplazarte arriba y abajo en documentos de varias páginas. Para su conveniencia, puede ocultar varios componentes y mostrarlos de nuevo cuando sea necesario. Para aprender más sobre cómo ajustar los ajustes de vista vaya a esta página." }, { "id": "ProgramInterface/ReferencesTab.htm", @@ -93,7 +93,7 @@ var indexes = { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Añada hiperenlaces", - "body": "Para añadir un hiperenlace, posicione el cursor en un lugar donde un hiperenlace se añadirá, cambie a la pestaña Insertar o Referencias en la barra de herramientas superior, Pulse haga clic en el icono Hiperenlaceen la barra de herramientas superior, luego, verá la ventana Configuración de hiperenlace, donde podrá especificar los parámetros de hiperenlace: Enlace a - introduzca un URL en formato http://www.example.com. Mostrar - introduzca un texto en el cual podrá hacer clic y le dirigirá a la dirección web especificada en el campo de arriba. Información en pantalla - introduzca un texto que se hará visible en una ventana emergente y le proporciona una nota breve o una etiqueta que pertenece al enlace. Haga clic en el botón OK. Para añadir un hiperenlace, también puede hacer clic con el botón secundario en un lugar donde un hiperenlace será añadido y seleccionar la opción Hiperenlace en el menú que abre la ventana de arriba. Nota: también es posible seleccionar un carácter, palabra, combinación de palabras, pasaje del texto con el ratón o usando el teclado y hacer clic en el icono de Hiperenlace en la pestaña de la barra de herramientas superior Insertar o Referencias de la barra de herramientas superior o hacer clic con el botón derecho del ratón en la selección y elegir la opción Hiperenlace del menú. Después de que la ventana que se muestra arriba se abra con el campo de Mostrar, completado con el texto del fragmento seleccionado. Si mantiene el cursor encima del hiperenlace añadido, aparecerá la Información en pantalla con el texto que ha especificado. Puede seguir el enlace pulsando el tecla CTRL y haciendo clic en el enlace en su documento. Para editar o eliminar el hiperenlace añadido, púlselo con el botón secundario del ratón, seleccione la opción Hiperenlace y después haga clic en la acción usted quiera realizar - Editar hiperenlace or Eliminar hiperenlace." + "body": "Para añadir un hiperenlace, posicione el cursor en un lugar donde un hiperenlace se añadirá, cambie a la pestaña Insertar o Referencias en la barra de herramientas superior, Pulse haga clic en el icono Hiperenlaceen la barra de herramientas superior, luego, verá la ventana Configuración de hiperenlace, donde podrá especificar los parámetros de hiperenlace: Seleccione el tipo de enlace que desee insertar:Use la opción Enlace externo e introduzca una URL en el formato http://www.example.com en el campo de debajo a Enlace a si usted necesita añadir un hiperenlace que le lleva a una página web externa. Use la opción Colocar en el Documento y seleccione uno de los encabezados existentes en el texto del documento, o uno de los marcadores previamente añadidos si necesita un hiperenlace hacia un lugar determinado dentro del mismo documento. Mostrar - introduzca un texto en el cual podrá hacer clic y le dirigirá a la dirección especificada en el campo de arriba. Información en pantalla - introduzca un texto que se hará visible en una ventana emergente y le proporciona una nota breve o una etiqueta que pertenece al enlace. Haga clic en el botón OK. Para añadir un hiperenlace, usted también puede usar la combinación de teclas Ctrl+K o hacer clic con el botón derecho del ratón en la posición donde se insertará el hiperenlace y seleccionar la opción Hiperenlace en el menú contextual. Nota: también es posible seleccionar un caracter, palabra, combinación de palabras o pasaje de texto con el ratón o usando el teclado y luego abrir la ventana de Ajustes del Hiperenlace como se describe arriba. En este caso, el campo de Mostrar será completado con el fragmento de texto que haya seleccionado. Si mantiene el cursor encima del hiperenlace añadido, aparecerá la Información en pantalla con el texto que ha especificado. Puede seguir el enlace pulsando el tecla CTRL y haciendo clic en el enlace en su documento. Para editar o eliminar el hiperenlace añadido, púlselo con el botón secundario del ratón, seleccione la opción Hiperenlace y después haga clic en la acción usted quiera realizar - Editar hiperenlace or Eliminar hiperenlace." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -133,7 +133,7 @@ var indexes = { "id": "UsageInstructions/CreateLists.htm", "title": "Cree listas", - "body": "Para crear una lista en su documento, Ponga el cursor en un lugar donde quiera empezar una lista (puede ser una línea nueva o texto ya introducido), cambie a la pestaña Inicio de la barra de herramientas, seleccione el tipo de lista que quiere crear: La Lista desordenada con marcadores puede ser creada usando el icono Viñetas que se sitúa en la barra de herramientas superior La Lista ordenada con números o letras puede ser creada usando el icono Numeración que se sitúa en la barra de herramientas superiorNota: haga clic en la flecha hacia abajo junto al icono Viñetas o Numeración para seleccionar qué aspecto debe tener la lista. ahora cada vez que pulsa la tecla Enter en el fin de línea un elemento nuevo de una lista ordenada o desordenada aparecerá. Para parar esto, pulse la tecla retroceso y continúe con un párrafo de texto común. También puede cambiar sangrías de texto en las listas y su anidamiento usando los iconos Esquema , Disminuir sangría , y Aumentar sangría en la barra de herramientas superior. Nota: la sangría adicional y los parámetros de espacio se pueden cambiar en la barra lateral de la derecha y en la ventana de ajustes avanzados. Para obtener más información lea las secciones Cambie sangrías de párrafo y Establezca líneas de espacio de párrafo." + "body": "Para crear una lista en su documento, Ponga el cursor en un lugar donde quiera empezar una lista (puede ser una línea nueva o texto ya introducido), cambie a la pestaña Inicio de la barra de herramientas, seleccione el tipo de lista que quiere crear: La Lista desordenada con marcadores puede ser creada usando el icono Viñetas que se sitúa en la barra de herramientas superior La Lista ordenada con números o letras se puede crear usando el icono Numeración que se sitúa en la barra de herramientas superiorNota: haga clic en la flecha hacia abajo junto al icono Viñetas o Numeración para seleccionar el aspecto de la lista. ahora cada vez que usted pulse la tecla Enter al final de la línea, un elemento nuevo de una lista ordenada o desordenada aparecerá. Para para esto, pulse la tecla Backspace y continúe con el texto de párrafo común. El programa también crea listas numeradas automáticamente cuando introduce el número 1 seguido de un punto o paréntesis y un espacio: 1., 1). Las listas con viñetas pueden ser creadas automáticamente cuando introduce los caracteres -, * seguidos de un espacio. También puede la cambiar sangría del texto en las listas y su anidamiento usando los iconos de Lista ordenada , Reducir sangría , y Aumentar sangría en la pestaña de Inicio de la barra de herramientas superior. Nota: la sangría adicional y los parámetros de espacio se pueden cambiar en la barra lateral de la derecha y en la ventana de ajustes avanzados. Para obtener más información lea las secciones Cambie sangrías de párrafo y Establezca líneas de espacio de párrafo. Una y separe listas Para unir una lista con la anterior: haga clic en el primer elemento de la segunda lista con el botón derecho del ratón. utilice la opción Unir a lista previa desde el menú contextual. Las listas serán unidas y la numeración continuará de acuerdo con la numeración de la primera lista. Para separar una lista: haga clic en el elemento de la lista en que desea empezar una nueva lista con el botón derecho del ratón, utilice la opción Separar lista desde el menú contextual. La lista será separada, y la numeración en la segunda lista empezará de nuevo. Cambiar numeración. Para continuar la secuenciación numeral en la segunda lista de acuerdo con la numeración anterior: haga clic en el primer elemento de la segunda lista con el botón derecho del ratón, utilice la opción Continuar numeración desde el menú contextual. La numeración continuará de acuerdo con la numeración de la primera lista. Para establecer un valor inicial de numeración: haga clic en el primer elemento donde desea aplicar un nuevo valor de numeración con el botón derecho del ratón, utilice la opción Establecer valor de numeración desde el menú contextual, en la nueva ventana que se muestra, establezca el valor numérico necesario y haga clic en el botón OK." }, { "id": "UsageInstructions/CreateTableOfContents.htm", @@ -160,6 +160,11 @@ var indexes = "title": "Inserte autoformas", "body": "Inserte un autoforma Para añadir un autoforma a su documento, cambie a la pestaña Insertar de la barra de herramientas superior, pulse el icono Forma en la barra de herramientas superior, seleccione uno de los grupos de autoformas disponibles: formas básicas, formas de flechas, matemáticas, gráficos, cintas y estrellas, leyendas, botones, rectángulos, líneas, elija un autoforma necesaria dentro del grupo seleccionado, coloque el cursor del ratón en el lugar donde quiere insertar la forma, una vez añadida autoforma, cambie su tamaño, posición, y parámetros.Nota: para añadir una leyenda al autoforma asegúrese que la forma está seleccionada y empiece a introducir su texto. El texto introducido de tal modo forma la parte del autoforma (cuando usted mueva o gira el autoforma, el texto realiza las mismas acciones). Mover y cambiar el tamaño de gráficos Para cambiar el tamaño de autoforma, arrastre pequeños cuadrados situados en los bordes de la autoforma. Para mantener las proporciones originales de la autoforma seleccionada mientras cambia de tamaño, mantenga apretada la tecla Shift y arrastre uno de los iconos de la esquina. Al modificar unas formas, por ejemplo flechas o leyendas, el icono de un rombo amarillo también estará disponible. Esta función le permite a usted ajustar unos aspectos de la forma, por ejemplo, la longitud de la punta de flecha. Para cambiar la posición de la autoforma, use el icono que aparecerá si mantiene el cursor de su ratón sobre el autoforma. Arrastre la autoforma a la posición necesaria apretando el botón del ratón. Cuando mueve la autoforma, las líneas guía se muestran para ayudarle a colocar el objeto en la página de forma más precisa. Para desplazar la autoforma en incrementos de tres píxeles, mantenga apretada la tecla Ctrl y use las flechas en el teclado. Para desplazar el autoforma solo horizontalmente/verticalmente y evitar que se mueva en dirección perpendicular, al arrastrar mantenga apretada la tecla Shift. Para girar la autoforma, mantenga el cursor sobre el controlador de giro y arrástrelo en la dirección de las manecillas de reloj o en el sentido contrario. Para limitar el ángulo de rotación hasta el incremento de 15 grados, mantenga apretada la tecla Shift mientras rota. Ajuste la configuración de la autoforma Para alinear y arreglar autoformas, use el menú contextual: Las opciones del menú son las siguientes: Cortar, Copiar, Pegar - opciones estándar usadas para cortar, copiar un texto/objeto seleccionado y pegar un pasaje de texto u objeto anteriormente cortado/copiado a una posición de cursor actual. Arreglar se usa para traer al primer plano la autoforma seleccionada, enviarla al fondo, traerla adelante o enviarla atrás. También agrupar o desagrupar autoformas para realizar operaciones con varias imágenes a la vez. Para saber más sobre cómo organizar objetos puede visitar esta página. Alinear se usa para alinear la autoforma a la izquierda, al centro, a la derecha, en la parte superior, al medio, en la parte inferior. Para saber más sobre cómo alinear objetos puede visitar esta página. Ajuste de texto se usa para seleccionar el ajuste de texto de los estilos disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás - o editar límite de ajuste. La opción Editar límites de ajuste estará disponible solo si selecciona cualquier ajuste de texto excepto Alineado. Arrastre puntos de ajuste para personalizar el borde. Para crear un punto de ajuste nuevo, haga clic en cualquier lugar de la línea roja y arrástrela a la posición necesaria. Ajustes avanzados se usa para abrir la ventana 'Imagen - Ajustes avanzados'. Se puede cambiar algunos parámetros de la autoforma usando la pestaña Ajustes de forma en la derecha barra lateral. Para activarla haga clic en la autoforma y elija el icono Ajustes de forma a la derecha. Aquí puede cambiar los ajustes siguientes: Relleno - utilice esta sección para seleccionar el relleno de la autoforma. Puede seleccionar las opciones siguientes: Color de relleno - seleccione esta opción para especificar el color que quiere aplicar al espacio interior del autoforma seleccionada. Pulse la casilla de color debajo y seleccione el color necesario en el conjunto de colores o especifique algún color deseado: Relleno degradado - seleccione esta opción para rellenar la forma de dos colores que de forma sutil cambian de un color a otro. Estilo - elija una de las opciones disponibles: Lineal (colores cambian por una línea recta por ejemplo por un eje horizontal/vertical o por una línea diagonal que forma un ángulo recto) o Radial (colores cambian por una trayectoria circular del centro a los bordes). Dirección - elija una plantilla en el menú. Si selecciona la gradiente Lineal, las siguientes direcciones serán disponible: de la parte superior izquierda a la inferior derecha, de la parte superior a la inferior, de la parte superior derecha a la inferior izquierda, de la parte derecha a la izquierda,de la parte inferior derecha a la superior izquierda, de la parte inferior a la superior, de la parte inferior izquierda a la superior derecha, de la parte izquierda a la derecha. Si selecciona la gradiente Radial, solo una plantilla estará disponible. Gradiente - utilice el control deslizante izquierdo debajo de la barra de gradiente para activar la casilla de color que corresponde al primer color. Pulse la casilla de color para elegir el primer color. Arrastre el control deslizante para establecer el punto de degradado - el punto donde un color cambia a otro color. Utilice el control deslizante derecho debajo de la barra de gradiente para especificar el segundo color y establecer el punto de degradado. Imagen o textura - seleccione esta opción para usar una imagen o textura predefinida como el fondo de forma. Si quiere usar una imagen de fondo de autoforma, usted puede añadir una imagen De archivo seleccionándolo en el disco duro de su ordenador o De URL insertando la dirección URL apropiada en la ventana abierta. Si quiere usar una textura como fondo de forma, abra el menú de textura y seleccione la variante más apropiada.Ahora puede seleccionar las siguientes texturas: lienzo, algodón, tela oscura, grano, granito, papel gris, tejido, piel, papel marrón, papiro, madera. Si la imagen seleccionada tiene más o menos dimensiones que la autoforma, puede seleccionar la opción Estirar o Mosaico en la lista desplegable.La opción Estirar le permite ajustar el tamaño de imagen al tamaño de la autoforma para que la imagen ocupe el espacio completamente. La opción Mosaico le permite mostrar solo una parte de imagen más grande manteniendo su extensión original o repetir la imagen más pequeña manteniendo su dimensión original para que se rellene todo el espacio completamente. Nota: cualquier Textura predeterminada ocupa el espacio completamente, pero puede aplicar el efecto Estirar si es necesario. Patrón - seleccione esta opción para rellenar la forma del diseño de dos colores que está compuesto de los elementos repetidos. Patrón - seleccione uno de los diseños predeterminados en el menú. Color de primer plano - pulse esta casilla de color para cambiar el color de elementos de patrón. Color de fondo - pulse esta casilla de color para cambiar el color de fondo de patrón. Sin relleno - seleccione esta opción si no desea usar ningún relleno. Opacidad - use esta sección para establecer la nivel de Opacidad arrastrando el control deslizante o introduciendo el valor porcentual manualmente. El valor predeterminado es 100%. Esto corresponde a la capacidad completa. El valor 0% corresponde a la plena transparencia. Trazo - use esta sección para cambiar el color, ancho o tipo del trazo del autoforma. Para cambiar el ancho de trazo, seleccione una de las opciones disponibles en la lista desplegable Tamaño. Las opciones disponibles: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternativamente, seleccione la opción Sin línea si no quiere usar ningún trazo. Para cambiar el color del trazo, pulse el rectángulo de color debajo y seleccione el color necesario. Para cambiar el tipo de trazo, pulse la casilla de color debajo y seleccione el color necesario de la lista despegable (una línea sólida se aplicará de forma predeterminada, puede cambiarla a una que está disponible con guiones). Ajuste de texto - use esta sección para seleccionar el estilo de ajuste de texto en la lista de los que están disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás (para obtener más información lea la descripción de ajustes avanzados más adelante). Cambiar autoforma - use esta sección para reemplazar la autoforma actual con la otra seleccionada en la lista desplegable. Para cambiar los ajustes avanzados de laautoforma, haga clic con el botón derecho sobre la autoforma y seleccione la opción Ajustes avanzados en el menú o use el enlace Mostrar ajustes avanzados en la barra derecha lateral. Se abrirá la ventana 'Forma - Ajustes avanzados': La sección Tamaño contiene los parámetros siguientes: Ancho - usa una de estas opciones para cambiar el ancho de la autoforma. Absoluto - especifica un valor específico que se mide en valores absolutos por ejemplo Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes Avanzados...). Relativo - especifica un porcentaje relativo al margen izquierdo ancho, el margen (por ejemplo, la distancia entre los márgenes izquierdos y derechos), el ancho de la página, o el ancho del margen derecho. Altura - usa una de estas opciones para cambiar la altura de la autoforma. Absoluto - especifica un valor específico que se mide en valores absolutos; por ejemplo Centímetros/Puntos (dependiendo en la opción especificada en la pestaña de Archivo -> Ajustes Avanzados...). Relativo - especifica un porcentaje en relación al margen (por ejemplo, la distancia entre los márgenes de arriba y de abajo), la altura del margen de abajo, la altura de la página, o la altura del margen de arriba. Si la opción de Bloquear la relación de aspecto está activada, la altura y anchura se cambiarán juntas, preservando la forma original del radio de aspecto. La sección Ajuste de texto contiene los parámetros siguientes: Ajuste de texto - use esta opción para cambiar la posición de la forma en relación al texto: puede ser una parte de texto (si usted selecciona el estilo alineado) o rodeada por texto (si selecciona uno de los otros estilos). Alineado - la forma se considera una parte del texto, como un carácter, así cuando se mueva el texto, la forma se moverá también. En este caso no se puede acceder a las opciones de posición. Si selecciona uno de estos estilos, la forma se moverá independientemente del texto: Cuadrado - el texto rodea una caja rectangular que limita la forma. Estrecho - el texto rodea los bordes reales de la forma. A través - el texto rodea los bordes y rellena el espacio en blanco de la forma. Para que se muestre este efecto, utilice la opción Editar límite de ajuste en el menú contextual. Superior e inferior - el texto se sitúa solo arriba y debajo de la forma. Adelante - la forma solapa el texto. Detrás - el texto solapa la forma. Si usted selecciona el estilo cuadrado, estrecho, a través, o superior e inferior, usted podrá establecer unos parámetros adicionales - distancia del texto en todas partes (superior, inferior, izquierda, derecha). La sección Posición estará disponible si selecciona cualquier ajuste de texto excepto alineado. Esta pestaña contiene los parámetros siguientes que dependen del estilo de ajuste del texto seleccionado: La sección Horizontal permite seleccionar uno de los siguientes tres tipos de posición de autoformas: Alineación (izquierda, centro, derecha) en relación al carácter, columna, margen izquierdo, margen, página o margen derecho, La Posición absoluta se mide en unidades absolutas, por ejemplo, Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes avanzados...) a la derecha del carácter, columna, margen izquierdo, margen, página o margen derecho, La Posición relativa se mide en porcentajes relativos al margen izquierdo, margen, página o margen derecho. La sección Vertical permite seleccionar uno de los siguientes tres tipos de posición de autoformas: Alineación (arriba, centro, abajo) en relación con la línea, margen, margen del fondo, párrafo, margen de la página o margen de arriba, La Posición absoluta se mide en unidades absolutas, por ejemplo, Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes Avanzados...) debajo de la línea, margen, margen del fondo, párrafo, margen de la página o margen de arriba, La Posición relativa se mide en porcentajes relativos al margen, margen del fondo, párrafo, margen de la página o margen de arriba, La opción Desplazar objeto con texto controla si la forma insertada en el texto se mueve a la vez que el texto cuando este se mueve. La opción Superposición controla si dos formas sobreponen o no cuando usted las arrastra una cerca de la otra en la página. La sección Ajustes de forma contiene los parámetros siguientes: Estilo de línea - este grupo de opciones permite especificar los parámetros siguientes: Tipo de remate - esta opción le permite establecer el estilo para el final de la línea, se aplica solo a las formas con contorno abierto, como líneas, polilíneas etc.: Plano - los extremos serán planos. Redondeado - los extremos serán redondeados. Cuadrado - los extremos serán cuadrados. Tipo de combinación - esta opción le permite establecer el estilo de intersección de dos líneas, por ejemplo, puede afectar a polilínea o esquinas de triángulo o contorno de triángulo: Redondeado - la esquina será redondeada. Biselado - la esquina será sesgada. Ángulo - la esquina será puntiaguda. Vale para ángulos agudos. Nota: el efecto será más visible si usa una mucha anchura de contorno. Flechas - esta sección está disponible para el grupo de autoformas Líneas. Le permite seleccionar el estilo y tamaño Inicial y Final eligiendo la opción apropiada en la lista desplegable. La pestaña Márgenes interiores permite cambiar los márgenes internos superiores, inferiores, izquierdos y derechos (es decir, la distancia entre el texto y los bordes del autoforma dentro del autoforma). Nota: la pestaña está disponible solo si un texto se añada en autoforma, si no, la pestaña está desactivada. La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma." }, + { + "id": "UsageInstructions/InsertBookmarks.htm", + "title": "Añada marcadores", + "body": "Los marcadores permiten saltar rápidamente hacia cierta posición en el documento actual o añadir un enlace a esta ubicación dentro del documento. Para añadir un marcador dentro de un documento: coloque el puntero del ratón al inicio del pasaje de texto donde desea agregar el marcador, cambie a la pestaña Referencias en la barra de herramientas superior, haga clic en el icono Marcadoren la barra de herramientas superior, en la ventana de Marcadores que se abre, introduzca el Nombre del marcador y haga clic en el botón Agregar - se añadirá un marcador a la lista de marcadores mostrada a continuación,Nota: el nombre del marcador debe comenzar con una letra, pero también debe contener números. El nombre del marcador no puede contener espacios, pero sí el carácter guión bajo \"_\". Para ir a uno de los marcadores añadidos dentro del texto del documento: haga clic en el icono marcador en la pestaña de Referencias de la barra de herramientas superior, en la ventana Marcadores que se abre, seleccione el marcador al que desea ir. Para encontrar el fácilmente el marcador requerido puede ordenar la lista de marcadores por Nombre o Ubicación del marcador dentro del texto del documento, marque la opción Marcadores ocultos para mostrar los marcadores ocultos en la lista (por ej. los marcadores creados automáticamente por el programa cuando añade referencias a cierta parte del documento. Por ejemplo, si usted crea un hiperenlace a cierto encabezado dentro del documento, el editor de documentos automáticamente crea un marcador oculto hacia el destino de este enlace). haga clic en el botón Ir a - el puntero será posicionado en la ubicación dentro del documento donde el marcador seleccionado ha sido añadido, haga clic en el botón Cerrar para cerrar la ventana. Para eliminar un marcador seleccione el mismo en la lista de marcadores y use el botón Eliminar. Para aprender cómo usar marcadores al crear enlaces por favor revise la sección sobre Añadir hiperenlaces." + }, { "id": "UsageInstructions/InsertCharts.htm", "title": "Inserte gráficos", @@ -168,7 +173,7 @@ var indexes = { "id": "UsageInstructions/InsertContentControls.htm", "title": "Insertar controles de contenido", - "body": "Utilizar los controles de contenido puede crear un formulario con campos de entrada que pueden ser rellenados por otros usuarios, o proteger algunas partes del documento para que no sean editadas o eliminadas. Los controles de contenido son objetos que contienen texto que se puede formatear. Los controles de contenido de texto sin formato no pueden contener más de un párrafo, mientras que los controles de contenido de texto enriquecido pueden contener varios párrafos, listas y objetos (imágenes, formas, tablas, etc.). Insertar controles de contenido Para crear un nuevo control de contenido de texto simple, posicione el punto de inserción dentro de una línea del texto donde desea que se añada el control, o seleccione un pasaje de texto que desee que se convierta en el control del contenido. cambie a la pestaña Insertar en la barra de herramientas superior, Haga clic en la flecha al lado del icono Controles de contenido. escoja la opción Insertar control de contenido de texto simple del menú. El control se insertará en el punto de inserción dentro de una línea del texto existente. Los controles de contenido del texto plano no permiten añadir saltos de línea y no pueden contener otros objetos como imágenes, tablas, etc. Para crear un nuevo control de contenido de texto enriquecido, posicione el punto de inserción al final de un párrafo después del que desee que se añada el control, o seleccione uno o más de los pasajes de texto existentes que desea que se conviertan en el control del contenido. cambie a la pestaña Insertar en la barra de herramientas superior, haga clic en la flecha al lado del icono Controles de contenido. escoja la opción Insertar control de contenido de texto enriquecido del menú. El control se insertará en un nuevo párrafo. Los controles de contenido de texto enriquecido permiten añadir saltos de línea, es decir, pueden contener varios párrafos, así como algunos objetos, como imágenes, tablas, otros controles de contenido, etc. Nota: El borde del control de contenido es visible solo cuando se selecciona el control. Los bordes no aparecen en una versión impresa. Moviendo controles de contenido Los controles pueden ser movidos a otro lugar del documento: haga clic en el botón situado a la izquierda del borde de control para seleccionar el control y arrástrelo sin soltar el botón del ratón a otra posición del texto del documento. Usted también puede copiar y pegar controles de contenido: seleccione el control necesario y utilice las combinaciones de teclas Ctrl+C/Ctrl+V. Editando los controles de contenido Reemplace el texto predeterminado dentro del control (\"Su texto aquí\") con el suyo propio: seleccione el texto predeterminado y escriba un nuevo texto o copie un pasaje de texto desde cualquier lugar y péguelo en el control de contenido. El texto dentro del control de contenido de cualquier tipo (tanto de texto sin formato como de texto enriquecido) puede formatearse utilizando los iconos de la barra de herramientas superior: usted puede ajustar tipo, tamaño y color de fuente, aplicar estilos de decoración y preajustes de formato. También es posible usar la ventana de Párrafo - Ajustes avanzados accesible desde el menú contextual o desde la barra de tareas derecha para cambiar las propiedades del texto. El texto dentro de los controles de contenido de texto enriquecido se puede formatear como un texto normal del documento, es decir, se puede establecer interlineado, cambiar indentaciones de párrafo, ajustar topes de tabulaciones. Cambiando la configuración del control de contenido Para abrir las configuraciones de la tabla de contenidos, puede proceder de las siguientes maneras: Seleccione el control de contenido necesario y haga clic en la flecha situada junto al icono Controles de contenido en la barra de tareas superior y seleccione la opción de Ajustes de Control del menú. Haga clic con el botón derecho en cualquier parte del control de contenido y use la opción Ajustes de control de contenido del menú contextual. Se abrirá una nueva ventana donde podrá ajustar los siguientes ajustes: Especifique el Título o Etiqueta del control de contenido en los campos correspondientes. Proteja el control de contenido para que no sea eliminado o editado usando la opción de la sección Bloqueando: No se puede eliminar el control de contenido - marque esta casilla para proteger el control de contenido de ser eliminado. No se puede editar el contenido - marque esta casilla para proteger el contenido de ser editado. Haga clic en el botón OK dentro de las ventanas de ajustes para aplicar los cambios. Removiendo controles de contenido Para eliminar un control y dejar todo su contenido, haga clic en el control de contenido para seleccionarlo y, a continuación, proceda de una de las siguientes maneras: Haga clic en la flecha al lado del icono Controles de contenidos en la barra de tareas superior y seleccione la opción Remover control de contenido del menú. Haga clic derecho en el control de contenido y use la opción de Eliminar control de contenido del menú contextual, Para eliminar un control y todo su contenido, seleccione el control necesario y pulse la tecla Borrar en el teclado." + "body": "Utilizar los controles de contenido puede crear un formulario con campos de entrada que pueden ser rellenados por otros usuarios, o proteger algunas partes del documento para que no sean editadas o eliminadas. Los controles de contenido son objetos que contienen texto que se puede formatear. Los controles de contenido de texto sin formato no pueden contener más de un párrafo, mientras que los controles de contenido de texto enriquecido pueden contener varios párrafos, listas y objetos (imágenes, formas, tablas, etc.). Insertar controles de contenido Para crear un nuevo control de contenido de texto simple, posicione el punto de inserción dentro de una línea del texto donde desea que se añada el control, o seleccione un pasaje de texto que desee que se convierta en el control del contenido. cambie a la pestaña Insertar en la barra de herramientas superior, haga clic en la flecha al lado del icono Controles de contenido. escoja la opción Insertar control de contenido de texto simple del menú. El control se insertará en el punto de inserción dentro de una línea del texto existente. Los controles de contenido del texto plano no permiten añadir saltos de línea y no pueden contener otros objetos como imágenes, tablas, etc. Para crear un nuevo control de contenido de texto enriquecido, posicione el punto de inserción al final de un párrafo después del que desee que se añada el control, o seleccione uno o más de los pasajes de texto existentes que desea que se conviertan en el control del contenido. cambie a la pestaña Insertar en la barra de herramientas superior, haga clic en la flecha al lado del icono Controles de contenido. escoja la opción Insertar control de contenido de texto enriquecido del menú. El control se insertará en un nuevo párrafo. Los controles de contenido de texto enriquecido permiten añadir saltos de línea, es decir, pueden contener varios párrafos, así como algunos objetos, como imágenes, tablas, otros controles de contenido, etc. Nota: El borde del control de contenido es visible solo cuando se selecciona el control. Los bordes no aparecen en una versión impresa. Moviendo controles de contenido Los controles pueden ser movidos a otro lugar del documento: haga clic en el botón situado a la izquierda del borde de control para seleccionar el control y arrástrelo sin soltar el botón del ratón a otra posición del texto del documento. Usted también puede copiar y pegar controles de contenido: seleccione el control necesario y utilice las combinaciones de teclas Ctrl+C/Ctrl+V. Editando los controles de contenido Reemplace el texto predeterminado dentro del control (\"Su texto aquí\") con el suyo propio: seleccione el texto predeterminado y escriba un nuevo texto o copie un pasaje de texto desde cualquier lugar y péguelo en el control de contenido. El texto dentro del control de contenido de cualquier tipo (tanto de texto sin formato como de texto enriquecido) puede formatearse utilizando los iconos de la barra de herramientas superior: usted puede ajustar tipo, tamaño y color de fuente, aplicar estilos de decoración y preajustes de formato. También es posible usar la ventana de Párrafo - Ajustes avanzados accesible desde el menú contextual o desde la barra de tareas derecha para cambiar las propiedades del texto. El texto dentro de los controles de contenido de texto enriquecido se puede formatear como un texto normal del documento, es decir, se puede establecer interlineado, cambiar indentaciones de párrafo, ajustar topes de tabulaciones. Cambiando la configuración del control de contenido Para abrir las configuraciones de la tabla de contenidos, puede proceder de las siguientes maneras: Seleccione el control de contenido necesario y haga clic en la flecha situada junto al icono Controles de contenido en la barra de tareas superior y seleccione la opción de Ajustes de Control del menú. Haga clic con el botón derecho en cualquier parte del control de contenido y use la opción Ajustes de control de contenido del menú contextual. Se abrirá una nueva ventana donde podrá ajustar los siguientes ajustes: Especifique el Título o Etiqueta del control de contenido en los campos correspondientes. El título será mostrado cuando el control esté seleccionado en el documento. Las etiquetas se usan para identificar el contenido de los controles de manera que pueda hacer referencia a ellos en su código. Escoja si desea mostrar el control de contenido con una Casilla entorno o no. Utilice la opción Ninguno para mostrar el control sin una casilla entorno. Si selecciona la opción Casilla entorno, usted puede escoger el Color de esta casilla empleando el campo a continuación. Proteja el control de contenido para que no sea eliminado o editado usando la opción de la sección Bloqueando: No se puede eliminar el control de contenido - marque esta casilla para proteger el control de contenido de ser eliminado. No se puede editar el contenido - marque esta casilla para proteger el contenido de ser editado. Haga clic en el botón OK dentro de las ventanas de ajustes para aplicar los cambios. También es posible resaltar los controles de contenido con un color específico. Para resaltar los controles con un color: Haga clic en el botón a la izquierda del borde del control para seleccionarlo, Haga clic en la flecha junto al icono de Controles de Contenido en la barra de herramientas superior, Seleccione la opción Ajustes de Resaltado en el menú, Seleccione el color necesario de la paleta provista: Colores del Tema, Colores Estándar o especifique un nuevo Color Personalizado. Para quitar el resaltado de color previamente aplicado, utilice la opción Sin resaltado. Las opciones de resaltado seleccionadas serán aplicadas a todos los controles de contenido en el documento. Removiendo controles de contenido Para eliminar un control y dejar todo su contenido, haga clic en el control de contenido para seleccionarlo y, a continuación, proceda de una de las siguientes maneras: Haga clic en la flecha al lado del icono Controles de contenidos en la barra de tareas superior y seleccione la opción Remover control de contenido del menú. Haga clic derecho en el control de contenido y use la opción de Eliminar control de contenido del menú contextual, Para eliminar un control y todo su contenido, seleccione el control necesario y pulse la tecla Borrar en el teclado." }, { "id": "UsageInstructions/InsertDropCap.htm", @@ -193,7 +198,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Inserte imágenes", - "body": "En el editor de documentos, usted puede insertar imágenes de formatos más populares en su documento. Los siguientes formatos de imágenes son compatibles: BMP, GIF, JPEG, JPG, PNG. Inserte una imagen Para insertar una imagen en texto de su documento, ponga el cursor en un lugar donde quiera que aparezca la imagen, cambie a la pestaña Insertar de la barra de herramientas superior, haga clic en el icono Imagen en la barra de herramientas superior, seleccione una de las opciones siguientes para cargar la imagen: la opción Imagen desde archivo abrirá la ventana de diálogo de Windows para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK una vez añadida la imagen cambie su tamaño, parámetros y posición. Mover y cambiar el tamaño de imágenes Para cambiar el tamaño de la imagen, arrastre pequeños cuadrados situados en sus bordes. Para mantener las proporciones originales de una imagen seleccionada mientras el proceso de redimensionamiento, mantenga apretada la tecla Shift y arrastre uno de los iconos de la esquina. Para cambiar la posición de la imagen, use el icono que aparece cuando usted mantiene cursor del ratón sobre la imagen. Arrastre la imagen a la posición necesaria apretando el botón del ratón. Cuando mueve la imagen, las línes guía se muestran para ayudarle a colocar el objeto en la página más precisamente. Para girar la imagen, mantenga el cursor del ratón encima del controlador de giro y arrástrelo en la dirección de las manecillas o en el sentido contrario. Para limitar el ángulo de rotación hasta un incremento de 15 grados, mantenga apretada la tecla Shift mientras rota. Ajustes de ajuste de imagen Se puede cambiar unos ajustes de la imagen usando la pestaña Ajustes de imagen en la barra derecha lateral. Para activarla pulse la imagen y elija el icono Ajustes de imagen a la derecha. Aquí usted puede cambiar los siguientes ajustes: Tamaño - se usa para ver el Ancho y Altura de la imagen. Si es necesario, puede restaurar el tamaño por defecto de la imagen si hace clic en el botón de Tamaño por Defecto. El botón Ajustar al Margen le permite volver a dar tamaño a la imagen, para que ocupe todo el espacio entre el margen de la página izquierdo y derecho. Ajuste de texto - se usa para seleccionar el estilo de ajuste de texto de los disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás (para obtener más información lea la descripción de ajustes avanzados debajo). Reemplazar imagen - se usa para reemplazar la imagen actual cargando una imagen nueva de archivo o URL. También puede encontrar estas opciones en el menú contextual. Las opciones del menú son las siguientes: Cortar, Copiar, Pegar - opciones estándar usadas para cortar, copiar un texto/objeto seleccionado y pegar un pasaje de texto u objeto anteriormente cortado/copiado a una posición de cursor actual. Arreglar - se usa para traer al primer plano la imagen seleccionada, enviarla al fondo, traerla adelante o enviarla atrás. Para saber más sobre cómo organizar objetos puede visitar esta página. Alinear - se usa para alinear la imagen a la izquierda, al centro, a la derecha, en la parte superior, al medio, en la parte inferior. Para saber más sobre cómo alinear objetos puede visitar esta página. Ajuste de texto se usa para seleccionar el ajuste de texto de los estilos disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás - o editar límite de ajuste. La opción Editar límite de ajuste estará disponible solo si selecciona cualquier ajuste de texto excepto alineado. Arrastre puntos de ajuste para personalizar el borde. Para crear un punto de ajuste nuevo, haga clic en cualquier lugar de la línea roja y arrástrela a la posición necesaria. Predeterminado - se usa para cambiar el tamaño actual de la imagen al tamaño predeterminado. Ajustes avanzados - se usa para abrir la ventana 'Imagen - Ajustes avanzados'. Cuando se selecciona la imagen, el icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente. Para cambiar los ajustes avanzados, haga clic derecho sobre la imagen y seleccione la opción Ajustes avanzados en el menú contextual o pulse el enlace Mostrar ajustes avanzados en la derecha barra lateral. Se abrirá la ventana con parámetros de la imagen: La sección Tamaño contiene los parámetros siguientes: Ancho y Altura - use estas opciones para cambiar ancho o altura de la imagen. Si hace clic en el botón proporciones constantes (en este caso estará así ), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado. La sección Ajuste de texto contiene los parámetros siguientes: Ajuste de texto - use esta opción para cambiar la posición de la imagen en relativo al texto: puede ser una parte de texto (si usted seleccione estilo alineado) o rodeada por texto (si selecciona uno de los otros estilos). Alineado - la imagen se considera una parte del texto, como un carácter, así cuando se mueva el texto, la imagen se moverá también. En este caso no se puede acceder a las opciones de posición. Si seleccione uno de estos estilos, la imagen se moverá independientemente del texto: Cuadrado - el texto rodea una caja rectangular que limita la imagen. Estrecho - el texto rodea los bordes reales de la imagen. A través - el texto rodea los bordes y rellene el espacio en blanco de la imagen. Para que se muestre este efecto, utilice la opción Editar límite de ajuste en el menú contextual. Superior e inferior - el texto se sitúa solo arriba y debajo de la imagen. Adelante - la imagen solapa el texto. Detrás - el texto solapa la imagen. Si usted selecciona el estilo cuadrado, estrecho, a través, o superior e inferior, usted podrá establecer unos parámetros adicionales - distancia del texto en todas partes (superior, inferior, izquierda, derecha). La sección Posición estará disponible si selecciona cualquier ajuste de texto excepto alineado. Esta pestaña contiene los siguientes parámetros varían dependiendo del estilo del ajuste del texto seleccionado: La sección Horizontal permite seleccionar uno de los siguientes tres tipos de posición de autoformas: Alineación (izquierda, centro, derecha) en relación al carácter, columna, margen izquierdo, margen, página o margen derecho, La Posición absoluta se mide en unidades absolutas, por ejemplo, Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes avanzados...) a la derecha del carácter, columna, margen izquierdo, margen, página o margen derecho, La Posición relativa se mide en porcentajes relativos al margen izquierdo, margen, página o margen derecho. La sección Vertical permite seleccionar uno de los siguientes tres tipos de posición de imágenes: Alineación (arriba, centro, abajo) en relación con la línea, margen, margen del fondo, párrafo, margen de la página o margen de arriba, La Posición absoluta se mide en unidades absolutas, por ejemplo, Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes Avanzados...) debajo de la línea, margen, margen del fondo, párrafo, margen de la página o margen de arriba, La Posición relativa se mide en porcentajes relativos al margen, margen del fondo, párrafo, margen de la página o margen de arriba, La opción Desplazar objeto con texto controla si la imagen insertada en el texto se mueve junto con ello si el texto se mueve. La opción Superposición controla si dos imágenes sobreponen o no cuando usted las arrastra una cerca de la otra en la página. La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma." + "body": "En el editor de documentos, usted puede insertar imágenes de formatos más populares en su documento. Los siguientes formatos de imágenes son compatibles: BMP, GIF, JPEG, JPG, PNG. Inserte una imagen Para insertar una imagen en texto de su documento, ponga el cursor en un lugar donde quiera que aparezca la imagen, cambie a la pestaña Insertar en la barra de herramientas superior, haga clic en el icono Imagen en la barra de herramientas superior, seleccione una de las opciones siguientes para cargar la imagen: la opción Imagen desde Archivo abrirá la ventana de diálogo para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK una vez añadida la imagen cambie su tamaño, parámetros y posición. Mover y cambiar el tamaño de imágenes Para cambiar el tamaño de la imagen, arrastre pequeños cuadrados situados en sus bordes. Para mantener las proporciones originales de una imagen seleccionada mientras el proceso de redimensionamiento, mantenga apretada la tecla Shift y arrastre uno de los iconos de la esquina. Para cambiar la posición de la imagen, use el icono que aparece cuando usted mantiene cursor del ratón sobre la imagen. Arrastre la imagen a la posición necesaria apretando el botón del ratón. Cuando mueve la imagen, las línes guía se muestran para ayudarle a colocar el objeto en la página más precisamente. Para girar la imagen, mantenga el cursor del ratón encima del controlador de giro y arrástrelo en la dirección de las manecillas o en el sentido contrario. Para limitar el ángulo de rotación hasta un incremento de 15 grados, mantenga apretada la tecla Shift mientras rota. Nota: la lista de atajos de teclado que puede ser usada al trabajar con objetos está disponible aquí. Ajustes de ajuste de imagen Se puede cambiar unos ajustes de la imagen usando la pestaña Ajustes de imagen en la barra derecha lateral. Para activarla pulse la imagen y elija el icono Ajustes de imagen a la derecha. Aquí usted puede cambiar los siguientes ajustes: Tamaño - se usa para ver el Ancho y Altura de la imagen. Si es necesario, puede restaurar el tamaño por defecto de la imagen si hace clic en el botón de Tamaño por Defecto. El botón Ajustar al Margen le permite volver a dar tamaño a la imagen, para que ocupe todo el espacio entre el margen de la página izquierdo y derecho. Ajuste de texto - se usa para seleccionar el estilo de ajuste de texto de los disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás (para obtener más información lea la descripción de ajustes avanzados debajo). Reemplazar Imagen se usa para reemplazar la imagen actual cargando otra Desde Archivo o Desde URL. También puede encontrar estas opciones en el menú contextual. Aquí tiene las opciones: Cortar, Copiar, Pegar - opciones estándar usadas para cortar, copiar un texto/objeto seleccionado y pegar un pasaje de texto u objeto anteriormente cortado/copiado a una posición de cursor actual. Arreglar - se usa para traer al primer plano la imagen seleccionada, enviarla al fondo, traerla adelante o enviarla atrás. Para saber más sobre cómo organizar objetos puede visitar esta página. Alinear - se usa para alinear la imagen a la izquierda, al centro, a la derecha, en la parte superior, al medio, en la parte inferior. Para saber más sobre cómo alinear objetos puede visitar esta página. Ajuste de texto se usa para seleccionar el ajuste de texto de los estilos disponibles - alineado, cuadrado, estrecho, a través, superior e inferior, adelante, detrás - o editar límite de ajuste. La opción Editar límite de ajuste estará disponible solo si selecciona cualquier ajuste de texto excepto alineado. Arrastre puntos de ajuste para personalizar el borde. Para crear un punto de ajuste nuevo, haga clic en cualquier lugar de la línea roja y arrástrela a la posición necesaria. Predeterminado - se usa para cambiar el tamaño actual de la imagen al tamaño predeterminado. Reemplazar Imagen se usa para reemplazar la imagen actual cargando otra Desde Archivo o Desde URL. Ajustes avanzados - se usa para abrir la ventana 'Imagen - Ajustes avanzados'. Cuando se selecciona la imagen, el icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente. Para cambiar los ajustes avanzados, haga clic derecho sobre la imagen y seleccione la opción Ajustes avanzados en el menú contextual o pulse el enlace Mostrar ajustes avanzados en la derecha barra lateral. Se abrirá la ventana con parámetros de la imagen: La sección Tamaño contiene los parámetros siguientes: Ancho y Altura - use estas opciones para cambiar ancho o altura de la imagen. Si hace clic en el botón proporciones constantes (en este caso estará así ), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado. La sección Ajuste de texto contiene los parámetros siguientes: Ajuste de texto - use esta opción para cambiar la posición de la imagen en relativo al texto: puede ser una parte de texto (si usted seleccione estilo alineado) o rodeada por texto (si selecciona uno de los otros estilos). Alineado - la imagen se considera una parte del texto, como un carácter, así cuando se mueva el texto, la imagen se moverá también. En este caso no se puede acceder a las opciones de posición. Si seleccione uno de estos estilos, la imagen se moverá independientemente del texto: Cuadrado - el texto rodea una caja rectangular que limita la imagen. Estrecho - el texto rodea los bordes reales de la imagen. A través - el texto rodea los bordes y rellene el espacio en blanco de la imagen. Para que se muestre este efecto, utilice la opción Editar límite de ajuste en el menú contextual. Superior e inferior - el texto se sitúa solo arriba y debajo de la imagen. Adelante - la imagen solapa el texto. Detrás - el texto solapa la imagen. Si usted selecciona el estilo cuadrado, estrecho, a través, o superior e inferior, usted podrá establecer unos parámetros adicionales - distancia del texto en todas partes (superior, inferior, izquierda, derecha). La sección Posición estará disponible si selecciona cualquier ajuste de texto excepto alineado. Esta pestaña contiene los siguientes parámetros varían dependiendo del estilo del ajuste del texto seleccionado: La sección Horizontal permite seleccionar uno de los siguientes tres tipos de posición de autoformas: Alineación (izquierda, centro, derecha) en relación al carácter, columna, margen izquierdo, margen, página o margen derecho, La Posición absoluta se mide en unidades absolutas, por ejemplo, Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes avanzados...) a la derecha del carácter, columna, margen izquierdo, margen, página o margen derecho, La Posición relativa se mide en porcentajes relativos al margen izquierdo, margen, página o margen derecho. La sección Vertical permite seleccionar uno de los siguientes tres tipos de posición de imágenes: Alineación (arriba, centro, abajo) en relación con la línea, margen, margen del fondo, párrafo, margen de la página o margen de arriba, La Posición absoluta se mide en unidades absolutas, por ejemplo, Centímetros/Puntos (dependiendo de la opción especificada en la pestaña de Archivo -> Ajustes Avanzados...) debajo de la línea, margen, margen del fondo, párrafo, margen de la página o margen de arriba, La Posición relativa se mide en porcentajes relativos al margen, margen del fondo, párrafo, margen de la página o margen de arriba, La opción Desplazar objeto con texto controla si la imagen insertada en el texto se mueve junto con ello si el texto se mueve. La opción Superposición controla si dos imágenes sobreponen o no cuando usted las arrastra una cerca de la otra en la página. La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma." }, { "id": "UsageInstructions/InsertPageNumbers.htm", @@ -248,7 +253,7 @@ var indexes = { "id": "UsageInstructions/SetPageParameters.htm", "title": "Establezca parámetros de página", - "body": "Para establecer la orientación de la página y su tamaño, ajustar márgenes e insertar columnas, use los iconos correspondientes en la pestaña Diseño en barra de herramientas superior. Nota: todos estos parámetros se aplican al documento entero. Si necesita aplicar distintos márgenes, orientación, tamaño, tamaño o número de columna para las partes separadas del documento de la página, por favor visite esta página. Orientación de página Cambie el tipo de orientación actual haciendo clic en el icono Orientación. El tipo de orientación predeterminado es Vertical pero usted puede cambiarla en Horizontal. Tamaño de página Cambie el formato A4 predeterminado pulsando el icono Tamaño y seleccionando un formato necesario de la lista. Los tamaños preestablecidos son: US Letter (21,59cm x 27,94cm) US Legal (21,59cm x 35,56cm) A4 (21cm x 29,7cm) A5 (14,81cm x 20,99cm) B5 (17,6cm x 25,01cm) Envelope #10 (10,48cm x 24,13cm) Envelope DL (11,01cm x 22,01cm) Tabloid (27,94cm x 43,17cm) AЗ (29,7cm x 42,01cm) Tabloid Oversize (30,48cm x 45,71cm) ROC 16K (19,68cm x 27,3cm) Envelope Choukei 3 (11,99cm x 23,49cm) Super B/A3 (33,02cm x 48,25cm) También puede ajustar un tamaño de página especial seleccionando la opción Personalizar Tamaño de página de la lista. La ventana de Tamaño de página se abrirá donde sea capaz de ajustar los valores de Anchura y Altura necesarios. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. cuando esté listo, pulse OK para realizar los cambios. Márgenes de Página Cambie los márgenes predeterminados, por ejemplo, el espacio en blanco a la izquierda, derecha, arriba o abajo de los bordes de la página y el texto del párrafo, haciendo clic en el icono Márgenes y seleccionando uno de los pre-ajustes disponibles: Normal, Normal US, Estrecho, Moderado, Ancho. También puede usar la opción de Personalizar Márgenes para ajustar sus valores propios en la ventana de Márgenes que se abre. Introduzca los valores del márgenes de Página Arriba, Abajo, Izquierda, Derecha en los campos de entrada o ajuste los valores existentes usando los botones de flecha. Cuando este listo, haga clic en OK. Los márgenes personalizados se aplicarán al documento actual y la opción Última Personalización con los parámetros específicos aparecerá en la lista Márgenes para que pueda aplicarlos a otros documentos. También puede cambiar los márgenes de forma manual arrastrando el borde entre las áreas grises y blancas en las reglas (las áreas grises de las reglas indican un margen de página): Columnas Aplique una disposición de varias columnas haciendo clic en el icono Columnas seleccionando el tipo de columna necesario de la lista despegable. Las siguientes opciones están disponibles: Dos - para añadir dos columnas de la misma anchura, Tres - para añadir tres columnas de la misma anchura, Izquierda - para añadir dos columnas: una columna estrecha en la parte izquierda y una columna ancha en la parte derecha, Derecha - para añadir dos columnas: una columna estrecha en la parte derecha y una columna ancha en la parte izquierda. Si quiere ajustar los ajustes de la columna, seleccione la opción Personalizar Columnas de la lista. La ventana Columnas se abrirá cuando sea capaz de ajustar el Número de columnas (es posible añadir hasta 12 columnas) y el Espaciado entre columnas. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. Verifique la casilla Divisor de columna para añadir una línea vertical entre las columnas. Cuando esté listo, pulse OK para realizar los cambios. Para especificar de forma exacta donde debe empezar una columna, coloque el cursos antes del texto que quiere mover en la nueva columna, haga clic en el icono de Saltos en la barra de herramientas superior y luego seleccione la opción Insertar Saltos de Columna. El texto se moverá a la siguiente columna. Los saltos de sección añadidos se indican en su documento con una línea de puntos doble: . Si no ve los saltos de sección insertados, pulse el icono en la pestaña de Inicio en la barra de herramientas superior para mostrarlos. Para eliminar un salto de página selecciónelo con el ratón y pulse la tecla Delete. Para cambiar de forma manual el espaciado y anchura de la columna, puede usar ua regla horizontal. Para cancelar columnas y volver a un formato regular de una sola columna, haga clic en el icono Columnas en la barra de herramientas superior y seleccione la opción Una de la lista." + "body": "Para establecer la orientación de la página y su tamaño, ajustar márgenes e insertar columnas, use los iconos correspondientes en la pestaña Diseño en barra de herramientas superior. Nota: todos estos parámetros se aplican al documento entero. Si necesita aplicar distintos márgenes, orientación, tamaño, tamaño o número de columna para las partes separadas del documento de la página, por favor visite esta página. Orientación de página Cambie el tipo de orientación actual haciendo clic en el icono Orientación. El tipo de orientación predeterminado es Vertical pero usted puede cambiarla en Horizontal. Tamaño de página Cambie el formato A4 predeterminado pulsando el icono Tamaño y seleccionando un formato necesario de la lista. Los tamaños preestablecidos son: US Letter (21,59cm x 27,94cm) US Legal (21,59cm x 35,56cm) A4 (21cm x 29,7cm) A5 (14,81cm x 20,99cm) B5 (17,6cm x 25,01cm) Envelope #10 (10,48cm x 24,13cm) Envelope DL (11,01cm x 22,01cm) Tabloid (27,94cm x 43,17cm) AЗ (29,7cm x 42,01cm) Tabloid Oversize (30,48cm x 45,71cm) ROC 16K (19,68cm x 27,3cm) Envelope Choukei 3 (11,99cm x 23,49cm) Super B/A3 (33,02cm x 48,25cm) También puede ajustar un tamaño de página especial seleccionando la opción Personalizar Tamaño de página de la lista. La ventana de Tamaño de Página se abrirá y podrá seleccionar el Preajuste necesario (Carta, Legal, A4, A5, B5, Sobre #10, Sobre DL, Tabloide, AЗ, Tabloide Grande, ROC 16K, Sobre Choukei 3, Super B/A3, A0, A1, A2, A6) o establecer valores personalizados de Ancho y Largo. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. Cuando esté listo, pulse OK para realizar los cambios. Márgenes de Página Cambie los márgenes predeterminados, por ejemplo, el espacio en blanco a la izquierda, derecha, arriba o abajo de los bordes de la página y el texto del párrafo, haciendo clic en el icono Márgenes y seleccionando uno de los pre-ajustes disponibles: Normal, Normal US, Estrecho, Moderado, Ancho. También puede usar la opción de Personalizar Márgenes para ajustar sus valores propios en la ventana de Márgenes que se abre. Introduzca los valores del márgenes de Página Arriba, Abajo, Izquierda, Derecha en los campos de entrada o ajuste los valores existentes usando los botones de flecha. Cuando este listo, haga clic en OK. Los márgenes personalizados se aplicarán al documento actual y la opción Última Personalización con los parámetros específicos aparecerá en la lista Márgenes para que pueda aplicarlos a otros documentos. También puede cambiar los márgenes de forma manual arrastrando el borde entre las áreas grises y blancas en las reglas (las áreas grises de las reglas indican un margen de página): Columnas Aplique una disposición de varias columnas haciendo clic en el icono Columnas seleccionando el tipo de columna necesario de la lista despegable. Las siguientes opciones están disponibles: Dos - para añadir dos columnas de la misma anchura, Tres - para añadir tres columnas de la misma anchura, Izquierda - para añadir dos columnas: una columna estrecha en la parte izquierda y una columna ancha en la parte derecha, Derecha - para añadir dos columnas: una columna estrecha en la parte derecha y una columna ancha en la parte izquierda. Si quiere ajustar los ajustes de la columna, seleccione la opción Personalizar Columnas de la lista. La ventana Columnas se abrirá cuando sea capaz de ajustar el Número de columnas (es posible añadir hasta 12 columnas) y el Espaciado entre columnas. Introduzca sus valores nuevos en los campos de entrada o ajuste los valores existentes usando los botones de flechas. Verifique la casilla Divisor de columna para añadir una línea vertical entre las columnas. Cuando esté listo, pulse OK para realizar los cambios. Para especificar de forma exacta donde debe empezar una columna, coloque el cursos antes del texto que quiere mover en la nueva columna, haga clic en el icono de Saltos en la barra de herramientas superior y luego seleccione la opción Insertar Saltos de Columna. El texto se moverá a la siguiente columna. Los saltos de sección añadidos se indican en su documento con una línea de puntos doble: . Si no ve los saltos de sección insertados, pulse el icono en la pestaña de Inicio en la barra de herramientas superior para mostrarlos. Para eliminar un salto de página selecciónelo con el ratón y pulse la tecla Delete. Para cambiar de forma manual el espaciado y anchura de la columna, puede usar ua regla horizontal. Para cancelar columnas y volver a un formato regular de una sola columna, haga clic en el icono Columnas en la barra de herramientas superior y seleccione la opción Una de la lista." }, { "id": "UsageInstructions/SetTabStops.htm", diff --git a/apps/documenteditor/main/resources/help/es/search/search.html b/apps/documenteditor/main/resources/help/es/search/search.html index 318efd8e2..5ecef254f 100644 --- a/apps/documenteditor/main/resources/help/es/search/search.html +++ b/apps/documenteditor/main/resources/help/es/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index d72ea2180..07d03e8d9 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -18,7 +18,7 @@

                @@ -29,7 +29,7 @@

                Lorsqu'un document est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les passages de texte modifiés sont marqués avec des lignes pointillées de couleurs différentes. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte.

                Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - Icône Nombre d'utilisateurs. S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

                Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence Icône Gérer les droits d'accès au document et vous permettra de gérer les utilisateurs qui ont accès au fichier : inviter de nouveaux utilisateurs en leur donnant les permissions pour modifier, lire ou réviser le document ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier ; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci Icône Nombre d'utilisateurs. Il est également possible de définir des droits d'accès à l'aide de l'icône Icône Partage Partage dans l'onglet Collaboration de la barre d'outils supérieure.

                -

                Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône Icône Enregistrer, les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et installer des mises à jour cliquez sur l'icône Icône Enregistrer dans le coin gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié.

                +

                Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône Icône Enregistrer, les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône Icône Enregistrer dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié.

                Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône Icône Enregistrer seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance.

                Chat

                Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc.

                @@ -47,7 +47,7 @@

                Pour laisser un commentaire :

                1. sélectionnez le fragment du texte que vous voulez commenter,
                2. -
                3. passez à l'onglet Insérer ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaires Commentaire ou
                  utilisez l'icône icône Commentaires dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou
                  cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option dans le menu contextuel,
                4. +
                5. passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaires Commentaire ou
                  utilisez l'icône Icône Commentaires dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou
                  cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel,
                6. saisissez le texte nécessaire,
                7. cliquez sur le bouton Ajouter commentaire/Ajouter.
                diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm index f387967f8..ecd424300 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm @@ -1,9 +1,9 @@  - Onglet Insérer + Onglet Insertion - + @@ -13,10 +13,10 @@
                -

                Onglet Insérer

                -

                L'onglet Insérer permet d'ajouter des éléments de mise en page, ainsi que des objets visuels et des commentaires.

                -

                Onglet Insérer

                -

                Dans cet onglet vous pouvez :

                +

                Onglet Insertion

                +

                L'onglet Insertion permet d'ajouter des éléments de mise en page, ainsi que des objets visuels et des commentaires.

                +

                Onglet Insertion

                +

                En utilisant cet onglet, vous pouvez :

                • insérer des sauts de page, des sauts de section et des sauts de colonne,
                • insérer des en-têtes et pieds de page et des numéros de page,
                • diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm index 22da2fb9b..4a73bdfee 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm @@ -18,14 +18,14 @@

                  Fenêtre de l'éditeur

                  L'interface de l'éditeur est composée des éléments principaux suivants :

                    -
                  1. L'En-tête de l'éditeur affiche le logo, les onglets de menu, le nom du document ainsi que deux icônes sur la droite qui permettent de définir les droits d'accès et de revenir à la liste des documents.

                    Icônes dans l'en-tête de l'éditeur

                    +
                  2. L'En-tête de l'éditeur affiche le logo, les onglets de menu, le nom du document ainsi que trois icônes sur la droite qui permettent de définir les droits d'accès, de revenir à la liste des documents, de modifier les Paramètres d'affichage et d’accéder aux Paramètres avancés de l'éditeur.

                    Icônes dans l'en-tête de l'éditeur

                  3. -
                  4. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insérer, Disposition, Références, Collaboration, Modules complémentaires.

                    Les options Imprimer, Enregistrer, Copier, Coller, Annuler et Rétablir sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné.

                    +
                  5. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Disposition, Références, Collaboration, Modules complémentaires.

                    Les options Imprimer, Enregistrer, Copier, Coller, Annuler et Rétablir sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné.

                    Icônes dans la barre d'outils supérieure

                  6. La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page, affiche certaines notifications (telles que "Toutes les modifications sauvegardées", etc.), permet de définir la langue du texte, activer la vérification orthographique, activer le mode suivi des modifications, régler le zoom.
                  7. La Barre latérale gauche contient des icônes qui permettent d'utiliser l'outil de Recherche, d'ouvrir les panneaux Commentaires, Discussion et Navigation, de contacter notre équipe de support et d'afficher les informations sur le programme.
                  8. -
                  9. La Barre latérale droite permet d'ajuster des paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier dans le texte, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite.
                  10. +
                  11. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier dans le texte, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite.
                  12. Les Règles horizontales et verticales permettent d'aligner le texte et d'autres éléments dans un document, définir des marges, des taquets et des retraits de paragraphe.
                  13. La Zone de travail permet d'afficher le contenu du document, d'entrer et de modifier les données.
                  14. La Barre de défilement sur la droite permet de faire défiler vers le haut et vers le bas des documents multi-page.
                  15. diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm index ccb2b10a2..f3e1ba7c7 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm @@ -17,19 +17,22 @@

                    Pour ajouter un lien hypertexte,

                    1. placez le curseur là où vous voulez insérer un lien hypertexte,
                    2. -
                    3. passez à l'onglet Insérer ou Références de la barre d'outils supérieure,
                    4. +
                    5. passez à l'onglet Insertion ou Références de la barre d'outils supérieure,
                    6. cliquez sur l'icône Ajouter un lien hypertexte Icône Ajouter un lien hypertexte de la barre d'outils supérieure,
                    7. dans la fenêtre ouverte précisez les paramètres du lien hypertexte :
                        -
                      • Lien vers - entrez une URL au format http://www.exemple.com.
                      • -
                      • Afficher - entrez un texte qui sera cliquable et amènera à l'adresse Web indiquée dans le champ supérieur.
                      • -
                      • Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte.
                      • -
                      -

                      Fenêtre Paramètres de lien hypertexte

                      +
                    8. Sélectionnez le type de lien que vous voulez insérer :

                      Utilisez l'option Lien externe et entrez une URL au format http://www.example.com dans le champ Lien vers si vous avez besoin d'ajouter un lien hypertexte menant vers un site externe.

                      +

                      Fenêtre Paramètres de lien hypertexte

                      +

                      Utilisez l'option Emplacement dans le document et sélectionnez l'un des titres existants dans le texte du document ou l'un des marque-pages précédemment ajoutés si vous devez ajouter un lien hypertexte menant à un certain emplacement dans le même document.

                      +

                      Fenêtre Paramètres de lien hypertexte

                      +
                    9. +
                    10. Afficher - entrez un texte qui sera cliquable et amènera à l'adresse Web indiquée dans le champ supérieur.
                    11. +
                    12. Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte.
                    13. +
              12. Cliquez sur le bouton OK.
              -

              Pour ajouter un lien hypertexte, vous pouvez également cliquer avec le bouton droit de la souris à l'endroit nécessaire et sélectionner l'option Lien hypertexte du menu contextuel pour ouvrir la fenêtre affichée ci-dessus.

              -

              Remarque : il est également possible de sélectionner un caractère, mot, combinaison de mots, passage de texte avec la souris ou en utilisant le clavier puis de cliquer sur l'icône Ajouter un lien hypertexte Icône Ajouter un lien hypertexte sur l'onglet ou de la barre d'outils supérieure ou en cliquant droit sur la sélection et en choisissant l'option Lien hypertexte du menu contextuel. Après quoi la fenêtre affichée ci-dessus s'ouvre avec le champ Afficher rempli du texte que vous avez sélectionné.

              +

              Pour ajouter un lien hypertexte, vous pouvez également utiliser la combinaison des touches Ctrl+K ou cliquer avec le bouton droit à l’emplacement choisi et sélectionner l'option Lien hypertexte du menu contextuel.

              +

              Note : il est également possible de sélectionner un caractère, un mot, une combinaison de mots, un passage de texte avec la souris ou en utilisant le clavier, puis d'ouvrir la fenêtre Paramètres de lien hypertexte comme décrit ci-dessus. Dans ce cas, le champ Afficher sera rempli avec le fragment de texte que vous avez sélectionné.

              Si vous placez le curseur sur le lien hypertexte ajouté, vous verrez l'info-bulle contenant le texte que vous avez spécifié. Pour suivre le lien appuyez sur la touche CTRL et cliquez sur le lien dans votre document.

              Pour modifier ou supprimer le lien hypertexte ajouté, cliquez-le droit, sélectionnez l'option Lien hypertexte et l'opération à effectuer - Modifier le lien hypertexte ou Supprimer le lien hypertexte.

              diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm index 2260d2fdd..2c24259ce 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm @@ -19,15 +19,46 @@
            • placez le curseur à la position où vous voulez commencer la liste ( une nouvelle ligne ou le texte déjà saisi),
            • passez à l'onglet Accueil de la barre d'outils supérieure,
            • sélectionnez le type de liste à créer :
                -
              • Liste à puces avec les marqueurs. Pour la créer, utilisez l'icône Puces Icône Liste à puces de la barre d'outils supérieure
              • -
              • Liste numérotée avec les chiffres ou les lettres. Pour la créer, utilisez l'icône Numérotation Icône Liste numérotée de la barre d'outils supérieure

                Remarque : 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 voulu.

                +
              • Liste à puces avec des marqueurs. Pour la créer, utilisez l'icône Puces Icône Liste à puces de la barre d'outils supérieure
              • +
              • Liste numérotée avec des chiffres ou des lettres. Pour la créer, utilisez l'icône Numérotation Icône Liste numérotée de la barre d'outils supérieure

                Remarque : 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.
            • -

              Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multiniveau Liste multiniveau, Réduire le retrait Réduire le retrait, et Augmenter le retrait Augmenter le retrait sur la barre d'outils supérieure.

              +

              Le programme crée également des listes numérotées automatiquement lorsque vous entrez le chiffre 1 avec un point ou une parenthèse suivis d’un espace : 1., 1). Les listes à puces peuvent être créées automatiquement lorsque vous saisissez les caractères -, * suivis d’un espace.

              +

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

              Remarque: les paramètres supplémentaires du retrait et de l'espacemente peuvent être modifiés à l'aide de la barre latérale droite et la fenêtre des paramètres avancés. 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 :

              +
                +
              1. cliquez avec le bouton droit sur le premier élément de la seconde liste,
              2. +
              3. utilisez l'option Joindre à la liste précédente du menu contextuel.
              4. +
              +

              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 :

              +
                +
              1. cliquez avec le bouton droit de la souris sur l'élément de la liste où vous voulez commencer une nouvelle liste,
              2. +
              3. sélectionnez l'option Séparer la liste du menu contextuel.
              4. +
              +

              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 :

              +
                +
              1. cliquez avec le bouton droit sur le premier élément de la seconde liste,
              2. +
              3. sélectionnez l'option Continuer la numérotation du menu contextuel.
              4. +
              +

              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 :

              +
                +
              1. 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,
              2. +
              3. sélectionnez l'option Définit la valeur de la numérotation du menu contextuel,
              4. +
              5. dans une nouvelle fenêtre qui s'ouvre, définissez la valeur numérique voulue et cliquez sur le bouton OK.
              6. +
              \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm new file mode 100644 index 000000000..ed9c85aea --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm @@ -0,0 +1,40 @@ + + + + Ajouter des marque-pages + + + + + + + +
              +
              + +
              +

              Ajouter des marque-pages

              +

              Les marque-pages permettent d’aller rapidement à une certaine position dans le document en cours ou d'ajouter un lien vers cette position dans le document.

              +

              Pour ajouter un marque-pages dans un document :

              +
                +
              1. placez le curseur de la souris au début du passage de texte à l'endroit où vous voulez ajouter le marque-pages,
              2. +
              3. passez à l'onglet Références de la barre d'outils supérieure,
              4. +
              5. cliquez sur l'icône icône Marque-pages Marque-pages de la barre d'outils supérieure,
              6. +
              7. dans la fenêtre Marque-pages qui s'ouvre, entrez le Nom du marque-pages et cliquez sur le bouton Ajouter - un marque-pages sera ajouté à la liste des marque-pages affichée ci-dessous,

                Note : le nom du marque-pages doit commencer par une lettre, mais il peut aussi contenir des chiffres. Le nom du marque-pages ne peut pas contenir d'espaces, mais peut inclure le caractère de soulignement "_".

                +

                Fenêtre Marque-pages

                +
              8. +
              +

              Pour accéder à un des marque-pages ajoutés dans le texte du document :

              +
                +
              1. cliquez sur l'icône icône Marque-page Marque-pages dans l'onglet Références de la barre d'outils supérieure,
              2. +
              3. dans la fenêtre Marque-pages qui s'ouvre, sélectionnez le marque-pages vers lequel vous voulez vous déplacer. Pour trouver facilement le marque-pages voulu dans la liste, vous pouvez trier la liste par Nom ou par Emplacement de marque-pages dans le texte du document,
              4. +
              5. cochez l'option Marque-pages cachés pour afficher les marque-pages cachés dans la liste (c'est-à-dire les marque-pages automatiquement créés par le programme lors de l'ajout de références à une certaine partie du document. Par exemple, si vous créez un lien hypertexte vers un certain titre dans le document, l'éditeur de document crée automatiquement un marque-pages caché vers la cible de ce lien).
              6. +
              7. cliquez sur le bouton Aller à - le curseur sera positionné à l'endroit du document où le marque-pages sélectionné a été ajouté,
              8. +
              9. cliquez sur le bouton Fermer pour fermer la fenêtre.
              10. +
              +

              Pour supprimer un marque-pages, sélectionnez-le dans la liste et cliquez sur le bouton Suppr.

              +

              Pour savoir comment utiliser les marque-pages lors de la création de liens, veuillez consulter la section Ajouter des liens hypertextes.

              + +
              + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm index 920b72085..02721676c 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm @@ -19,7 +19,7 @@

              Pour créer un nouveau contrôle de contenu de texte brut,

              1. positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle,
                ou sélectionnez un passage de texte que vous souhaitez transformer en contenu du contrôle.
              2. -
              3. passez à l'onglet Insérer de la barre d'outils supérieure.
              4. +
              5. passez à l'onglet Insertion de la barre d'outils supérieure.
              6. cliquez sur la flèche en regard de l'icône Icône Contrôles de contenu Contrôles de contenu.
              7. choisissez l'option Insérer un contrôle de contenu de texte brut dans le menu.
              @@ -28,13 +28,13 @@

              Pour créer un nouveau contrôle de contenu de texte enrichi,

              1. positionnez le point d'insertion à la fin d'un paragraphe après lequel vous voulez ajouter le contrôle,
                ou sélectionnez un ou plusieurs des paragraphes existants que vous voulez convertir en contenu du contrôle.
              2. -
              3. passez à l'onglet Insérer de la barre d'outils supérieure.
              4. +
              5. passez à l'onglet Insertion de la barre d'outils supérieure.
              6. cliquez sur la flèche en regard de l'icône Icône Contrôles de contenu Contrôles de contenu.
              7. choisissez l'option Insérer un contrôle de contenu de texte enrichi dans le menu.

              Le contrôle sera inséré dans un nouveau paragraphe. Les contrôles de contenu de texte enrichi permettent d'ajouter des sauts de ligne, c'est-à-dire peuvent contenir plusieurs paragraphes ainsi que certains objets, tels que des images, des tableaux, d'autres contrôles de contenu, etc.

              Contrôle du contenu de texte enrichi

              -

              Remarque: La bordure du contrôle de contenu est visible uniquement lorsque le contrôle est sélectionné. Les bordures n'apparaissent pas sur une version imprimée.

              +

              Remarque : La bordure du contrôle de contenu est visible uniquement lorsque le contrôle est sélectionné. Les bordures n'apparaissent pas sur une version imprimée.

              Déplacer des contrôles de contenu

              Les contrôles peuvent être déplacés à un autre endroit du document: cliquez sur le bouton à gauche de la bordure de contrôle pour sélectionner le contrôle et faites-le glisser sans relâcher le bouton de la souris à un autre endroit dans le texte du document.

              Déplacer des contrôles de contenu

              @@ -51,7 +51,8 @@

              Une nouvelle fenêtre s'ouvrira où vous pourrez ajuster les paramètres suivants:

              Fenêtre des paramètres de contrôle du contenu

                -
              • Spécifiez le Titre ou l'Étiquette du contrôle de contenu dans les champs correspondants.
              • +
              • Spécifiez le Titre ou l'Étiquette du contrôle de contenu dans les champs correspondants. Le titre s'affiche lorsque le contrôle est sélectionné dans le document. Les étiquettes sont utilisées pour identifier les contrôles de contenu afin que vous puissiez y faire référence dans votre code.
              • +
              • Choisissez si vous voulez afficher le contrôle de contenu avec une Zone de délimitation ou non. Utilisez l'option Aucune pour afficher le contrôle sans la zone de délimitation. Si vous sélectionnez l'option Zone de délimitation, vous pouvez choisir la Couleur de cette zone à l'aide du champ ci-dessous.
              • Empêchez le contrôle de contenu d'être supprimé ou modifié en utilisant l'option de la section Verrouillage:
                • Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu.
                • Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification.
                • @@ -59,6 +60,14 @@

                cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements.

                +

                Il est également possible de surligner les contrôles de contenu avec une certaine couleur. Pour surligner les contrôles avec une couleur :

                +
                  +
                1. Cliquez sur le bouton situé à gauche de la bordure du champ pour sélectionner le champ,
                2. +
                3. Cliquez sur la flèche à côté de l'icône Icône Contrôles de contenu Contrôles de contenu dans la barre d'outils supérieure,
                4. +
                5. Sélectionnez l'option Paramètres de surlignage du menu contextuel,
                6. +
                7. Sélectionnez la couleur souhaitée dans les palettes disponibles : Couleurs du thème, Couleurs standard ou spécifiez une nouvelle Couleur personnalisée. Pour supprimer la surbrillance des couleurs précédemment appliquée, utilisez l'option Pas de surbrillance.
                8. +
                +

                Les options de surbrillance sélectionnées seront appliquées à tous les contrôles de contenu du document.

                Retirer des contrôles de contenu

                Pour supprimer un contrôle et laisser tout son contenu, cliquez sur le contrôle de contenu pour le sélectionner, puis procédez de l'une des façons suivantes:

                  diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm index fc4245ee0..d84c48a42 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm @@ -18,12 +18,12 @@

                  Insérer une image

                  Pour insérer une image dans votre document de texte,

                    -
                  1. placez le curseur là où vous voulez insérer une image,
                  2. -
                  3. passez à l'onglet Insérer de la barre d'outils supérieure,
                  4. -
                  5. cliquez sur l'icône de la barre d'outils supérieure icône Insérer une image Insérer une image,
                  6. +
                  7. placez le curseur là où vous voulez insérer l'image,
                  8. +
                  9. passez à l'onglet Insertion de la barre d'outils supérieure,
                  10. +
                  11. cliquez sur l'icône icône Image Imagede la barre d'outils supérieure,
                  12. sélectionnez l'une des options suivantes pour charger l'image :
                      -
                    • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue Windows standard pour sélectionner le fichier. Sélectionnez le fichier recherché sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir
                    • -
                    • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image. Saisissez l'adresse Web nécessaire et cliquez sur le bouton OK
                    • +
                    • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir
                    • +
                    • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK
                  13. après avoir ajouté l'image, vous pouvez modifier sa taille, ses propriétés et sa position.
                  14. @@ -33,13 +33,14 @@

                    Pour modifier la position de l'image, utilisez l'icône Flèche qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'image à la position nécessaire sans relâcher le bouton de la souris.

                    Lorsque vous déplacez l'image, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné).

                    Pour faire pivoter l'image, placez le curseur de la souris sur la poignée de rotation ronde Poignée de rotation et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée.

                    -
                    +

                    Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici.

                    +

                    Ajuster les paramètres de l'image

                    -

                    Onglet Paramètres de l'imageCertains paramètres de l'image peuvent être modifiés dans l'onglet Paramètres de l'image de la barre latérale droite. Pour l'activer, cliquez sur l'image et sélectionnez l'icône Paramètres de l'image Paramètres de l'image à droite. Vous y pouvez modifier les paramètres suivants :

                    +

                    Onglet Paramètres de l'imageCertains paramètres de l'image peuvent être modifiés dans l'onglet Paramètres de l'image de la barre latérale droite. Pour l'activer, cliquez sur l'image et sélectionnez l'icône Paramètres de l'image Paramètres de l'image à droite. Vous pouvez y modifier les paramètres suivants :

                      -
                    • Taille est utilisée pour afficher la et la de l'image actuelle. Si nécessaire, vous pouvez restaurer la taille d'image par défaut en cliquant sur le bouton Taille par défaut. Le bouton Ajuster à la marge permet de redimensionner l'image, de sorte qu'elle occupe tout l'espace entre les marges gauche et droite de la page.
                    • +
                    • Taille est utilisée pour afficher la Largeur et la Hauteur de l'image actuelle. Si nécessaire, vous pouvez restaurer la taille d'image par défaut en cliquant sur le bouton Taille par défaut. Le bouton Ajuster à la marge permet de redimensionner l'image, de sorte qu'elle occupe tout l'espace entre les marges gauche et droite de la page.
                    • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous).
                    • -
                    • Remplacer image sert à remplacer l'image actuelle et charger une autre à partir d'un fichier ou d'une URL.
                    • +
                    • Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL.

                    Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes :

                      @@ -48,15 +49,16 @@
                    • Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page.
                    • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. 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
                    • Taille par défaut sert à changer la taille actuelle de l'image ou rétablir la taille par défaut.
                    • +
                    • Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL.
                    • Paramètres avancés sert à ouvrir la fenêtre 'Image - Paramètres avancés'.
                    -

                    Onglet Paramètres de la forme Lorsque l'image est sélectionnée, l'icône Paramètres de forme Paramètres de la forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type, la taille et la couleur de Contour ainsi que changer le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence.

                    +

                    Onglet Paramètres de la forme Lorsque l'image est sélectionnée, l'icône Paramètres de forme Paramètres de la forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type de contour, la taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence.


                    -

                    Pour modifier les paramètres avancés, cliquez sur l'image avec le bouton droit de la souris et sélectionnez Paramètres avancés du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher paramètres avancés. La fenêtre des propriétés de l'image sera ouverte :

                    +

                    Pour modifier les paramètres avancés de l’image, cliquez sur celle-ci avec le bouton droit de la souris et sélectionnez Paramètres avancés du menu contextuel ou cliquez sur le lien Afficher les paramètres avancés de la barre latérale droite. La fenêtre des propriétés de l'image sera ouverte :

                    Image - Paramètres avancés : Taille

                    -

                    L'onglet Taille comporte les paramètres suivants :

                    +

                    L'onglet Taille comporte les paramètres suivants :

                      -
                    • Largeur et Hauteur - utilisez ces options pour modifier langeur / hauteur de l'image. Si le bouton Proportions constantes Icône Proportions constantes est cliqué (dans ce cas il ressemble à ceci Icône Proportions constantes activée), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut.
                    • +
                    • Largeur et Hauteur - utilisez ces options pour modifier langeur / hauteur de l'image. Si le bouton Proportions constantes Icône Proportions constantes est cliqué(auquel cas il ressemble à ceci Icône Proportions constantes activée), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut.

                    Image - Paramètres avancés : Habillage du texte

                    L'onglet Habillage du texte contient les paramètres suivants :

                    @@ -76,7 +78,7 @@

                Si vous avez choisi le style 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, droit, gauche).

                Image - Paramètres avancés : Position

                -

                L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Cet onglet contient les paramètres suivants qui varient selon le type d'habillage sélectionné :

                +

                L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné :

                • La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants :
                  • Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite,
                  • @@ -93,7 +95,7 @@
                  • Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel elle est alignée.
                  • Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page.
                  -

                  Image - Paramètres avancés :

                  +

                  Image - Paramètres avancés

                  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 de l'image.

                  diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm index 8f6be4185..1048e3a97 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm @@ -14,10 +14,10 @@

                  Régler les paramètres de page

                  -

                  Pour modifier la mise en page, c'est-à-dire définir l'orientation et la taille de la page, ajuster les marges et insérer des colonnes, utilisez les icônes correspondantes dans l'onglet Disposition de la barre d'outils supérieure.

                  +

                  Pour modifier la mise en page, c'est-à-dire définir l'orientation et la taille de la page, ajuster les marges et insérer des colonnes, utilisez les icônes correspondantes dans l'onglet Mise en page de la barre d'outils supérieure.

                  Remarque: tous ces paramètres sont appliqués au document entier. Si vous voulez définir de différentes marges de page, l'orientation, la taille, ou le numéro de colonne pour les parties différentes de votre document, consultez cette page.

                  Orientation de page

                  -

                  Changez l'orientation de page actuelle en cliquant sur l'icône Orientation de page Icône Orientation. Le type d'orientation par défaut est Portrait qui peut être commuté sur Paysage.

                  +

                  Changez l'orientation de page actuelle en cliquant sur l'icône Orientation de page Icône Orientation. Le type d'orientation par défaut est Portrait qui peut être commuté sur Album.

                  Taille de la page

                  Changez le format A4 par défaut en cliquant sur l'icône Taille de la page icône Taille de la page et sélectionnez la taille nécessaire dans la liste. Les formats offerts sont les suivants :

                    @@ -35,7 +35,7 @@
                  • Envelope Choukei 3 (11,99cm x 23,49cm)
                  • Super B/A3 (33,02cm x 48,25cm)
                  -

                  Vous pouvez définir une taille de la page particulière en utilisant l'option Taille personnalisée dans la liste. Dans la fenêtre Taille de la page vous pouvez définir les valeurs nécessaires Largeur et Hauteur. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements.

                  +

                  Vous pouvez définir une taille de la page particulière en utilisant l'option Taille personnalisée dans la liste. La fenêtre Taille de la page s'ouvrira où vous pourrez sélectionner le Préréglage voulu (US Letter, US Legal, A4, A5, B5, Enveloppe #10, Enveloppe DL, Tabloid, AЗ, Tabloid Oversize, ROC 16K, Enveloppe Choukei 3, Super B/A3, A0, A1, A2, A6) ou définir des valeurs personnalisées de Largeur et Hauteur. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements.

                  Custom Page Size

                  Marges de la page

                  Modifiez les marges par défaut, c-à-d l’espace entre les bords de la page et le texte du paragraphe, en cliquant sur l'icône icône Marges de page Marges et sélectionnez un des paramètres prédéfinis : Normal, US Normal, Étroit, Modérer, Large. Vous pouvez aussi utiliser l'option Marges personnalisées pour définir les valeurs nécessaires dans la fenêtre Marges qui s'ouvre. Entrez les valeurs des marges Haut, Bas, Gauche et Droite de la page dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK. Les marges personnalisées seront appliquées au document actuel et l'option Dernière mesure avec les paramètres spécifiés apparaît dans la liste des Marges de la page icône Marges de page pour que vous puissiez les appliquer à d'autres documents.

                  @@ -52,7 +52,7 @@

                Si vous souhaitez ajuster les paramètres de colonne, sélectionnez l'option Colonnes personnalisées dans la liste. La fenêtre Colonnes s'ouvrira où vous pourrez définir le Nombre de colonnes nécessaire (il est possible d'ajouter jusqu'à 12 colonnes) et l'Espacement entre les colonnes. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Cochez la case Diviseur de colonne pour ajouter une ligne verticale entre les colonnes. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements.

                Colonnes personnalisées

                -

                Pour spécifier exactement la position d'une nouvelle colonne, placez le curseur avant le texte à déplacer dans une nouvelle colonne, cliquez sur l'icône Icône Sauts de page Sauts de page de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de colonne. Le texte sera déplacé vers la colonne suivante.

                +

                Pour spécifier exactement la position d'une nouvelle colonne, placez le curseur avant le texte à déplacer dans une nouvelle colonne, cliquez sur l'icône icône Saut de section Sauts de page de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de colonne. Le texte sera déplacé vers la colonne suivante.

                Les sauts de colonne ajoutés sont indiqués dans votre document par une ligne pointillée: Saut de colonne. Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône Icône Caractères non imprimables de l'onglet Accueil de la barre d'outils supérieure pour les afficher. Pour supprimer un saut de colonne,sélectionnez-le avec le souris et appuyez sur une touche Supprimer.

                Pour modifier manuellement la largeur et l'espacement entre les colonnes, vous pouvez utiliser la règle horizontale.

                Espacemment entre les colonnes

                diff --git a/apps/documenteditor/main/resources/help/fr/editor.css b/apps/documenteditor/main/resources/help/fr/editor.css index cf3e4f141..465b9fbe1 100644 --- a/apps/documenteditor/main/resources/help/fr/editor.css +++ b/apps/documenteditor/main/resources/help/fr/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 35%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,16 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/images/viewsettingsicon.png b/apps/documenteditor/main/resources/help/fr/images/viewsettingsicon.png index 02a46ce28..e13ec992d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/viewsettingsicon.png and b/apps/documenteditor/main/resources/help/fr/images/viewsettingsicon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/search/indexes.js b/apps/documenteditor/main/resources/help/fr/search/indexes.js index 3acdf2355..7c7c78cca 100644 --- a/apps/documenteditor/main/resources/help/fr/search/indexes.js +++ b/apps/documenteditor/main/resources/help/fr/search/indexes.js @@ -13,7 +13,7 @@ var indexes = { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Edition collaborative des documents", - "body": "Document Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut : accès simultané au document édité par plusieurs utilisateurs indication visuelle des fragments qui sont en train d'être édités par d'autres utilisateurs synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties du document commentaires avec la description d'une tâche ou d'un problème à résoudre Edition collaborative Document Editor permet de sélectionner l'un des deux modes de coédition disponibles. Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: Lorsqu'un document est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les passages de texte modifiés sont marqués avec des lignes pointillées de couleurs différentes. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence et vous permettra de gérer les utilisateurs qui ont accès au fichier : inviter de nouveaux utilisateurs en leur donnant les permissions pour modifier, lire ou réviser le document ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier ; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et installer des mises à jour cliquez sur l'icône dans le coin gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié. Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs : cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône dans la barre latérale gauche ou sur le bouton Chat dans la barre d'outils supérieure. Commentaires Pour laisser un commentaire : sélectionnez le fragment du texte que vous voulez commenter, passez à l'onglet Insérer ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire. Le fragment du texte commenté sera marqué dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône . Pour gérer les commentaires ajoutés, procédez de la manière suivante : pour les modifier, cliquez sur l'icône , pour les supprimer, cliquez sur l'icône , fermez la discussion en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront mis en évidence que si vous cliquez sur l'icône . Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Pour fermer le panneau avec les commentaires cliquez sur l'icône encore une fois." + "body": "Document Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut : accès simultané au document édité par plusieurs utilisateurs indication visuelle des fragments qui sont en train d'être édités par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties du document commentaires avec la description d'une tâche ou d'un problème à résoudre Edition collaborative Document Editor permet de sélectionner l'un des deux modes de coédition disponibles. Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: Lorsqu'un document est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les passages de texte modifiés sont marqués avec des lignes pointillées de couleurs différentes. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence et vous permettra de gérer les utilisateurs qui ont accès au fichier : inviter de nouveaux utilisateurs en leur donnant les permissions pour modifier, lire ou réviser le document ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier ; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié. Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs : cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône dans la barre latérale gauche ou sur le bouton Chat dans la barre d'outils supérieure. Commentaires Pour laisser un commentaire : sélectionnez le fragment du texte que vous voulez commenter, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire. Le fragment du texte commenté sera marqué dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône . Pour gérer les commentaires ajoutés, procédez de la manière suivante : pour les modifier, cliquez sur l'icône , pour les supprimer, cliquez sur l'icône , fermez la discussion en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront mis en évidence que si vous cliquez sur l'icône . Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Pour fermer le panneau avec les commentaires cliquez sur l'icône encore une fois." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -57,8 +57,8 @@ var indexes = }, { "id": "ProgramInterface/InsertTab.htm", - "title": "Onglet Insérer", - "body": "L'onglet Insérer permet d'ajouter des éléments de mise en page, ainsi que des objets visuels et des commentaires. Dans cet onglet vous pouvez : insérer des sauts de page, des sauts de section et des sauts de colonne, insérer des en-têtes et pieds de page et des numéros de page, insérer des tableaux, des images, des graphiques, des formes, insérer des liens hypertexte, et des commentaires, insérer des des zones de texte et des objets Text Art, des équations, des lettrines, des contrôles de contenu." + "title": "Onglet Insertion", + "body": "L'onglet Insertion permet d'ajouter des éléments de mise en page, ainsi que des objets visuels et des commentaires. En utilisant cet onglet, vous pouvez : insérer des sauts de page, des sauts de section et des sauts de colonne, insérer des en-têtes et pieds de page et des numéros de page, insérer des tableaux, des images, des graphiques, des formes, insérer des liens hypertexte, et des commentaires, insérer des des zones de texte et des objets Text Art, des équations, des lettrines, des contrôles de contenu." }, { "id": "ProgramInterface/LayoutTab.htm", @@ -73,7 +73,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Présentation de l'interface de Document Editor", - "body": "Document Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. L'interface de l'éditeur est composée des éléments principaux suivants : L'En-tête de l'éditeur affiche le logo, les onglets de menu, le nom du document ainsi que deux icônes sur la droite qui permettent de définir les droits d'accès et de revenir à la liste des documents. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insérer, Disposition, Références, Collaboration, Modules complémentaires.Les options Imprimer, Enregistrer, Copier, Coller, Annuler et Rétablir sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page, affiche certaines notifications (telles que \"Toutes les modifications sauvegardées\", etc.), permet de définir la langue du texte, activer la vérification orthographique, activer le mode suivi des modifications, régler le zoom. La Barre latérale gauche contient des icônes qui permettent d'utiliser l'outil de Recherche, d'ouvrir les panneaux Commentaires, Discussion et Navigation, de contacter notre équipe de support et d'afficher les informations sur le programme. La Barre latérale droite permet d'ajuster des paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier dans le texte, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales permettent d'aligner le texte et d'autres éléments dans un document, définir des marges, des taquets et des retraits de paragraphe. La Zone de travail permet d'afficher le contenu du document, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler vers le haut et vers le bas des documents multi-page. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." + "body": "Document Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. L'interface de l'éditeur est composée des éléments principaux suivants : L'En-tête de l'éditeur affiche le logo, les onglets de menu, le nom du document ainsi que trois icônes sur la droite qui permettent de définir les droits d'accès, de revenir à la liste des documents, de modifier les Paramètres d'affichage et d’accéder aux Paramètres avancés de l'éditeur. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Disposition, Références, Collaboration, Modules complémentaires.Les options Imprimer, Enregistrer, Copier, Coller, Annuler et Rétablir sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre d'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page, affiche certaines notifications (telles que \"Toutes les modifications sauvegardées\", etc.), permet de définir la langue du texte, activer la vérification orthographique, activer le mode suivi des modifications, régler le zoom. La Barre latérale gauche contient des icônes qui permettent d'utiliser l'outil de Recherche, d'ouvrir les panneaux Commentaires, Discussion et Navigation, de contacter notre équipe de support et d'afficher les informations sur le programme. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier dans le texte, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales permettent d'aligner le texte et d'autres éléments dans un document, définir des marges, des taquets et des retraits de paragraphe. La Zone de travail permet d'afficher le contenu du document, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler vers le haut et vers le bas des documents multi-page. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." }, { "id": "ProgramInterface/ReferencesTab.htm", @@ -93,7 +93,7 @@ var indexes = { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Ajouter des liens hypertextes", - "body": "Pour ajouter un lien hypertexte, placez le curseur là où vous voulez insérer un lien hypertexte, passez à l'onglet Insérer ou Références de la barre d'outils supérieure, cliquez sur l'icône Ajouter un lien hypertexte de la barre d'outils supérieure, dans la fenêtre ouverte précisez les paramètres du lien hypertexte : Lien vers - entrez une URL au format http://www.exemple.com. Afficher - entrez un texte qui sera cliquable et amènera à l'adresse Web indiquée dans le champ supérieur. Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte. Cliquez sur le bouton OK. Pour ajouter un lien hypertexte, vous pouvez également cliquer avec le bouton droit de la souris à l'endroit nécessaire et sélectionner l'option Lien hypertexte du menu contextuel pour ouvrir la fenêtre affichée ci-dessus. Remarque : il est également possible de sélectionner un caractère, mot, combinaison de mots, passage de texte avec la souris ou en utilisant le clavier puis de cliquer sur l'icône Ajouter un lien hypertexte sur l'onglet ou de la barre d'outils supérieure ou en cliquant droit sur la sélection et en choisissant l'option Lien hypertexte du menu contextuel. Après quoi la fenêtre affichée ci-dessus s'ouvre avec le champ Afficher rempli du texte que vous avez sélectionné. Si vous placez le curseur sur le lien hypertexte ajouté, vous verrez l'info-bulle contenant le texte que vous avez spécifié. Pour suivre le lien appuyez sur la touche CTRL et cliquez sur le lien dans votre document. Pour modifier ou supprimer le lien hypertexte ajouté, cliquez-le droit, sélectionnez l'option Lien hypertexte et l'opération à effectuer - Modifier le lien hypertexte ou Supprimer le lien hypertexte." + "body": "Pour ajouter un lien hypertexte, placez le curseur là où vous voulez insérer un lien hypertexte, passez à l'onglet Insertion ou Références de la barre d'outils supérieure, cliquez sur l'icône Ajouter un lien hypertexte de la barre d'outils supérieure, dans la fenêtre ouverte précisez les paramètres du lien hypertexte : Sélectionnez le type de lien que vous voulez insérer :Utilisez l'option Lien externe et entrez une URL au format http://www.example.com dans le champ Lien vers si vous avez besoin d'ajouter un lien hypertexte menant vers un site externe. Utilisez l'option Emplacement dans le document et sélectionnez l'un des titres existants dans le texte du document ou l'un des marque-pages précédemment ajoutés si vous devez ajouter un lien hypertexte menant à un certain emplacement dans le même document. Afficher - entrez un texte qui sera cliquable et amènera à l'adresse Web indiquée dans le champ supérieur. Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte. Cliquez sur le bouton OK. Pour ajouter un lien hypertexte, vous pouvez également utiliser la combinaison des touches Ctrl+K ou cliquer avec le bouton droit à l’emplacement choisi et sélectionner l'option Lien hypertexte du menu contextuel. Note : il est également possible de sélectionner un caractère, un mot, une combinaison de mots, un passage de texte avec la souris ou en utilisant le clavier, puis d'ouvrir la fenêtre Paramètres de lien hypertexte comme décrit ci-dessus. Dans ce cas, le champ Afficher sera rempli avec le fragment de texte que vous avez sélectionné. Si vous placez le curseur sur le lien hypertexte ajouté, vous verrez l'info-bulle contenant le texte que vous avez spécifié. Pour suivre le lien appuyez sur la touche CTRL et cliquez sur le lien dans votre document. Pour modifier ou supprimer le lien hypertexte ajouté, cliquez-le droit, sélectionnez l'option Lien hypertexte et l'opération à effectuer - Modifier le lien hypertexte ou Supprimer le lien hypertexte." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -133,7 +133,7 @@ var indexes = { "id": "UsageInstructions/CreateLists.htm", "title": "Créer des listes", - "body": "Pour créer une liste dans votre document, placez le curseur à la position où vous voulez commencer la liste ( une nouvelle ligne ou le texte déjà saisi), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type de liste à créer : Liste à puces avec les marqueurs. Pour la créer, utilisez l'icône Puces de la barre d'outils supérieure Liste numérotée avec les chiffres ou les lettres. Pour la créer, utilisez l'icône Numérotation de la barre d'outils supérieureRemarque : 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 voulu. 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. Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multiniveau , Réduire le retrait , et Augmenter le retrait sur la barre d'outils supérieure. Remarque: les paramètres supplémentaires du retrait et de l'espacemente peuvent être modifiés à l'aide de la barre latérale droite et la fenêtre des paramètres avancés. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe." + "body": "Pour créer une liste dans votre document, placez le curseur à la position où vous voulez commencer la liste ( une nouvelle ligne ou le texte déjà saisi), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type de liste à créer : Liste à puces avec des marqueurs. Pour la créer, utilisez l'icône Puces de la barre d'outils supérieure Liste numérotée avec des chiffres ou des lettres. Pour la créer, utilisez l'icône Numérotation de la barre d'outils supérieureRemarque : 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. Le programme crée également des listes numérotées automatiquement lorsque vous entrez le chiffre 1 avec un point ou une parenthèse suivis d’un espace : 1., 1). Les listes à puces peuvent être créées automatiquement lorsque vous saisissez les caractères -, * suivis d’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 sur la barre d'outils supérieure. Remarque: les paramètres supplémentaires du retrait et de l'espacemente peuvent être modifiés à l'aide de la barre latérale droite et la fenêtre des paramètres avancés. 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." }, { "id": "UsageInstructions/CreateTableOfContents.htm", @@ -160,6 +160,11 @@ var indexes = "title": "Insérer des formes automatiques", "body": "Insérer une forme automatique Pour insérer une forme automatique à votre document, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles : Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique nécessaire du groupe sélectionné, placez le curseur de la souris là où vous voulez insérer la forme, après avoir ajouté la forme automatique vous pouvez modifier sa taille, sa position et ses propriétés.Remarque: pour ajouter une légende à la forme, assurez-vous que la forme est sélectionnée et commencez à taper le texte. Le texte que vous ajoutez fait partie de la forme (ainsi si vous déplacez ou faites pivoter la forme, le texte change de position lui aussi). Déplacer et redimensionner des formes automatiques Pour modifier la taille de la forme automatique, faites glisser les petits carreaux situés sur les bords de la forme. Pour garder les proportions de la forme automatique sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Lors de la modification des formes, par exemple des flèches figurées ou les légendes, l'icône jaune en forme de diamant est aussi disponible. Elle permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier la position de la forme automatique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur la forme. Faites glisser la forme à la position nécessaire sans relâcher le bouton de la souris. Lorsque vous déplacez la forme automatique, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour déplacer la forme automatique de trois incréments, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer la forme automatique strictement horizontallement / verticallement et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du déplacement. Pour faire pivoter la forme automatique, placez le curseur de la souris sur la poignée de rotation ronde et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Régler les paramètres de la forme automatique Pour aligner et organiser les formes automatiques, utilisez le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer la forme automatique choisie au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper les formes pour effectuer des opérations avec plusieurs formes à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner la forme à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. 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. Paramètres avancés sert à ouvrir la fenêtre 'Forme - Paramètres avancés'. Certains paramètres de la forme automatique peuvent être modifiés en utilisant l'onglet Paramètres de la forme de la barre latérale droite. Pour l'activer, sélectionnez la forme ajoutée avec la souris et sélectionnez l'icône Paramètres de la forme à droite. Vous pouvez y modifier les paramètres suivants : Remplissage - utilisez cette section pour sélectionner le remplissage de la forme automatique. Les options disponibles sont les suivantes : Couleur - sélectionnez cette option pour spécifier la couleur unie à remplir l'espace intérieur de la forme automatique sélectionnée. Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix : Dégradé - sélectionnez cette option pour specifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Style - choisissez une des options disponibles : Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle). Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes : du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle. Dégradé - cliquez sur le curseur de dégradé gauche au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé. Image ou texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que arrière-plan de la forme, vous pouvez ajouter l'image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte. Si vous souhaitez utiliser une texture en tant que arrière-plan de la forme, utilisez le menu déroulant D'une texture et sélectionnez le préréglage de la texture voulue.Actuellement, les textures suivantes sont disponibles : Toile, Carton, Tissu foncé, Grain, Granit, Papier gris, Tricot, Cuir, Papier brun, Papyrus, Bois. Si l'Image sélectionnée est plus grande ou plus petite que la forme automatique, vous pouvez choisir parmi les options : Étirement ou Mosaïque depuis la liste déroulante.L'option Étirement permet de régler la taille de l'image pour l'adapter à la taille de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. L'option Mosaïque permet d'afficher seulement une partie de l'image plus grande en gardant ses dimensions d'origine, ou de répéter l'image plus petite en conservant ses dimensions initiales sur la surface de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. Remarque : tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet Étirement si nécessaire. Modèle - sélectionnez cette option pour sélectionner le modèle à deux couleurs composé des éléments répétés. Modèle - sélectionnez un des modèles prédéfinis du menu. Couleur de premier plan - cliquez sur cette palette de couleurs pour changer la couleur des éléments du modèle. Couleur d'arrière-plan - cliquez sur cette palette de couleurs pour changer de l'arrière-plan du modèle. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser de remplissage. Opacité - utilisez cette section pour régler le niveau d'Opacité des formes automatiques en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Contour - utilisez cette section pour changer la largeur et la couleur du contour de la forme automatique. Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de contour. Pour changer la couleur du contour, cliquez sur la case colorée et sélectionnez la couleur voulue. Pour modifier le type de contour, sélectionnez l'option voulue dans la liste déroulante correspondante (une ligne continue est appliquée par défaut, vous pouvez la remplacer par l'une des lignes pointillées disponibles). Style d'habillage - utilisez cette section pour sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Modifier la forme - utilisez cette section pour remplacer la forme automatique insérée par une autre sélectionnée de la liste déroulante. Pour changer les paramètres avancés de la forme automatique, cliquez sur la forme avec le bouton droit et sélectionnez l'option Paramètres avancés dans le menu ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre \"Forme - Paramètres avancés\" s'ouvre : L'onglet Taille vous permet de régler les paramètres suivants : Largeur - utilisez l'une de ces options pour modifier la largeur de la forme automatique. Absolue - spécifiez une valeur exacte mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...). Relatif - spécifiez un pourcentage relatif à la largeur de la marge de gauche, la marge (c'est-à-dire la distance entre les marges gauche et droite), la largeur de la page ou la largeur de la marge de droite. Hauteur - utilisez l'une de ces options pour modifier la hauteur de la forme automatique. Absolue - spécifiez une valeur exacte mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...). Relatif - spécifiez un pourcentage relatif à la marge (c'est-à-dire la distance entre les marges supérieure et inférieure), la hauteur de la marge inférieure, la hauteur de la page ou la hauteur de la marge supérieure. Si l'option Verrouiller le ratio d'aspect est cochée, la largeur et la hauteur seront modifiées en conservant le ratio d'aspect original. L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la façon dont la forme est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - la forme fait partie du texte, comme un caractère, ainsi si le texte est déplacé, la forme 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 la forme. Rapproché - le texte est ajusté sur le contour de la forme. Au travers - le texte est ajusté autour des bords de la forme et occupe l'espace vide à l'intérieur d'elle. 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 la forme. Devant le texte - la forme est affichée sur le texte. Derrière le texte - le texte est affiché sur la forme. Si vous avez choisi le style 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, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de forme automatique suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement de forme automatique suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si la forme automatique se déplace en même temps que le texte sur lequel elle est alignée. Chevauchement détermine si deux formes automatiques sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. L'onglet Paramètres de la forme contient les paramètres suivants : Style de ligne - ce groupe d'options vous permet de spécifier les paramètres suivants : Type d'extrémité - cette option permet de définir le style de l'extrémité de la ligne, par conséquent elle peut être appliquée seulement aux formes avec un contour ouvert telles que des lignes, des polylignes etc.: Plat - les points finaux seront plats. Arrondi - les points finaux seront arrondis. Carré - les points finaux seront carrés. Type de jointure - cette option permet de définir le style de l'intersection de deux lignes : par exemple, une polyligne, les coins du triangle ou le contour du rectangle : Arrondi - le coin sera arrondi. Biseauté - le coin sera coupé d'une manière angulaire. Onglet - l'angle sera aiguisé. Bien adapté pour les formes à angles nets. Remarque : l'effet sera plus visible si vous utilisez un contour plus épais. Flèches - ce groupe d'options est disponible pour les formes du groupe Lignes. Il permet de définir le Style de début et Style de fin aussi bien que la Taille des flèches en sélectionnant l'option appropriée de la liste déroulante. L'onglet Marges vous permet de changer les marges internes En haut, En bas, A gauche et A droite (c'est-à-dire la distance entre le texte à l'intérieur de la forme et les bordures de la forme automatique). Remarque : cet onglet n'est disponible que si du texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. 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 de la forme." }, + { + "id": "UsageInstructions/InsertBookmarks.htm", + "title": "Ajouter des marque-pages", + "body": "Les marque-pages permettent d’aller rapidement à une certaine position dans le document en cours ou d'ajouter un lien vers cette position dans le document. Pour ajouter un marque-pages dans un document : placez le curseur de la souris au début du passage de texte à l'endroit où vous voulez ajouter le marque-pages, passez à l'onglet Références de la barre d'outils supérieure, cliquez sur l'icône Marque-pages de la barre d'outils supérieure, dans la fenêtre Marque-pages qui s'ouvre, entrez le Nom du marque-pages et cliquez sur le bouton Ajouter - un marque-pages sera ajouté à la liste des marque-pages affichée ci-dessous,Note : le nom du marque-pages doit commencer par une lettre, mais il peut aussi contenir des chiffres. Le nom du marque-pages ne peut pas contenir d'espaces, mais peut inclure le caractère de soulignement \"_\". Pour accéder à un des marque-pages ajoutés dans le texte du document : cliquez sur l'icône Marque-pages dans l'onglet Références de la barre d'outils supérieure, dans la fenêtre Marque-pages qui s'ouvre, sélectionnez le marque-pages vers lequel vous voulez vous déplacer. Pour trouver facilement le marque-pages voulu dans la liste, vous pouvez trier la liste par Nom ou par Emplacement de marque-pages dans le texte du document, cochez l'option Marque-pages cachés pour afficher les marque-pages cachés dans la liste (c'est-à-dire les marque-pages automatiquement créés par le programme lors de l'ajout de références à une certaine partie du document. Par exemple, si vous créez un lien hypertexte vers un certain titre dans le document, l'éditeur de document crée automatiquement un marque-pages caché vers la cible de ce lien). cliquez sur le bouton Aller à - le curseur sera positionné à l'endroit du document où le marque-pages sélectionné a été ajouté, cliquez sur le bouton Fermer pour fermer la fenêtre. Pour supprimer un marque-pages, sélectionnez-le dans la liste et cliquez sur le bouton Suppr. Pour savoir comment utiliser les marque-pages lors de la création de liens, veuillez consulter la section Ajouter des liens hypertextes." + }, { "id": "UsageInstructions/InsertCharts.htm", "title": "Insérer des graphiques", @@ -168,7 +173,7 @@ var indexes = { "id": "UsageInstructions/InsertContentControls.htm", "title": "Insérer des contrôles de contenu", - "body": "À l'aide des contrôles de contenu, vous pouvez créer un formulaire avec des champs de saisie pouvant être renseignés par d'autres utilisateurs ou protéger certaines parties du document contre l'édition ou la suppression. Les contrôles de contenu sont des objets contenant du texte pouvant être mis en forme. Les contrôles de contenu de texte brut ne peuvent pas contenir plus d'un paragraphe, tandis que les contrôles de contenu en texte enrichi peuvent contenir plusieurs paragraphes, listes et objets (images, formes, tableaux, etc.). Ajouter des contrôles de contenu Pour créer un nouveau contrôle de contenu de texte brut, positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle, ou sélectionnez un passage de texte que vous souhaitez transformer en contenu du contrôle. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu de texte brut dans le menu. Le contrôle sera inséré au point d'insertion dans une ligne du texte existant. Les contrôles de contenu de texte brut ne permettent pas l'ajout de sauts de ligne et ne peuvent pas contenir d'autres objets tels que des images, des tableaux, etc. Pour créer un nouveau contrôle de contenu de texte enrichi, positionnez le point d'insertion à la fin d'un paragraphe après lequel vous voulez ajouter le contrôle, ou sélectionnez un ou plusieurs des paragraphes existants que vous voulez convertir en contenu du contrôle. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu de texte enrichi dans le menu. Le contrôle sera inséré dans un nouveau paragraphe. Les contrôles de contenu de texte enrichi permettent d'ajouter des sauts de ligne, c'est-à-dire peuvent contenir plusieurs paragraphes ainsi que certains objets, tels que des images, des tableaux, d'autres contrôles de contenu, etc. Remarque: La bordure du contrôle de contenu est visible uniquement lorsque le contrôle est sélectionné. Les bordures n'apparaissent pas sur une version imprimée. Déplacer des contrôles de contenu Les contrôles peuvent être déplacés à un autre endroit du document: cliquez sur le bouton à gauche de la bordure de contrôle pour sélectionner le contrôle et faites-le glisser sans relâcher le bouton de la souris à un autre endroit dans le texte du document. Vous pouvez également copier et coller des contrôles de contenu: sélectionnez le contrôle voulu et utilisez les combinaisons de touches Ctrl+C/Ctrl+V. Modifier des contrôles de contenu Remplacez le texte par défaut dans le contrôle (\"Votre texte ici\") par votre propre texte: sélectionnez le texte par défaut, et tapez un nouveau texte ou copiez un passage de texte de n'importe où et collez-le dans le contrôle de contenu. Le texte contenu dans le contrôle de contenu (texte brut ou texte enrichi) peut être formaté à l'aide des icônes de la barre d'outils supérieure: vous pouvez ajuster le type, la taille, la couleur de police, appliquer des styles de décoration et les préréglages de mise en forme. Il est également possible d'utiliser la fenêtre Paragraphe - Paramètres avancés accessible depuis le menu contextuel ou depuis la barre latérale de droite pour modifier les propriétés du texte. Le texte contenu dans les contrôles de contenu de texte enrichi peut être mis en forme comme un texte normal du document, c'est-à-dire que vous pouvez définir l'interlignage, modifier les retraits de paragraphe, ajuster les taquets de tabulation. Modification des paramètres de contrôle du contenu Pour ouvrir les paramètres de contrôle du contenu, vous pouvez procéder de la manière suivante: Sélectionnez le contrôle de contenu nécessaire, cliquez sur la flèche en regard de l'icône Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Paramètres de contrôle dans le menu. Cliquez avec le bouton droit n'importe où dans le contrôle de contenu et utilisez l'option Paramètres de contrôle du contenu dans le menu contextuel. Une nouvelle fenêtre s'ouvrira où vous pourrez ajuster les paramètres suivants: Spécifiez le Titre ou l'Étiquette du contrôle de contenu dans les champs correspondants. Empêchez le contrôle de contenu d'être supprimé ou modifié en utilisant l'option de la section Verrouillage: Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu. Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification. cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements. Retirer des contrôles de contenu Pour supprimer un contrôle et laisser tout son contenu, cliquez sur le contrôle de contenu pour le sélectionner, puis procédez de l'une des façons suivantes: Cliquez sur la flèche en regard de l'icône Contrôles du contenu dans la barre d'outils supérieure et sélectionnez l'option Retirer le contrôle du contenu dans le menu. Cliquez avec le bouton droit sur la sélection et choisissez l'option Supprimer le contrôle de contenu dans le menu contextuel, Pour supprimer un contrôle et tout son contenu, sélectionnez le contrôle nécessaire et appuyez sur la touche Suppr du clavier." + "body": "À l'aide des contrôles de contenu, vous pouvez créer un formulaire avec des champs de saisie pouvant être renseignés par d'autres utilisateurs ou protéger certaines parties du document contre l'édition ou la suppression. Les contrôles de contenu sont des objets contenant du texte pouvant être mis en forme. Les contrôles de contenu de texte brut ne peuvent pas contenir plus d'un paragraphe, tandis que les contrôles de contenu en texte enrichi peuvent contenir plusieurs paragraphes, listes et objets (images, formes, tableaux, etc.). Ajouter des contrôles de contenu Pour créer un nouveau contrôle de contenu de texte brut, positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle, ou sélectionnez un passage de texte que vous souhaitez transformer en contenu du contrôle. passez à l'onglet Insertion de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu de texte brut dans le menu. Le contrôle sera inséré au point d'insertion dans une ligne du texte existant. Les contrôles de contenu de texte brut ne permettent pas l'ajout de sauts de ligne et ne peuvent pas contenir d'autres objets tels que des images, des tableaux, etc. Pour créer un nouveau contrôle de contenu de texte enrichi, positionnez le point d'insertion à la fin d'un paragraphe après lequel vous voulez ajouter le contrôle, ou sélectionnez un ou plusieurs des paragraphes existants que vous voulez convertir en contenu du contrôle. passez à l'onglet Insertion de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu de texte enrichi dans le menu. Le contrôle sera inséré dans un nouveau paragraphe. Les contrôles de contenu de texte enrichi permettent d'ajouter des sauts de ligne, c'est-à-dire peuvent contenir plusieurs paragraphes ainsi que certains objets, tels que des images, des tableaux, d'autres contrôles de contenu, etc. Remarque : La bordure du contrôle de contenu est visible uniquement lorsque le contrôle est sélectionné. Les bordures n'apparaissent pas sur une version imprimée. Déplacer des contrôles de contenu Les contrôles peuvent être déplacés à un autre endroit du document: cliquez sur le bouton à gauche de la bordure de contrôle pour sélectionner le contrôle et faites-le glisser sans relâcher le bouton de la souris à un autre endroit dans le texte du document. Vous pouvez également copier et coller des contrôles de contenu: sélectionnez le contrôle voulu et utilisez les combinaisons de touches Ctrl+C/Ctrl+V. Modifier des contrôles de contenu Remplacez le texte par défaut dans le contrôle (\"Votre texte ici\") par votre propre texte: sélectionnez le texte par défaut, et tapez un nouveau texte ou copiez un passage de texte de n'importe où et collez-le dans le contrôle de contenu. Le texte contenu dans le contrôle de contenu (texte brut ou texte enrichi) peut être formaté à l'aide des icônes de la barre d'outils supérieure: vous pouvez ajuster le type, la taille, la couleur de police, appliquer des styles de décoration et les préréglages de mise en forme. Il est également possible d'utiliser la fenêtre Paragraphe - Paramètres avancés accessible depuis le menu contextuel ou depuis la barre latérale de droite pour modifier les propriétés du texte. Le texte contenu dans les contrôles de contenu de texte enrichi peut être mis en forme comme un texte normal du document, c'est-à-dire que vous pouvez définir l'interlignage, modifier les retraits de paragraphe, ajuster les taquets de tabulation. Modification des paramètres de contrôle du contenu Pour ouvrir les paramètres de contrôle du contenu, vous pouvez procéder de la manière suivante: Sélectionnez le contrôle de contenu nécessaire, cliquez sur la flèche en regard de l'icône Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Paramètres de contrôle dans le menu. Cliquez avec le bouton droit n'importe où dans le contrôle de contenu et utilisez l'option Paramètres de contrôle du contenu dans le menu contextuel. Une nouvelle fenêtre s'ouvrira où vous pourrez ajuster les paramètres suivants: Spécifiez le Titre ou l'Étiquette du contrôle de contenu dans les champs correspondants. Le titre s'affiche lorsque le contrôle est sélectionné dans le document. Les étiquettes sont utilisées pour identifier les contrôles de contenu afin que vous puissiez y faire référence dans votre code. Choisissez si vous voulez afficher le contrôle de contenu avec une Zone de délimitation ou non. Utilisez l'option Aucune pour afficher le contrôle sans la zone de délimitation. Si vous sélectionnez l'option Zone de délimitation, vous pouvez choisir la Couleur de cette zone à l'aide du champ ci-dessous. Empêchez le contrôle de contenu d'être supprimé ou modifié en utilisant l'option de la section Verrouillage: Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu. Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification. cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements. Il est également possible de surligner les contrôles de contenu avec une certaine couleur. Pour surligner les contrôles avec une couleur : Cliquez sur le bouton situé à gauche de la bordure du champ pour sélectionner le champ, Cliquez sur la flèche à côté de l'icône Contrôles de contenu dans la barre d'outils supérieure, Sélectionnez l'option Paramètres de surlignage du menu contextuel, Sélectionnez la couleur souhaitée dans les palettes disponibles : Couleurs du thème, Couleurs standard ou spécifiez une nouvelle Couleur personnalisée. Pour supprimer la surbrillance des couleurs précédemment appliquée, utilisez l'option Pas de surbrillance. Les options de surbrillance sélectionnées seront appliquées à tous les contrôles de contenu du document. Retirer des contrôles de contenu Pour supprimer un contrôle et laisser tout son contenu, cliquez sur le contrôle de contenu pour le sélectionner, puis procédez de l'une des façons suivantes: Cliquez sur la flèche en regard de l'icône Contrôles du contenu dans la barre d'outils supérieure et sélectionnez l'option Retirer le contrôle du contenu dans le menu. Cliquez avec le bouton droit sur la sélection et choisissez l'option Supprimer le contrôle de contenu dans le menu contextuel, Pour supprimer un contrôle et tout son contenu, sélectionnez le contrôle nécessaire et appuyez sur la touche Suppr du clavier." }, { "id": "UsageInstructions/InsertDropCap.htm", @@ -193,7 +198,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer des images", - "body": "Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans votre document de texte, placez le curseur là où vous voulez insérer une image, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône de la barre d'outils supérieure Insérer une image, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue Windows standard pour sélectionner le fichier. Sélectionnez le fichier recherché sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image. Saisissez l'adresse Web nécessaire et cliquez sur le bouton OK après avoir ajouté l'image, vous pouvez modifier sa taille, ses propriétés et sa position. Déplacer et redimensionner des images Pour changer la taille de l'image, faites glisser les petits carreaux situés sur ses bords. Pour garder les proportions de l'image sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Pour modifier la position de l'image, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'image à la position nécessaire sans relâcher le bouton de la souris. Lorsque vous déplacez l'image, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour faire pivoter l'image, placez le curseur de la souris sur la poignée de rotation ronde et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Ajuster les paramètres de l'image Certains paramètres de l'image peuvent être modifiés dans l'onglet Paramètres de l'image de la barre latérale droite. Pour l'activer, cliquez sur l'image et sélectionnez l'icône Paramètres de l'image à droite. Vous y pouvez modifier les paramètres suivants : Taille est utilisée pour afficher la et la de l'image actuelle. Si nécessaire, vous pouvez restaurer la taille d'image par défaut en cliquant sur le bouton Taille par défaut. Le bouton Ajuster à la marge permet de redimensionner l'image, de sorte qu'elle occupe tout l'espace entre les marges gauche et droite de la page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Remplacer image sert à remplacer l'image actuelle et charger une autre à partir d'un fichier ou d'une URL. Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer l'image sélectionnée au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper des images pour effectuer des opérations avec plusieurs images à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. 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. Taille par défaut sert à changer la taille actuelle de l'image ou rétablir la taille par défaut. Paramètres avancés sert à ouvrir la fenêtre 'Image - Paramètres avancés'. Lorsque l'image est sélectionnée, l'icône Paramètres de forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type, la taille et la couleur de Contour ainsi que changer le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Pour modifier les paramètres avancés, cliquez sur l'image avec le bouton droit de la souris et sélectionnez Paramètres avancés du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher paramètres avancés. La fenêtre des propriétés de l'image sera ouverte : L'onglet Taille comporte les paramètres suivants : Largeur et Hauteur - utilisez ces options pour modifier langeur / hauteur de l'image. Si le bouton Proportions constantes est cliqué (dans ce cas il ressemble à ceci ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la manière dont l'image est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné 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'image. Rapproché - le texte est ajusté sur le contour de l' image. Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur d'elle. 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'image. Si vous avez choisi le style 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, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Cet onglet contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement d'image suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel elle est alignée. Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. 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 de l'image." + "body": "Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans votre document de texte, placez le curseur là où vous voulez insérer l'image, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Imagede la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK après avoir ajouté l'image, vous pouvez modifier sa taille, ses propriétés et sa position. Déplacer et redimensionner des images Pour changer la taille de l'image, faites glisser les petits carreaux situés sur ses bords. Pour garder les proportions de l'image sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Pour modifier la position de l'image, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'image à la position nécessaire sans relâcher le bouton de la souris. Lorsque vous déplacez l'image, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour faire pivoter l'image, placez le curseur de la souris sur la poignée de rotation ronde et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Ajuster les paramètres de l'image Certains paramètres de l'image peuvent être modifiés dans l'onglet Paramètres de l'image de la barre latérale droite. Pour l'activer, cliquez sur l'image et sélectionnez l'icône Paramètres de l'image à droite. Vous pouvez y modifier les paramètres suivants : Taille est utilisée pour afficher la Largeur et la Hauteur de l'image actuelle. Si nécessaire, vous pouvez restaurer la taille d'image par défaut en cliquant sur le bouton Taille par défaut. Le bouton Ajuster à la marge permet de redimensionner l'image, de sorte qu'elle occupe tout l'espace entre les marges gauche et droite de la page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL. Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer l'image sélectionnée au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper des images pour effectuer des opérations avec plusieurs images à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. 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. Taille par défaut sert à changer la taille actuelle de l'image ou rétablir la taille par défaut. Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL. Paramètres avancés sert à ouvrir la fenêtre 'Image - Paramètres avancés'. Lorsque l'image est sélectionnée, l'icône Paramètres de forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type de contour, la taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Pour modifier les paramètres avancés de l’image, cliquez sur celle-ci avec le bouton droit de la souris et sélectionnez Paramètres avancés du menu contextuel ou cliquez sur le lien Afficher les paramètres avancés de la barre latérale droite. La fenêtre des propriétés de l'image sera ouverte : L'onglet Taille comporte les paramètres suivants : Largeur et Hauteur - utilisez ces options pour modifier langeur / hauteur de l'image. Si le bouton Proportions constantes est cliqué(auquel cas il ressemble à ceci ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la manière dont l'image est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné 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'image. Rapproché - le texte est ajusté sur le contour de l' image. Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur d'elle. 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'image. Si vous avez choisi le style 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, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement d'image suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel elle est alignée. Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. 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 de l'image." }, { "id": "UsageInstructions/InsertPageNumbers.htm", @@ -248,7 +253,7 @@ var indexes = { "id": "UsageInstructions/SetPageParameters.htm", "title": "Régler les paramètres de page", - "body": "Pour modifier la mise en page, c'est-à-dire définir l'orientation et la taille de la page, ajuster les marges et insérer des colonnes, utilisez les icônes correspondantes dans l'onglet Disposition de la barre d'outils supérieure. Remarque: tous ces paramètres sont appliqués au document entier. Si vous voulez définir de différentes marges de page, l'orientation, la taille, ou le numéro de colonne pour les parties différentes de votre document, consultez cette page. Orientation de page Changez l'orientation de page actuelle en cliquant sur l'icône Orientation de page . Le type d'orientation par défaut est Portrait qui peut être commuté sur Paysage. Taille de la page Changez le format A4 par défaut en cliquant sur l'icône Taille de la page et sélectionnez la taille nécessaire dans la liste. Les formats offerts sont les suivants : US Letter (21,59cm x 27,94cm) US Legal (21,59cm x 35,56cm) A4 (21cm x 29,7cm) A5 (14,81cm x 20,99cm) B5 (17,6cm x 25,01cm) Envelope #10 (10,48cm x 24,13cm) Envelope DL (11,01cm x 22,01cm) Tabloid (27,94cm x 43,17cm) AЗ (29,7cm x 42,01cm) Tabloid Oversize (30,48cm x 45,71cm) ROC 16K (19,68cm x 27,3cm) Envelope Choukei 3 (11,99cm x 23,49cm) Super B/A3 (33,02cm x 48,25cm) Vous pouvez définir une taille de la page particulière en utilisant l'option Taille personnalisée dans la liste. Dans la fenêtre Taille de la page vous pouvez définir les valeurs nécessaires Largeur et Hauteur. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Marges de la page Modifiez les marges par défaut, c-à-d l’espace entre les bords de la page et le texte du paragraphe, en cliquant sur l'icône Marges et sélectionnez un des paramètres prédéfinis : Normal, US Normal, Étroit, Modérer, Large. Vous pouvez aussi utiliser l'option Marges personnalisées pour définir les valeurs nécessaires dans la fenêtre Marges qui s'ouvre. Entrez les valeurs des marges Haut, Bas, Gauche et Droite de la page dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK. Les marges personnalisées seront appliquées au document actuel et l'option Dernière mesure avec les paramètres spécifiés apparaît dans la liste des Marges de la page pour que vous puissiez les appliquer à d'autres documents. Vous pouvez également modifier les marges manuellement en faisant glisser la bordure entre les zones grises et blanches sur les règles (les zones grises des règles indiquent les marges de page): Colonnes Pour appliquez une mise en page multicolonne, cliquez sur l'icône Insérer des colonnes et sélectionnez le type de la colonne nécessaire dans la liste déroulante. Les options suivantes sont disponibles : Deux - pour ajouter deux colonnes de la même largeur, Trois - pour ajouter trois colonnes de la même largeur, A gauche - pour ajouter deux colonnes: une étroite colonne à gauche et une large colonne à droite, A droite - pour ajouter deux colonnes: une étroite colonne à droite et une large colonne à gauche. Si vous souhaitez ajuster les paramètres de colonne, sélectionnez l'option Colonnes personnalisées dans la liste. La fenêtre Colonnes s'ouvrira où vous pourrez définir le Nombre de colonnes nécessaire (il est possible d'ajouter jusqu'à 12 colonnes) et l'Espacement entre les colonnes. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Cochez la case Diviseur de colonne pour ajouter une ligne verticale entre les colonnes. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Pour spécifier exactement la position d'une nouvelle colonne, placez le curseur avant le texte à déplacer dans une nouvelle colonne, cliquez sur l'icône Sauts de page de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de colonne. Le texte sera déplacé vers la colonne suivante. Les sauts de colonne ajoutés sont indiqués dans votre document par une ligne pointillée: . Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône de l'onglet Accueil de la barre d'outils supérieure pour les afficher. Pour supprimer un saut de colonne,sélectionnez-le avec le souris et appuyez sur une touche Supprimer. Pour modifier manuellement la largeur et l'espacement entre les colonnes, vous pouvez utiliser la règle horizontale. Pour annuler les colonnes et revenir à la disposition en une seule colonne, cliquez sur l'icône Insérer des colonnes de la barre d'outils supérieure et sélectionnez l'option Une dans la liste." + "body": "Pour modifier la mise en page, c'est-à-dire définir l'orientation et la taille de la page, ajuster les marges et insérer des colonnes, utilisez les icônes correspondantes dans l'onglet Mise en page de la barre d'outils supérieure. Remarque: tous ces paramètres sont appliqués au document entier. Si vous voulez définir de différentes marges de page, l'orientation, la taille, ou le numéro de colonne pour les parties différentes de votre document, consultez cette page. Orientation de page Changez l'orientation de page actuelle en cliquant sur l'icône Orientation de page . Le type d'orientation par défaut est Portrait qui peut être commuté sur Album. Taille de la page Changez le format A4 par défaut en cliquant sur l'icône Taille de la page et sélectionnez la taille nécessaire dans la liste. Les formats offerts sont les suivants : US Letter (21,59cm x 27,94cm) US Legal (21,59cm x 35,56cm) A4 (21cm x 29,7cm) A5 (14,81cm x 20,99cm) B5 (17,6cm x 25,01cm) Envelope #10 (10,48cm x 24,13cm) Envelope DL (11,01cm x 22,01cm) Tabloid (27,94cm x 43,17cm) AЗ (29,7cm x 42,01cm) Tabloid Oversize (30,48cm x 45,71cm) ROC 16K (19,68cm x 27,3cm) Envelope Choukei 3 (11,99cm x 23,49cm) Super B/A3 (33,02cm x 48,25cm) Vous pouvez définir une taille de la page particulière en utilisant l'option Taille personnalisée dans la liste. La fenêtre Taille de la page s'ouvrira où vous pourrez sélectionner le Préréglage voulu (US Letter, US Legal, A4, A5, B5, Enveloppe #10, Enveloppe DL, Tabloid, AЗ, Tabloid Oversize, ROC 16K, Enveloppe Choukei 3, Super B/A3, A0, A1, A2, A6) ou définir des valeurs personnalisées de Largeur et Hauteur. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Marges de la page Modifiez les marges par défaut, c-à-d l’espace entre les bords de la page et le texte du paragraphe, en cliquant sur l'icône Marges et sélectionnez un des paramètres prédéfinis : Normal, US Normal, Étroit, Modérer, Large. Vous pouvez aussi utiliser l'option Marges personnalisées pour définir les valeurs nécessaires dans la fenêtre Marges qui s'ouvre. Entrez les valeurs des marges Haut, Bas, Gauche et Droite de la page dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK. Les marges personnalisées seront appliquées au document actuel et l'option Dernière mesure avec les paramètres spécifiés apparaît dans la liste des Marges de la page pour que vous puissiez les appliquer à d'autres documents. Vous pouvez également modifier les marges manuellement en faisant glisser la bordure entre les zones grises et blanches sur les règles (les zones grises des règles indiquent les marges de page): Colonnes Pour appliquez une mise en page multicolonne, cliquez sur l'icône Insérer des colonnes et sélectionnez le type de la colonne nécessaire dans la liste déroulante. Les options suivantes sont disponibles : Deux - pour ajouter deux colonnes de la même largeur, Trois - pour ajouter trois colonnes de la même largeur, A gauche - pour ajouter deux colonnes: une étroite colonne à gauche et une large colonne à droite, A droite - pour ajouter deux colonnes: une étroite colonne à droite et une large colonne à gauche. Si vous souhaitez ajuster les paramètres de colonne, sélectionnez l'option Colonnes personnalisées dans la liste. La fenêtre Colonnes s'ouvrira où vous pourrez définir le Nombre de colonnes nécessaire (il est possible d'ajouter jusqu'à 12 colonnes) et l'Espacement entre les colonnes. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Cochez la case Diviseur de colonne pour ajouter une ligne verticale entre les colonnes. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Pour spécifier exactement la position d'une nouvelle colonne, placez le curseur avant le texte à déplacer dans une nouvelle colonne, cliquez sur l'icône Sauts de page de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de colonne. Le texte sera déplacé vers la colonne suivante. Les sauts de colonne ajoutés sont indiqués dans votre document par une ligne pointillée: . Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône de l'onglet Accueil de la barre d'outils supérieure pour les afficher. Pour supprimer un saut de colonne,sélectionnez-le avec le souris et appuyez sur une touche Supprimer. Pour modifier manuellement la largeur et l'espacement entre les colonnes, vous pouvez utiliser la règle horizontale. Pour annuler les colonnes et revenir à la disposition en une seule colonne, cliquez sur l'icône Insérer des colonnes de la barre d'outils supérieure et sélectionnez l'option Une dans la liste." }, { "id": "UsageInstructions/SetTabStops.htm", diff --git a/apps/documenteditor/main/resources/help/fr/search/search.html b/apps/documenteditor/main/resources/help/fr/search/search.html index ac32537c0..4dc05a3f9 100644 --- a/apps/documenteditor/main/resources/help/fr/search/search.html +++ b/apps/documenteditor/main/resources/help/fr/search/search.html @@ -5,6 +5,7 @@ + @@ -89,7 +90,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                ').text(info.body.substring(0, 250) + "...")) @@ -123,7 +125,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -133,7 +135,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/documenteditor/main/resources/help/ru/Contents.json b/apps/documenteditor/main/resources/help/ru/Contents.json index fcc363f7b..c1d48eca2 100644 --- a/apps/documenteditor/main/resources/help/ru/Contents.json +++ b/apps/documenteditor/main/resources/help/ru/Contents.json @@ -30,8 +30,9 @@ {"src":"UsageInstructions/DecorationStyles.htm", "name": "Применение стилей оформления шрифта"}, {"src":"UsageInstructions/CopyClearFormatting.htm", "name": "Копирование/очистка форматирования текста" }, {"src":"UsageInstructions/AddHyperlinks.htm", "name": "Добавление гиперссылок"}, - {"src":"UsageInstructions/InsertDropCap.htm", "name": "Вставка буквицы"}, - {"src":"UsageInstructions/InsertTables.htm", "name": "Вставка таблиц", "headername": "Действия над объектами"}, + {"src":"UsageInstructions/InsertDropCap.htm", "name": "Вставка буквицы"}, + { "src": "UsageInstructions/InsertTables.htm", "name": "Вставка таблиц", "headername": "Действия над объектами" }, + {"src": "UsageInstructions/AddFormulasInTables.htm", "name": "Использование формул в таблицах"}, {"src":"UsageInstructions/InsertImages.htm", "name": "Вставка изображений"}, {"src":"UsageInstructions/InsertAutoshapes.htm", "name": "Вставка автофигур"}, {"src":"UsageInstructions/InsertCharts.htm", "name": "Вставка диаграмм" }, @@ -40,8 +41,8 @@ {"src": "UsageInstructions/ChangeWrappingStyle.htm", "name": "Изменение стиля обтекания текстом" }, {"src": "UsageInstructions/InsertContentControls.htm", "name": "Вставка элементов управления содержимым" }, {"src": "UsageInstructions/CreateTableOfContents.htm", "name": "Создание оглавления" }, - {"src":"UsageInstructions/UseMailMerge.htm", "name": "Использование слияния", "headername": "Слияние"}, - {"src":"UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы"}, + {"src":"UsageInstructions/UseMailMerge.htm", "name": "Использование слияния", "headername": "Слияние"}, + {"src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, {"src":"HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование документа", "headername": "Совместное редактирование документов"}, {"src":"HelpfulHints/Review.htm", "name": "Рецензирование документа"}, {"src":"UsageInstructions/ViewDocInfo.htm", "name": "Просмотр сведений о документе", "headername": "Инструменты и настройки"}, diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm index 3ce22869c..1e5738c93 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/About.htm @@ -21,9 +21,9 @@

                Используя онлайн-редактор документов, Вы можете выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера - как файлы в формате DOCX, PDF, TXT, ODT, RTF или HTML. + как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.

                -

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

                +

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

                \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm index f33e7d5f0..28dc06fad 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm @@ -26,14 +26,14 @@
              • Проверка орфографии - используется для включения/отключения опции проверки орфографии.
              • Альтернативный ввод - используется для включения/отключения иероглифов.
              • Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на странице.
              • -
              • Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании.
              • +
              • Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы.
              • Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования:
                • По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями.
                • Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить Значок Сохранить с оповещением о наличии изменений от других пользователей.
              • -
              • Отображать изменения при совместной работе* - используется для определения изменений, которые необходимо подсвечивать во время совместного редактирования: +
              • Отображать изменения при совместной работе - используется для определения изменений, которые необходимо подсвечивать во время совместного редактирования:
                • При выборе опции Никакие изменения, внесенные за время текущей сессии, подсвечиваться не будут.
                • При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии.
                • diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm index 3daa5e916..3a1e98659 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm @@ -14,24 +14,36 @@

                  Совместное редактирование документа

                  -

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

                  +

                  В редакторе документов вы можете работать над документом совместно с другими пользователями. Эта возможность включает в себя следующее:

                  • одновременный многопользовательский доступ к редактируемому документу
                  • визуальная индикация фрагментов, которые редактируются другими пользователями
                  • мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки
                  • чат для обмена идеями по поводу отдельных частей документа
                  • -
                  • комментарии, содержащие описание задачи или проблемы, которую необходимо решить
                  • +
                  • комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии)
                  +
                  +

                  Подключение к онлайн-версии

                  +

                  В десктопном редакторе необходимо открыть пункт меню {{COEDITING_DESKTOP}} на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи.

                  +

                  Совместное редактирование

                  -

                  В редакторе документов можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить Значок Сохранить, чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Значок Режим совместного редактирования Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов:

                  +

                  В редакторе документов можно выбрать один из двух доступных режимов совместного редактирования:

                  +
                    +
                  • Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени.
                  • +
                  • Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить Значок Сохранить, чтобы сохранить ваши изменения и принять изменения, внесенные другими.
                  • +
                  +

                  Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Значок Режим совместного редактирования Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов:

                  Меню Режим совместного редактирования

                  +

                  + Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие. +

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

                  Количество пользователей, которые в данный момент работают над текущим документом, отображается в правой части шапки редактора - Значок Количество пользователей. Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей.

                  -

                  Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: Значок Управление правами доступа к документу. С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: Значок Количество пользователей. Права доступа также можно задать, используя значок Значок Совместный доступ Совместный доступ на вкладке Совместная работа верхней панели инструментов.

                  +

                  Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: Значок Управление правами доступа к документу. С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр, комментирование, заполнение форм или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: Значок Количество пользователей. Права доступа также можно задать, используя значок Значок Совместный доступ Совместный доступ на вкладке Совместная работа верхней панели инструментов.

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

                  Можно указать, какие изменения требуется подсвечивать во время совместного редактирования: для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры..., а затем укажите, отображать ли все или последние изменения, внесенные при совместной работе. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок Значок Сохранить и получить изменения. При выборе опции Никакие изменения, внесенные во время текущей сессии, подсвечиваться не будут.

                  Чат

                  @@ -49,6 +61,7 @@

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

                  Комментарии

                  +

                  Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии.

                  Чтобы оставить комментарий:

                  1. выделите фрагмент текста, в котором, по Вашему мнению, содержится какая-то ошибка или проблема,
                  2. diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm index 8b6a30728..0ee566fc0 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm @@ -7,6 +7,8 @@ + +
                    @@ -14,523 +16,653 @@

                    Сочетания клавиш

                    - - - - - - - - - - - - - - +
                      +
                    • Windows/Linux
                    • + +
                    • Mac OS
                    • +
                    +
                    Работа с документом
                    Открыть панель 'Файл'Alt+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущий документ, просмотреть сведения о нем, создать новый документ или открыть существующий, получить доступ к Справке по редактору документов или дополнительным параметрам.
                    Открыть окно 'Поиск и замена'Ctrl+FОткрыть диалоговое окно Поиск и замена, чтобы начать поиск символа/слова/фразы в редактируемом документе.
                    + + + + + + + + + + + + + + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - - + + + + + + + + + - + + - - - - - - + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - + + + + + + + + + + + --> - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - + + - + + - + + - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - - - - - - - - - - + + + + + + + + + + + + - + + - - - - - + + + + --> + + + + + + - + + - + + - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + - + + - - - - - - + + + + + + + - + + - + + - + + - + + - + + - + + - + - + + + + + --> - + + -
                    Работа с документом
                    Открыть панель 'Файл'Alt+F⌥ Option+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущий документ, просмотреть сведения о нем, создать новый документ или открыть существующий, получить доступ к Справке по редактору документов или дополнительным параметрам.
                    Открыть окно 'Поиск и замена'Ctrl+F^ Ctrl+F,
                    ⌘ Cmd+F
                    Открыть диалоговое окно Поиск и замена, чтобы начать поиск символа/слова/фразы в редактируемом документе.
                    Открыть окно 'Поиск и замена' с полем заменыCtrl+HCtrl+H^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов.
                    Открыть панель 'Комментарии'Ctrl+Shift+HОткрыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                    Открыть поле комментарияAlt+HОткрыть поле ввода данных, в котором можно добавить текст комментария.
                    Открыть панель 'Чат'Alt+QОткрыть панель Чат и отправить сообщение.
                    Сохранить документCtrl+SСохранить все изменения в редактируемом документе. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                    Печать документаCtrl+PРаспечатать документ на одном из доступных принтеров или сохранить в файл.
                    Скачать как...Ctrl+Shift+SОткрыть панель Скачать как..., чтобы сохранить редактируемый документ на жестком диске компьютера в одном из поддерживаемых форматов: DOCX, PDF, TXT, ODT, RTF, HTML.
                    Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть редактор документов на весь экран.
                    Повторить последнее действие 'Найти'⇧ Shift+F4⇧ Shift+F4,
                    ⌘ Cmd+G,
                    ⌘ Cmd+⇧ Shift+F4
                    Повторить действие Найти, которое было выполнено до нажатия этого сочетания клавиш.
                    Открыть панель 'Комментарии'Ctrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                    ⌘ Cmd+⇧ Shift+H
                    Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                    Открыть поле комментарияAlt+H⌥ Option+HОткрыть поле ввода данных, в котором можно добавить текст комментария.
                    Открыть панель 'Чат'Alt+Q⌥ Option+QОткрыть панель Чат и отправить сообщение.
                    Сохранить документCtrl+S^ Ctrl+S,
                    ⌘ Cmd+S
                    Сохранить все изменения в редактируемом документе. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                    Печать документаCtrl+P^ Ctrl+P,
                    ⌘ Cmd+P
                    Распечатать документ на одном из доступных принтеров или сохранить в файл.
                    Скачать как...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                    ⌘ Cmd+⇧ Shift+S
                    Открыть панель Скачать как..., чтобы сохранить редактируемый документ на жестком диске компьютера в одном из поддерживаемых форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.
                    Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть редактор документов на весь экран.
                    Меню СправкаF1F1F1 Открыть меню Справка редактора документов.
                    Открыть существующий файлCtrl+OОткрыть существующий файл (десктопные редакторы)Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла.
                    Закрыть файл (десктопные редакторы)Ctrl+W⌘ Cmd+WЗакрыть выбранный документ в десктопных редакторах .
                    Контекстное меню элементаShift+F10⇧ Shift+F10⇧ Shift+F10 Открыть контекстное меню выбранного элемента.
                    Закрыть файлCtrl+WЗакрыть выбранный документ.
                    Навигация
                    Перейти в начало строкиHomeHomeУстановить курсор в начале редактируемой строки.
                    Навигация
                    Перейти в начало строкиHomeУстановить курсор в начале редактируемой строки.
                    Перейти в начало документаCtrl+HomeУстановить курсор в самом начале редактируемого документа.
                    Перейти в конец строкиEndУстановить курсор в конце редактируемой строки.
                    Перейти в конец документаCtrl+EndУстановить курсор в самом конце редактируемого документа.
                    Прокрутить внизPage DownПрокрутить документ примерно на одну видимую область страницы вниз.
                    Прокрутить вверхPage UpПрокрутить документ примерно на одну видимую область страницы вверх.
                    Следующая страницаAlt+Page DownПерейти на следующую страницу редактируемого документа.
                    Предыдущая страницаAlt+Page UpПерейти на предыдущую страницу редактируемого документа.
                    УвеличитьCtrl+Знак "Плюс" (+)Увеличить масштаб редактируемого документа.
                    УменьшитьCtrl+Знак "Минус" (-)Уменьшить масштаб редактируемого документа.
                    Перейти в начало документаCtrl+Home^ Ctrl+HomeУстановить курсор в самом начале редактируемого документа.
                    Перейти в конец строкиEndEndУстановить курсор в конце редактируемой строки.
                    Перейти в конец документаCtrl+End^ Ctrl+EndУстановить курсор в самом конце редактируемого документа.
                    Перейти в начало предыдущей страницыAlt+Ctrl+Page UpУстановить курсор в самом начале страницы, которая идет перед редактируемой страницей.
                    Перейти в начало следующей страницыAlt+Ctrl+Page Down⌥ Option+⌘ Cmd+⇧ Shift+Page DownУстановить курсор в самом начале страницы, которая идет после редактируемой страницы.
                    Прокрутить внизPage DownPage Down,
                    ⌥ Option+Fn+
                    Прокрутить документ примерно на одну видимую область страницы вниз.
                    Прокрутить вверхPage UpPage Up,
                    ⌥ Option+Fn+
                    Прокрутить документ примерно на одну видимую область страницы вверх.
                    Следующая страницаAlt+Page Down⌥ Option+Page DownПерейти на следующую страницу редактируемого документа.
                    Предыдущая страницаAlt+Page Up⌥ Option+Page UpПерейти на предыдущую страницу редактируемого документа.
                    УвеличитьCtrl++^ Ctrl++,
                    ⌘ Cmd++
                    Увеличить масштаб редактируемого документа.
                    УменьшитьCtrl+-^ Ctrl+-,
                    ⌘ Cmd+-
                    Уменьшить масштаб редактируемого документа.
                    Перейти на один символ влевоСтрелка влево Переместить курсор на один символ влево.
                    Перейти на один символ вправоСтрелка вправо Переместить курсор на один символ вправо.
                    Перейти в начало слова или на одно слово влевоCtrl+Стрелка влевоCtrl+^ Ctrl+,
                    ⌘ Cmd+
                    Переместить курсор в начало слова или на одно слово влево.
                    Перейти на одно слово вправоCtrl+Стрелка вправоCtrl+^ Ctrl+,
                    ⌘ Cmd+
                    Переместить курсор на одно слово вправо.
                    Перейти на один абзац вверхCtrl+Стрелка вверхПереместить курсор на один абзац вверх.
                    Перейти на один абзац внизCtrl+Стрелка внизПереместить курсор на один абзац вниз.
                    Перейти на одну строку вверхСтрелка вверх Переместить курсор на одну строку вверх.
                    Перейти на одну строку внизСтрелка вниз Переместить курсор на одну строку вниз.
                    Написание
                    Закончить абзацEnterЗавершить текущий абзац и начать новый.
                    Добавить разрыв строкиShift+EnterСделать перевод строки, не начиная новый абзац.
                    УдалитьBackspace, DeleteУдалить один символ слева (Backspace) или справа (Delete) от курсора.
                    Создать неразрываемый пробелCtrl+Shift+ПробелСоздать между символами пробел, который нельзя использовать для начала новой строки.
                    Создать неразрываемый дефисCtrl+Shift+ДефисСоздать между символами дефис, который нельзя использовать для начала новой строки.
                    Отмена и повтор
                    ОтменитьCtrl+ZОтменить последнее выполненное действие.
                    ПовторитьCtrl+YПовторить последнее отмененное действие.
                    Вырезание, копирование и вставка
                    ВырезатьCtrl+X, Shift+DeleteУдалить выделенный фрагмент текста и отправить его в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу.
                    КопироватьCtrl+C, Ctrl+InsertОтправить выделенный фрагмент текста в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу.
                    ВставитьCtrl+V, Shift+InsertВставить ранее скопированный текст из буфера обмена компьютера в текущей позиции курсора. Текст может быть ранее скопирован из того же самого документа, из другого документа или из какой-то другой программы.
                    Вставить гиперссылкуCtrl+KВставить гиперссылку, которую можно использовать для перехода по веб-адресу.
                    Копировать форматированиеCtrl+Shift+CСкопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этом же документе.
                    Применить форматированиеCtrl+Shift+VПрименить ранее скопированное форматирование к тексту редактируемого документа.
                    Выделение текста
                    Выделить всеCtrl+AВыделить весь текст документа вместе с таблицами и изображениями.
                    Выделить фрагментShift+СтрелкаВыделить текст посимвольно.
                    Выделить с позиции курсора до начала строкиShift+HomeВыделить фрагмент текста с позиции курсора до начала текущей строки.
                    Выделить с позиции курсора до конца строкиShift+EndВыделить фрагмент текста с позиции курсора до конца текущей строки.
                    Написание
                    Закончить абзац↵ Enter↵ ReturnЗавершить текущий абзац и начать новый.
                    Добавить разрыв строки⇧ Shift+↵ Enter⇧ Shift+↵ ReturnСделать перевод строки, не начиная новый абзац.
                    Удалить← Backspace,
                    Delete
                    ← Backspace,
                    Delete
                    Удалить один символ слева (Backspace) или справа (Delete) от курсора.
                    Удалить слово слева от курсораCtrl+Backspace^ Ctrl+Backspace,
                    ⌘ Cmd+Backspace
                    Удалить одно слово слева от курсора.
                    Удалить слово справа от курсораCtrl+Delete^ Ctrl+Delete,
                    ⌘ Cmd+Delete
                    Удалить одно слово справа от курсора.
                    Создать неразрываемый пробелCtrl+⇧ Shift+␣ Spacebar^ Ctrl+⇧ Shift+␣ SpacebarСоздать между символами пробел, который нельзя использовать для начала новой строки.
                    Создать неразрываемый дефисCtrl+⇧ Shift+Hyphen^ Ctrl+⇧ Shift+HyphenСоздать между символами дефис, который нельзя использовать для начала новой строки.
                    Отмена и повтор
                    ОтменитьCtrl+Z^ Ctrl+Z,
                    ⌘ Cmd+Z
                    Отменить последнее выполненное действие.
                    ПовторитьCtrl+Y^ Ctrl+Y,
                    ⌘ Cmd+Y,
                    ⌘ Cmd+⇧ Shift+Z
                    Повторить последнее отмененное действие.
                    Вырезание, копирование и вставка
                    ВырезатьCtrl+X,
                    ⇧ Shift+Delete
                    ⌘ Cmd+X,
                    ⇧ Shift+Delete
                    Удалить выделенный фрагмент текста и отправить его в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу.
                    КопироватьCtrl+C,
                    Ctrl+Insert
                    ⌘ Cmd+CОтправить выделенный фрагмент текста в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу.
                    ВставитьCtrl+V,
                    ⇧ Shift+Insert
                    ⌘ Cmd+VВставить ранее скопированный текст из буфера обмена компьютера в текущей позиции курсора. Текст может быть ранее скопирован из того же самого документа, из другого документа или из какой-то другой программы.
                    Вставить гиперссылкуCtrl+K⌘ Cmd+KВставить гиперссылку, которую можно использовать для перехода по веб-адресу.
                    Копировать форматированиеCtrl+⇧ Shift+C⌘ Cmd+⇧ Shift+CСкопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этом же документе.
                    Применить форматированиеCtrl+⇧ Shift+V⌘ Cmd+⇧ Shift+VПрименить ранее скопированное форматирование к тексту редактируемого документа.
                    Выделение текста
                    Выделить всеCtrl+A⌘ Cmd+AВыделить весь текст документа вместе с таблицами и изображениями.
                    Выделить фрагмент⇧ Shift+ ⇧ Shift+ Выделить текст посимвольно.
                    Выделить с позиции курсора до начала строки⇧ Shift+Home⇧ Shift+HomeВыделить фрагмент текста с позиции курсора до начала текущей строки.
                    Выделить с позиции курсора до конца строки⇧ Shift+End⇧ Shift+EndВыделить фрагмент текста с позиции курсора до конца текущей строки.
                    Выделить один символ справаShift+Стрелка вправо⇧ Shift+⇧ Shift+ Выделить один символ справа от позиции курсора.
                    Выделить один символ слеваShift+Стрелка влево⇧ Shift+⇧ Shift+ Выделить один символ слева от позиции курсора.
                    Выделить до конца словаCtrl+Shift+Стрелка вправоCtrl+⇧ Shift+ Выделить фрагмент текста с позиции курсора до конца слова.
                    Выделить до начала словаCtrl+Shift+Стрелка влевоCtrl+⇧ Shift+ Выделить фрагмент текста с позиции курсора до начала слова.
                    Выделить одну строку вышеShift+Стрелка вверх⇧ Shift+⇧ Shift+ Выделить одну строку выше (курсор находится в начале строки).
                    Выделить одну строку нижеShift+Стрелка вниз⇧ Shift+⇧ Shift+ Выделить одну строку ниже (курсор находится в начале строки).
                    Оформление текста
                    Жирный шрифтCtrl+BСделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность.
                    КурсивCtrl+IСделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо.
                    Подчеркнутый шрифтCtrl+UПодчеркнуть выделенный фрагмент текста чертой, проведенной под буквами.
                    Выделить страницу вверх⇧ Shift+Page Up⇧ Shift+Page UpВыделить часть страницы с позиции курсора до верхней части экрана.
                    Выделить страницу вниз⇧ Shift+Page Down⇧ Shift+Page DownВыделить часть страницы с позиции курсора до нижней части экрана.
                    Оформление текста
                    Жирный шрифтCtrl+B⌘ Cmd+BСделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность.
                    КурсивCtrl+I⌘ Cmd+IСделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо.
                    Подчеркнутый шрифтCtrl+U⌘ Cmd+UПодчеркнуть выделенный фрагмент текста чертой, проведенной под буквами.
                    Зачеркнутый шрифтCtrl+5Ctrl+5⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам.
                    Подстрочные знакиCtrl+точка (.)Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах.
                    Надстрочные знакиCtrl+запятая (,)Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях.
                    Стиль Заголовок 1 - Alt+1 (для браузеров под Windows и Linux) -
                    Alt+Ctrl+1 (для браузеров под Mac) -
                    Применить к выделенному фрагменту текста стиль Заголовок 1.
                    Стиль Заголовок 2 - Alt+2 (для браузеров под Windows и Linux) -
                    Alt+Ctrl+2 (для браузеров под Mac) -
                    Применить к выделенному фрагменту текста стиль Заголовок 2.
                    Стиль Заголовок 3 - Alt+3 (для браузеров под Windows и Linux) -
                    Alt+Ctrl+3 (для браузеров под Mac) -
                    Применить к выделенному фрагменту текста стиль Заголовок 3.
                    Маркированный списокCtrl+Shift+LСоздать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список.
                    Убрать форматированиеCtrl+ПробелУбрать форматирование из выделенного фрагмента текста.
                    Увеличить шрифтCtrl+]Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста.
                    Уменьшить шрифтCtrl+[Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста.
                    Выровнять по центру/левому краюCtrl+EПереключать абзац между выравниванием по центру и по левому краю.
                    Выровнять по ширине/левому краюCtrl+J, Ctrl+LПереключать абзац между выравниванием по ширине и по левому краю.
                    Выровнять по правому краю/левому краюCtrl+RПереключать абзац между выравниванием по правому краю и по левому краю.
                    Подстрочные знакиCtrl+.^ Ctrl+⇧ Shift+>,
                    ⌘ Cmd+⇧ Shift+>
                    Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах.
                    Надстрочные знакиCtrl+,^ Ctrl+⇧ Shift+<,
                    ⌘ Cmd+⇧ Shift+<
                    Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях.
                    Стиль Заголовок 1Alt+1⌥ Option+^ Ctrl+1Применить к выделенному фрагменту текста стиль Заголовок 1.
                    Стиль Заголовок 2Alt+2⌥ Option+^ Ctrl+2Применить к выделенному фрагменту текста стиль Заголовок 2.
                    Стиль Заголовок 3Alt+3⌥ Option+^ Ctrl+3Применить к выделенному фрагменту текста стиль Заголовок 3.
                    Маркированный списокCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                    ⌘ Cmd+⇧ Shift+L
                    Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список.
                    Убрать форматированиеCtrl+␣ Spacebar^ Ctrl+␣ SpacebarУбрать форматирование из выделенного фрагмента текста.
                    Увеличить шрифтCtrl+]⌘ Cmd+]Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста.
                    Уменьшить шрифтCtrl+[⌘ Cmd+[Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста.
                    Выровнять по центру/левому краюCtrl+E^ Ctrl+E,
                    ⌘ Cmd+E
                    Переключать абзац между выравниванием по центру и по левому краю.
                    Выровнять по ширине/левому краюCtrl+J,
                    Ctrl+L
                    ^ Ctrl+J,
                    ⌘ Cmd+J
                    Переключать абзац между выравниванием по ширине и по левому краю.
                    Выровнять по правому краю/левому краюCtrl+R^ Ctrl+RПереключать абзац между выравниванием по правому краю и по левому краю.
                    Применение форматирования подстрочного текста (с автоматической установкой интервалов)Ctrl+Знак "Равно" (=)Ctrl+= Применить форматирование подстрочного текста к выделенному фрагменту текста.
                    Применение форматирования надстрочного текста (с автоматической установкой интервалов)Ctrl+Shift+Знак "Плюс" (+)Ctrl+⇧ Shift++ Применить форматирование надстрочного текста к выделенному фрагменту текста.
                    Вставка разрыва страницыCtrl+EnterCtrl+↵ Enter^ Ctrl+↵ Return Вставить разрыв страницы в текущей позиции курсора.
                    Увеличить отступCtrl+MУвеличить отступ абзаца слева на одну позицию табуляции.
                    Уменьшить отступCtrl+Shift+MУменьшить отступ абзаца слева на одну позицию табуляции.
                    Увеличить отступCtrl+M^ Ctrl+MУвеличить отступ абзаца слева на одну позицию табуляции.
                    Уменьшить отступCtrl+⇧ Shift+M^ Ctrl+⇧ Shift+MУменьшить отступ абзаца слева на одну позицию табуляции.
                    Добавить номер страницыCtrl+Shift+PCtrl+⇧ Shift+P^ Ctrl+⇧ Shift+P Добавить номер текущей страницы в текущей позиции курсора.
                    Непечатаемые символыCtrl+Shift+Num8Показать или скрыть непечатаемые символы.
                    Добавить дефисNum-Добавить дефис.
                    Непечатаемые символыCtrl+⇧ Shift+Num8Показать или скрыть непечатаемые символы.
                    Удалить один символ слеваBackspace← Backspace← Backspace Удалить один символ слева от курсора.
                    Удалить один символ справаDeleteDeleteDelete Удалить один символ справа от курсора.
                    Модификация объектов
                    Ограничить движениеShift+перетаскиваниеОграничить перемещение выбранного объекта по горизонтали или вертикали.
                    Задать угол поворота в 15 градусовShift+перетаскивание (при поворачивании)Ограничить угол поворота шагом в 15 градусов.
                    Сохранять пропорцииShift+перетаскивание (при изменении размера)Сохранять пропорции выбранного объекта при изменении размера.
                    Модификация объектов
                    Ограничить движение⇧ Shift + перетаскивание⇧ Shift + перетаскиваниеОграничить перемещение выбранного объекта по горизонтали или вертикали.
                    Задать угол поворота в 15 градусов⇧ Shift + перетаскивание (при поворачивании)⇧ Shift + перетаскивание (при поворачивании)Ограничить угол поворота шагом в 15 градусов.
                    Сохранять пропорции⇧ Shift + перетаскивание (при изменении размера)⇧ Shift + перетаскивание (при изменении размера)Сохранять пропорции выбранного объекта при изменении размера.
                    Нарисовать прямую линию или стрелкуShift+перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов.
                    Перемещение с шагом в один пиксельCtrl+Клавиши со стрелкамиУдерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.
                    Работа с таблицамиПеремещение с шагом в один пиксельCtrl+ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.
                    Работа с таблицами
                    Перейти к следующей ячейке в строкеTab↹ Tab↹ Tab Перейти к следующей ячейке в строке таблицы.
                    Перейти к предыдущей ячейке в строкеShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Перейти к предыдущей ячейке в строке таблицы.
                    Перейти к следующей строкеСтрелка вниз Перейти к следующей строке таблицы.
                    Перейти к предыдущей строкеСтрелка вверх Перейти к предыдущей строке таблицы.
                    Начать новый абзацEnter↵ Enter↵ Return Начать новый абзац внутри ячейки.
                    Добавить новую строкуTab в правой нижней ячейке таблицы.↹ Tab в правой нижней ячейке таблицы.↹ Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы.
                    Вставка специальных символовВставка специальных символов
                    Вставка знака ЕвроAlt+Ctrl+EВставить знак Евро (€) в текущей позиции курсора.
                    Вставка формулыAlt+Знак "Равно" (=)Alt+= Вставить формулу в текущей позиции курсора.
                    + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Navigation.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Navigation.htm index 2f3135c38..7c5cbc20f 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Navigation.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Navigation.htm @@ -28,7 +28,7 @@
                  3. Скрыть линейки - скрывает линейки, которые используются для выравнивания текста, графики, таблиц, и других элементов в документе, установки полей, позиций табуляции и отступов абзацев. Чтобы отобразить скрытые линейки, щелкните по этой опции еще раз.

                Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект или фрагмент текста и щелкните по значку вкладки, которая в данный момент активирована (чтобы свернуть правую боковую панель, щелкните по этому значку еще раз).

                -

                Когда открыта панель Комментарии или Чат, левую боковую панель можно настроить путем простого перетаскивания: +

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

                Используйте инструменты навигации

                Для осуществления навигации по документу используйте следующие инструменты:

                diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Search.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Search.htm index 2b57d8d3c..74dcdea13 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/Search.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/Search.htm @@ -23,7 +23,7 @@
              • Задайте параметры поиска, нажав на значок Значок Параметры поиска и отметив нужные опции:
                • С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз.
                • -
                • Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по флажку еще раз.
                • +
                • Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз.
              • Нажмите на одну из кнопок со стрелками в нижнем правом углу окна. diff --git a/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index da5f7e815..cdbbdb05a 100644 --- a/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -30,7 +30,7 @@ DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + - + + @@ -40,6 +40,13 @@ + + + + DOTX + Word Open XML Document Template
                разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов текстовых документов. Шаблон DOTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + + + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов @@ -47,6 +54,13 @@ + + + + OTT + OpenDocument Document Template
                Формат текстовых файлов OpenDocument для шаблонов текстовых документов. Шаблон OTT содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + + + в онлайн-версии + RTF Rich Text Format
                Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами @@ -68,12 +82,19 @@ + + + PDF/A + Portable Document Format / A
                Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + + + + + HTML HyperText Markup Language
                Основной язык разметки веб-страниц - - + + + + в онлайн-версии EPUB diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm index 63114dbb5..5bbe44086 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/FileTab.htm @@ -15,16 +15,26 @@

                Вкладка Файл

                Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом.

                -

                Вкладка Файл

                +
                +

                Окно онлайн-редактора документов:

                +

                Вкладка Файл

                +
                +
                +

                Окно десктопного редактора документов:

                +

                Вкладка Файл

                +

                С помощью этой вкладки вы можете выполнить следующие действия:

                  -
                • сохранить текущий файл (если отключена опция Автосохранение), скачать, распечатать или переименовать его,
                • -
                • создать новый документ или открыть недавно отредактированный,
                • +
                • в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить документ в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию документа в выбранном формате на портале), распечатать или переименовать его, + в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, +
                • +
                • защитить файл с помощью пароля, изменить или удалить пароль (доступно только в десктопной версии);
                • +
                • создать новый документ или открыть недавно отредактированный (доступно только в онлайн-версии),
                • просмотреть общие сведения о документе,
                • -
                • управлять правами доступа,
                • -
                • отслеживать историю версий,
                • +
                • управлять правами доступа (доступно только в онлайн-версии),
                • +
                • отслеживать историю версий (доступно только в онлайн-версии),
                • открыть дополнительные параметры редактора,
                • -
                • вернуться в список документов.
                • +
                • в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
                diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm index a434d1194..7e76412af 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm @@ -14,8 +14,15 @@

                Вкладка Главная

                -

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

                -

                Вкладка Главная

                +

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

                +
                +

                Окно онлайн-редактора документов:

                +

                Вкладка Главная

                +
                +
                +

                Окно десктопного редактора документов:

                +

                Вкладка Главная

                +

                С помощью этой вкладки вы можете выполнить следующие действия:

                diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm index bc5a3d15d..9618a11b2 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm @@ -15,9 +15,17 @@

                Вкладка Вставка

                Вкладка Вставка позволяет добавлять элементы форматирования страницы, а также визуальные объекты и комментарии.

                -

                Вкладка Вставка

                +
                +

                Окно онлайн-редактора документов:

                +

                Вкладка Вставка

                +
                +
                +

                Окно десктопного редактора документов:

                +

                Вкладка Вставка

                +

                С помощью этой вкладки вы можете выполнить следующие действия:

                  +
                • вставлять пустую страницу,
                • вставлять разрывы страниц, разрывы разделов и разрывы колонок,
                • вставлять колонтитулы и номера страниц,
                • вставлять таблицы, изображения, диаграммы, фигуры,
                • diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm index 18c778a89..08194cef6 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm @@ -15,7 +15,14 @@

                  Вкладка Макет

                  Вкладка Макет позволяет изменить внешний вид документа: задать параметры страницы и определить расположение визуальных элементов.

                  -

                  Вкладка Макет

                  +
                  +

                  Окно онлайн-редактора документов:

                  +

                  Вкладка Макет

                  +
                  +
                  +

                  Окно десктопного редактора документов:

                  +

                  Вкладка Макет

                  +

                  С помощью этой вкладки вы можете выполнить следующие действия:

                  • настраивать поля, ориентацию, размер страницы,
                  • diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index 35302666f..fc101d317 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -15,20 +15,31 @@

                    Вкладка Плагины

                    Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач.

                    -

                    Вкладка Плагины

                    -

                    Кнопка Macros позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API.

                    +
                    +

                    Окно онлайн-редактора документов:

                    +

                    Вкладка Плагины

                    +
                    +
                    +

                    Окно десктопного редактора документов:

                    +

                    Вкладка Плагины

                    +
                    +

                    Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные.

                    +

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

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

                      -
                    • ClipArt позволяет добавлять в документ изображения из коллекции картинок,
                    • -
                    • OCR позволяет распознавать текст с картинки и вставлять его в текст документа,
                    • -
                    • PhotoEditor позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее,
                    • -
                    • Speech позволяет преобразовать выделенный текст в речь,
                    • -
                    • Symbol Table позволяет вставлять в текст специальные символы,
                    • -
                    • Translator позволяет переводить выделенный текст на другие языки,
                    • -
                    • YouTube позволяет встраивать в документ видео с YouTube.
                    • +
                    • Отправить - позволяет отправить документ по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии),
                    • +
                    • Клипарт - позволяет добавлять в документ изображения из коллекции картинок,
                    • +
                    • Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона,
                    • +
                    • Распознавание текста - позволяет распознавать текст с картинки и вставлять его в текст документа,
                    • +
                    • Фоторедактор - позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее,
                    • +
                    • Речь - позволяет преобразовать выделенный текст в речь,
                    • +
                    • Таблица символов - позволяет вставлять в текст специальные символы,
                    • +
                    • Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант,
                    • +
                    • Переводчик - позволяет переводить выделенный текст на другие языки,
                    • +
                    • YouTube - позволяет встраивать в документ видео с YouTube.
                    -

                    Плагины Wordpress и EasyBib можно использовать, если подключить соответствующие сервисы в настройках портала. Можно воспользоваться следующими инструкциями для серверной версии или для SaaS-версии.

                    -

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

                    +

                    Плагины Wordpress и EasyBib можно использовать, если подключить соответствующие сервисы в настройках портала. Можно воспользоваться следующими инструкциями для серверной версии или для SaaS-версии.

                    +

                    Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API.

                    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm index 7096dcb8e..100e55067 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -15,18 +15,38 @@

                    Знакомство с пользовательским интерфейсом редактора документов

                    В редакторе документов используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности.

                    -

                    Окно редактора

                    +
                    +

                    Окно онлайн-редактора документов:

                    +

                    Окно онлайн-редактора документов

                    +
                    +
                    +

                    Окно десктопного редактора документов:

                    +

                    Окно десктопного редактора документов

                    +

                    Интерфейс редактора состоит из следующих основных элементов:

                      -
                    1. В Шапке редактора отображается логотип, вкладки меню, название документа. Cправа также находятся три значка, с помощью которых можно задать права доступа, вернуться в список документов, настраивать параметры представления и получать доступ к дополнительным параметрам редактора. -

                      Значки в шапке редактора

                      +
                    2. В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. +

                      В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить.

                      +

                      Значки в шапке редактора

                      +

                      В правой части Шапки редактора отображается имя пользователя и находятся следующие значки:

                      +
                        +
                      • Открыть расположение файла Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
                      • +
                      • Значок Параметры представления Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора.
                      • +
                      • Значок управления правами доступа Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке.
                      • +
                    3. -
                    4. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Совместная работа, Плагины. -

                      Опции Печать, Сохранить, Копировать, Вставить, Отменить и Повторить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки.

                      -

                      Значки на верхней панели инструментов

                      +
                    5. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Совместная работа, Защита, Плагины. +

                      Опции Значок Копировать Копировать и Значок Вставить Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки.

                    6. В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, "Все изменения сохранены" и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб.
                    7. -
                    8. На Левой боковой панели находятся значки, позволяющие использовать инструмент поиска и замены, открыть панель Комментариев и Чата, обратиться в службу технической поддержки и посмотреть информацию о программе.
                    9. +
                    10. На Левой боковой панели находятся следующие значки: +
                        +
                      • Значок Поиск - позволяет использовать инструмент поиска и замены,
                      • +
                      • Значок Комментариев - позволяет открыть панель Комментариев
                      • +
                      • Значок Навигация - позволяет перейти в панель Навигации для управления заголовками
                      • +
                      • Значок Чата (доступно только в онлайн-версии) - позволяет открыть панель Чата, а также значки, позволяющие обратиться в службу технической поддержки и посмотреть информацию о программе.
                      • +
                      +
                    11. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении в тексте определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель.
                    12. Горизонтальная и вертикальная Линейки позволяют выравнивать текст и другие элементы в документе, настраивать поля, позиции табуляции и отступы абзацев.
                    13. В Рабочей области вы можете просматривать содержимое документа, вводить и редактировать данные.
                    14. diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm index 98678395d..737194614 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReferencesTab.htm @@ -15,7 +15,14 @@

                      Вкладка Ссылки

                      Вкладка Ссылки позволяет управлять различными типами ссылок: добавлять и обновлять оглавление, создавать и редактировать сноски, вставлять гиперссылки.

                      -

                      Вкладка Ссылки

                      +
                      +

                      Окно онлайн-редактора документов:

                      +

                      Вкладка Ссылки

                      +
                      +
                      +

                      Окно десктопного редактора документов:

                      +

                      Вкладка Ссылки

                      +

                      С помощью этой вкладки вы можете выполнить следующие действия:

                      • создавать и автоматически обновлять оглавление,
                      • diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm index 75c5bcdbc..c05b6a4d0 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/ReviewTab.htm @@ -14,18 +14,25 @@

                        Вкладка Совместная работа

                        -

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

                        -

                        Вкладка Совместная работа

                        +

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

                        +
                        +

                        Окно онлайн-редактора документов:

                        +

                        Вкладка Совместная работа

                        +
                        +
                        +

                        Окно десктопного редактора документов:

                        +

                        Вкладка Совместная работа

                        +

                        С помощью этой вкладки вы можете выполнить следующие действия:

                        diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddFormulasInTables.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddFormulasInTables.htm new file mode 100644 index 000000000..e78b1e020 --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AddFormulasInTables.htm @@ -0,0 +1,167 @@ + + + + Использование формул в таблицах + + + + + + + +
                        +
                        + +
                        +

                        Использование формул в таблицах

                        +

                        Вставка формулы

                        +

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

                        +
                          +
                        1. установите курсор в ячейке, где требуется отобразить результат,
                        2. +
                        3. нажмите кнопку Добавить формулу на правой боковой панели,
                        4. +
                        5. в открывшемся окне Настройки формулы введите нужную формулу в поле Формула. +

                          Нужную формулу можно ввести вручную, используя общепринятые математические операторы (+, -, *, /), например, =A1*B2 или использовать выпадающий список Вставить функцию, чтобы выбрать одну из встроенных функций, например, =PRODUCT(A1,B2).

                          +

                          Вставка формулы

                          +
                        6. +
                        7. вручную задайте нужные аргументы в скобках в поле Формула. Если функция требует несколько аргументов, их надо вводить через запятую.
                        8. +
                        9. используйте выпадающий список Формат числа, если требуется отобразить результат в определенном числовом формате,
                        10. +
                        11. нажмите кнопку OK.
                        12. +
                        +

                        Результат будет отображен в выбранной ячейке.

                        +

                        Чтобы отредактировать добавленную формулу, выделите результат в ячейке и нажмите на кнопку Добавить формулу на правой боковой панели, внесите нужные изменения в окне Настройки формулы и нажмите кнопку OK.

                        +
                        +

                        Добавление ссылок на ячейки

                        +

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

                        +
                          +
                        • ABOVE - ссылка на все ячейки в столбце, расположенные выше выделенной ячейки
                        • +
                        • LEFT - ссылка на все ячейки в строке, расположенные слева от выделенной ячейки
                        • +
                        • BELOW - ссылка на все ячейки в столбце, расположенные ниже выделенной ячейки
                        • +
                        • RIGHT - ссылка на все ячейки в строке, расположенные справа от выделенной ячейки
                        • +
                        +

                        Эти аргументы можно использовать с функциями AVERAGE, COUNT, MAX, MIN, PRODUCT, SUM.

                        +

                        Также можно вручную вводить ссылки на определенную ячейку (например, A1) или диапазон ячеек (например, A1:B3).

                        +

                        Использование закладок

                        +

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

                        +

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

                        +

                        Обновление результатов формул

                        +

                        Если вы изменили какие-то значения в ячейках таблицы, потребуется вручную обновить результаты формул:

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

                        Встроенные функции

                        +

                        Можно использовать следующие стандартные математические, статистические и логические функции:

                        + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
                        КатегорияФункцияОписаниеПример
                        МатематическиеABS(x)Функция используется для нахождения модуля (абсолютной величины) числа.=ABS(-10)
                        Возвращает 10
                        ЛогическиеAND(logical1, logical2, ...)Функция используется для проверки, является ли введенное логическое значение истинным или ложным. Функция возвращает значение 1 (ИСТИНА), если все аргументы имеют значение ИСТИНА.=AND(1>0,1>3)
                        Возвращает 0
                        СтатистическиеAVERAGE(argument-list)Функция анализирует диапазон данных и вычисляет среднее значение.=AVERAGE(4,10)
                        Возвращает 7
                        СтатистическиеCOUNT(argument-list)Функция используется для подсчета количества ячеек в выбранном диапазоне, содержащих числа, без учета пустых или содержащих текст ячеек.=COUNT(A1:B3)
                        Возвращает 6
                        ЛогическиеDEFINED()Функция оценивает, определено ли значение в ячейке. Функция возвращает 1, если значение определено и вычисляется без ошибок, и возвращает 0, если значение не определено или вычисляется с офибкой.=DEFINED(A1)
                        ЛогическиеFALSE()Функция возвращает значение 0 (ЛОЖЬ) и не требует аргумента. =FALSE
                        Возвращает 0
                        МатематическиеINT(x)Функция анализирует и возвращает целую часть заданного числа.=INT(2.5)
                        Возвращает 2
                        СтатистическиеMAX(number1, number2, ...)Функция используется для анализа диапазона данных и поиска наибольшего числа.=MAX(15,18,6)
                        Возвращает 18
                        СтатистическиеMIN(number1, number2, ...)Функция используется для анализа диапазона данных и поиска наименьшего числа.=MIN(15,18,6)
                        Возвращает 6
                        МатематическиеMOD(x, y)Функция возвращает остаток от деления числа на заданный делитель.=MOD(6,3)
                        Возвращает 0
                        ЛогическиеNOT(logical)Функция используется для проверки, является ли введенное логическое значение истинным или ложным. Функция возвращает значение 1 (ИСТИНА), если аргумент имеет значение ЛОЖЬ, и 0 (ЛОЖЬ), если аргумент имеет значение ИСТИНА.=NOT(2<5)
                        Возвращает 0
                        ЛогическиеOR(logical1, logical2, ...)Функция используется для проверки, является ли введенное логическое значение истинным или ложным. Функция возвращает значение 0 (ЛОЖЬ), если все аргументы имеют значение ЛОЖЬ.=OR(1>0,1>3)
                        Возвращает 1
                        МатематическиеPRODUCT(argument-list)Функция перемножает все числа в заданном диапазоне ячеек и возвращает произведение..=PRODUCT(2,5)
                        Возвращает 10
                        МатематическиеROUND(x, num_digits)Функция округляет число до заданного количества десятичных разрядов.=ROUND(2.25,1)
                        Возвращает 2.3
                        МатематическиеSIGN(x)Функция определяет знак числа. Если число положительное, функция возвращает значение 1. Если число отрицательное, функция возвращает значение -1. Если число равно 0, функция возвращает значение 0.=SIGN(-12)
                        Возвращает -1
                        МатематическиеSUM(argument-list)Функция возвращает результат сложения всех чисел в выбранном диапазоне ячеек.=SUM(5,3,2)
                        Возвращает 10
                        ЛогическиеTRUE()Функция возвращает значение 1 (ИСТИНА) и не требует аргумента.=TRUE
                        Возвращает 1
                        +
                        + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm index b8bb11fa0..f482a76ac 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm @@ -16,22 +16,61 @@

                        Выравнивание и упорядочивание объектов на странице

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

                        Выравнивание объектов

                        -

                        Чтобы выровнять выбранный объект или объекты, щелкните по значку Значок Выравнивание Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип выравнивания:

                        -
                          -
                        • Выровнять по левому краю Значок Выровнять по левому краю - чтобы выровнять объект (объекты) по горизонтали по левому краю страницы,
                        • -
                        • Выровнять по центру Значок Выровнять по центру - чтобы выровнять объект (объекты) по горизонтали по центру страницы,
                        • -
                        • Выровнять по правому краю Значок Выровнять по правому краю - чтобы выровнять объект (объекты) по горизонтали по правому краю страницы,
                        • -
                        • Выровнять по верхнему краю Значок Выровнять по верхнему краю - чтобы выровнять объект (объекты) по вертикали по верхнему краю страницы,
                        • -
                        • Выровнять по середине Значок Выровнять по середине - чтобы выровнять объект (объекты) по вертикали по середине страницы,
                        • -
                        • Выровнять по нижнему краю Значок Выровнять по нижнему краю - чтобы выровнять объект (объекты) по вертикали по нижнему краю страницы.
                        • -
                        +

                        Чтобы выровнять два или более выделенных объектов,

                        + +
                          +
                        1. + Щелкните по значку Значок Выравнивание Выравнивание на вкладке Макет верхней панели инструментов и выберите один из следующих вариантов: +
                            +
                          • Выровнять относительно страницы чтобы выровнять объекты относительно краев страницы,
                          • +
                          • Выровнять относительно поля чтобы выровнять объекты относительно полей страницы,
                          • +
                          • Выровнять выделенные объекты (эта опция выбрана по умолчанию) чтобы выровнять объекты относительно друг друга,
                          • +
                          +
                        2. +
                        3. + Еще раз нажмите на значок Значок Выравнивание Выравнивание и выберите из списка нужный тип выравнивания: +
                            +
                          • Выровнять по левому краю Значок Выровнять по левому краю - чтобы выровнять объекты по горизонтали по левому краю самого левого объекта/по левому краю страницы/по левому полю страницы,
                          • +
                          • Выровнять по центру Значок Выровнять по центру - чтобы выровнять объекты по горизонтали по их центру/по центру страницы/по центру пространства между левым и правым полем страницы,
                          • +
                          • Выровнять по правому краю Значок Выровнять по правому краю - чтобы выровнять объекты по горизонтали по правому краю самого правого объекта/по правому краю страницы/по правому полю страницы,
                          • +
                          • Выровнять по верхнему краю Значок Выровнять по верхнему краю - чтобы выровнять объекты по вертикали по верхнему краю самого верхнего объекта/по верхнему краю страницы/по верхнему полю страницы,
                          • +
                          • Выровнять по середине Значок Выровнять по середине - чтобы выровнять объекты по вертикали по их середине/по середине страницы/по середине пространства между верхним и нижним полем страницы,
                          • +
                          • Выровнять по нижнему краю Значок Выровнять по нижнему краю - чтобы выровнять объекты по вертикали по нижнему краю самого нижнего объекта/по нижнему краю страницы/по нижнему полю страницы.
                          • +
                          +
                        4. +
                        +

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

                        +

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

                        +

                        Распределение объектов

                        +

                        Чтобы распределить три или более выбранных объектов по горизонтали или вертикали таким образом, чтобы между ними было равное расстояние,

                        + +
                          +
                        1. + Щелкните по значку Значок Выравнивание Выравнивание на вкладке Макет верхней панели инструментов и выберите один из следующих вариантов: +
                            +
                          • Выровнять относительно страницы - чтобы распределить объекты между краями страницы,
                          • +
                          • Выровнять относительно поля - чтобы распределить объекты между полями страницы,
                          • +
                          • Выровнять выделенные объекты (эта опция выбрана по умолчанию) - чтобы распределить объекты между двумя крайними выделенными объектами,
                          • +
                          +
                        2. +
                        3. + Еще раз нажмите на значок Значок Выравнивание Выравнивание и выберите из списка нужный тип распределения: +
                            +
                          • Распределить по горизонтали Значок Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом/левым и правым краем страницы/левым и правым полем страницы.
                          • +
                          • Распределить по вертикали Значок Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом/верхним и нижним краем страницы/верхним и нижним полем страницы.
                          • +
                          +
                        4. +
                        +

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

                        +

                        Примечание: параметры распределения неактивны, если выделено менее трех объектов.

                        Группировка объектов

                        -

                        Чтобы сгруппировать два или более выбранных объектов или разгруппировать их, щелкните по стрелке рядом со значком Значок Группировка Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию:

                        +

                        Чтобы сгруппировать два или более выбранных объектов или разгруппировать их, щелкните по стрелке рядом со значком Значок Группировка Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию:

                        • Сгруппировать Значок Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект.
                        • Разгруппировать Значок Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов.

                        Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать.

                        +

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

                        Упорядочивание объектов

                        Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Значок Перенести вперед Перенести вперед и Значок Перенести назад Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения.

                        Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Значок Перенести вперед Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения:

                        @@ -44,6 +83,7 @@
                      • Перенести на задний план Значок Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов,
                      • Перенести назад Значок Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам.
                      +

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

                      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm index 8a6ba6cea..f05c784d3 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm @@ -17,11 +17,11 @@

                      Использование основных операций с буфером обмена

                      Для выполнения операций вырезания, копирования и вставки фрагментов текста и вставленных объектов (автофигур, рисунков, диаграмм) в текущем документе используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов:

                        -
                      • Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же документа.
                      • -
                      • Копировать – выделите фрагмент текста или объект и используйте опцию контекстного меню Копировать или значок Копировать Значок Копировать на верхней панели инструментов, чтобы скопировать выделенный фрагмент в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же документа.
                      • -
                      • Вставить – найдите в документе то место, куда необходимо вставить ранее скопированный фрагмент текста/объект, и используйте опцию контекстного меню Вставить или значок Вставить Значок Вставить на верхней панели инструментов. Текст/объект будет вставлен в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого документа.
                      • +
                      • Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же документа.
                      • +
                      • Копировать – выделите фрагмент текста или объект и используйте опцию контекстного меню Копировать или значок Копировать Значок Копировать на верхней панели инструментов, чтобы скопировать выделенный фрагмент в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же документа.
                      • +
                      • Вставить – найдите в документе то место, куда необходимо вставить ранее скопированный фрагмент текста/объект, и используйте опцию контекстного меню Вставить или значок Вставить Значок Вставить на верхней панели инструментов. Текст/объект будет вставлен в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого документа.
                      -

                      Для копирования данных из другого документа или какой-то другой программы или вставки данных в них используйте следующие сочетания клавиш:

                      +

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

                      • сочетание клавиш Ctrl+X для вырезания;
                      • сочетание клавиш Ctrl+C для копирования;
                      • @@ -42,11 +42,14 @@
                      • Сохранить только текст - позволяет вставить содержимое таблицы как текстовые значения, разделенные символом табуляции.

                      Отмена / повтор действий

                      -

                      Для выполнения операций отмены/повтора используйте соответствующие значки, доступные на любой вкладке верхней панели инструментов, или сочетания клавиш:

                      +

                      Для выполнения операций отмены/повтора используйте соответствующие значки в шапке редактора или сочетания клавиш:

                        -
                      • Отменить – чтобы отменить последнее выполненное действие, используйте значок Отменить Значок Отменить на верхней панели инструментов или сочетание клавиш Ctrl+Z.
                      • -
                      • Повторить – чтобы повторить последнее отмененное действие, используйте значок Повторить Значок Повторить на верхней панели инструментов или сочетание клавиш Ctrl+Y.
                      • +
                      • Отменить – чтобы отменить последнее выполненное действие, используйте значок Отменить Значок Отменить в левой части шапки редактора или сочетание клавиш Ctrl+Z.
                      • +
                      • Повторить – чтобы повторить последнее отмененное действие, используйте значок Повторить Значок Повторить в левой части шапки редактора или сочетание клавиш Ctrl+Y.
                      +

                      + Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие. +

                      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/DecorationStyles.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/DecorationStyles.htm index 76d131b85..3f3d38b8c 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/DecorationStyles.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/DecorationStyles.htm @@ -57,8 +57,10 @@
                    15. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах.
                    16. Малые прописные - используется, чтобы сделать все буквы строчными.
                    17. Все прописные - используется, чтобы сделать все буквы прописными.
                    18. -
                    19. Интервал - используется, чтобы задать расстояние между символами.
                    20. -
                    21. Положение - используется, чтобы задать положение символов в строке.
                    22. +
                    23. Интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода.
                    24. +
                    25. Положение - используется, чтобы задать положение символов в строке (смещение по вертикали). Увеличьте значение, заданное по умолчанию, чтобы сместить символы вверх, или уменьшите значение, заданное по умолчанию, чтобы сместить символы вниз. Используйте кнопки со стрелками или введите нужное значение в поле ввода. +

                      Все изменения будут отображены в расположенном ниже поле предварительного просмотра.

                      +

                  Дополнительные параметры абзаца - Шрифт

                  diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm index efc19927b..e9074266a 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeColor.htm @@ -20,12 +20,12 @@ Шрифт Шрифт - Используется для выбора шрифта из списка доступных. + Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Размер шрифта - Используется для выбора предустановленного значения размера шрифта из выпадающего списка, или же значение можно ввести вручную в поле размера шрифта. + Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение в поле ввода и нажать клавишу Enter. Увеличить размер шрифта diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm index 6fda1518f..bac576300 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm @@ -45,7 +45,8 @@
                • Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице.
                • Выравнивание - используется, чтобы выровнять фигуру по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице.
                • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля "В тексте". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение границы обтекания
                • -
                • Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'.
                • +
                • Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз.
                • +
                • Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'.

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

                @@ -97,11 +98,19 @@
              • Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности.
              • Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки.
                  -
                • Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку.
                • +
                • Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку.
                • Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет.
                • Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий).
              • +
              • Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: +
                  +
                • Значок Повернуть против часовой стрелки чтобы повернуть фигуру на 90 градусов против часовой стрелки
                • +
                • Значок Повернуть по часовой стрелке чтобы повернуть фигуру на 90 градусов по часовой стрелке
                • +
                • Значок Отразить слева направо чтобы отразить фигуру по горизонтали (слева направо)
                • +
                • Значок Отразить сверху вниз чтобы отразить фигуру по вертикали (сверху вниз)
                • +
                +
              • Стиль обтекания - используйте этот раздел, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже).
              • Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка.
              @@ -126,6 +135,12 @@
            • Если установлен флажок Сохранять пропорции, ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры.
            +

            Фигура - дополнительные параметры: Поворот

            +

            Вкладка Поворот содержит следующие параметры:

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

            Фигура - дополнительные параметры

            Вкладка Обтекание текстом содержит следующие параметры:

              @@ -167,7 +182,7 @@
            • Опция Разрешить перекрытие определяет, будут ли перекрываться две автофигуры, если перетащить их близко друг к другу на странице.

            Фигура - дополнительные параметры

            -

            Вкладка Параметры фигуры содержит следующие параметры:

            +

            Вкладка Линии и стрелки содержит следующие параметры:

            • Стиль линии - эта группа опций позволяет задать такие параметры:
                diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm index 773573136..8a2110a18 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm @@ -26,7 +26,7 @@
              • после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления:
                • Копировать и Вставить для копирования и вставки скопированных данных
                • -
                • Отменить и Повторить для отмены и повтора действий
                • +
                • Отменить и Повторить для отмены и повтора действий
                • Вставить функцию для вставки функции
                • Уменьшить разрядность и Увеличить разрядность для уменьшения и увеличения числа десятичных знаков
                • Формат чисел для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках
                • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm index a2906944a..a1606fc12 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertContentControls.htm @@ -52,7 +52,7 @@

                  Окно настроек элемента управления содержимым

                  • Укажите Заголовок или Тег элемента управления содержимым в соответствующих полях. Заголовок будет отображаться при выделении элемента управления в документе. Теги используются для идентификации элементов управления, чтобы можно было ссылаться на них в коде.
                  • -
                  • Выберите, требуется ли отображать элемент управления C ограничивающей рамкой или Без рамки. В том случае, если вы выбрали вариант C ограничивающей рамкой, можно выбрать Цвет рамки в расположенном ниже поле.
                  • +
                  • Выберите, требуется ли отображать элемент управления C ограничивающей рамкой или Без рамки. В том случае, если вы выбрали вариант C ограничивающей рамкой, можно выбрать Цвет рамки в расположенном ниже поле. Нажмите кнопку Применить ко всем, чтобы применить указанные настройки из раздела Вид ко всем элементам управления в документе.
                  • Защитите элемент управления содержимым от удаления или редактирования, используя параметры из раздела Блокировка:
                    • Элемент управления содержимым нельзя удалить - отметьте эту опцию, чтобы защитить элемент управления содержимым от удаления.
                    • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm index fe91a5d7b..5dae005d1 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm @@ -25,6 +25,7 @@
                      • при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть
                      • при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK
                      • +
                      • при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK
                    • после того, как изображение будет добавлено, можно изменить его размер, свойства и положение.
                    • @@ -42,9 +43,31 @@

                      Вкладка Параметры изображения

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

                        -
                      • Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы.
                      • -
                      • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже).
                      • -
                      • Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL.
                      • +
                      • Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. +

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

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

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

                        +

                        После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию:

                        +
                          +
                        • При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены.
                        • +
                        • При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства.
                        • +
                        +
                      • +
                      • Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: +
                          +
                        • Значок Повернуть против часовой стрелки чтобы повернуть изображение на 90 градусов против часовой стрелки
                        • +
                        • Значок Повернуть по часовой стрелке чтобы повернуть изображение на 90 градусов по часовой стрелке
                        • +
                        • Значок Отразить слева направо чтобы отразить изображение по горизонтали (слева направо)
                        • +
                        • Значок Отразить сверху вниз чтобы отразить изображение по вертикали (сверху вниз)
                        • +
                        +
                      • +
                      • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже).
                      • +
                      • Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL.

                      Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты:

                        @@ -52,7 +75,9 @@
                      • Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице.
                      • Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице.
                      • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля "В тексте". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Изменение границы обтекания
                      • -
                      • Размер по умолчанию - используется для смены текущего размера изображения на размер по умолчанию.
                      • +
                      • Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз.
                      • +
                      • Обрезать - используется, чтобы применить один из вариантов обрезки: Обрезать, Заливка или Вписать. Выберите из подменю пункт Обрезать, затем перетащите маркеры обрезки, чтобы задать область обрезки, и нажмите на одну из этих трех опций в подменю еще раз, чтобы применить изменения.
                      • +
                      • Размер по умолчанию - используется для смены текущего размера изображения на размер по умолчанию.
                      • Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL.
                      • Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'.
                      @@ -64,6 +89,12 @@
                      • Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции Кнопка Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию.
                      +

                      Изображение - дополнительные параметры: Вращение

                      +

                      Вкладка Поворот содержит следующие параметры:

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

                      Изображение - дополнительные параметры: Обтекание текстом

                      Вкладка Обтекание текстом содержит следующие параметры:

                        diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTables.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTables.htm index 525a1d139..a9bc567c8 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTables.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTables.htm @@ -59,7 +59,7 @@
                      • Выровнять высоту строк - используется для изменения выделенных ячеек таким образом, чтобы все они имели одинаковую высоту, без изменения общей высоты таблицы.
                      • Выровнять ширину столбцов - используется для изменения выделенных ячеек таким образом, чтобы все они имели одинаковую ширину, без изменения общей ширины таблицы.
                      • Вертикальное выравнивание в ячейках - используется для выравнивания текста в выделенной ячейке по верхнему краю, центру или нижнему краю.
                      • -
                      • Направление текста - используется для изменения ориентации текста в ячейке. Текст можно расположить по горизонтали, по вертикали сверху вниз (Поворот на 90°), или по вертикали снизу вверх (Поворот на 270°).
                      • +
                      • Направление текста - используется для изменения ориентации текста в ячейке. Текст можно расположить по горизонтали, по вертикали сверху вниз (Повернуть текст вниз), или по вертикали снизу вверх (Повернуть текст вверх).
                      • Дополнительные параметры таблицы - используется для вызова окна 'Таблица - дополнительные параметры'.
                      • Гиперссылка - используется для вставки гиперссылки.
                      • Дополнительные параметры абзаца - используется для вызова окна 'Абзац - дополнительные параметры'.
                      • @@ -86,6 +86,7 @@
                      • Стиль границ - используется для выбора толщины, цвета и стиля границ, а также цвета фона.

                      • Строки и столбцы - используется для выполнения некоторых операций с таблицей: выделения, удаления, вставки строк и столбцов, объединения ячеек, разделения ячейки.

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

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

                      • Повторять как заголовок на каждой странице - в длинных таблицах используется для вставки одной и той же строки заголовка наверху каждой страницы.

                      • Дополнительные параметры - используется для вызова окна 'Таблица - дополнительные параметры'.

                      diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm index 7250876d1..596ca4039 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm @@ -38,13 +38,13 @@
                      • чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры.
                      • чтобы изменить заливку, обводку, стиль обтекания текстового поля или заменить прямоугольное поле на какую-то другую фигуру, щелкните по значку Параметры фигуры Значок Параметры фигуры на правой боковой панели и используйте соответствующие опции.
                      • -
                      • чтобы выровнять текстовое поле на странице, расположить текстовые поля в определенном порядке относительно других объектов, изменить стиль обтекания или открыть дополнительные параметры фигуры, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице.
                      • +
                      • чтобы выровнять текстовое поле на странице, расположить текстовые поля в определенном порядке относительно других объектов, повернуть или отразить текстовое поле, изменить стиль обтекания или открыть дополнительные параметры фигуры, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице.

                      Форматирование текста внутри текстового поля

                      Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии.

                      Выделенный текст

                      Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста.

                      -

                      Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем - один из доступных вариантов: Горизонтальное (выбран по умолчанию), Поворот на 90° (задает вертикальное направление, сверху вниз) или Поворот на 270° (задает вертикальное направление, снизу вверх).

                      +

                      Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем - один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх).

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

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

                        diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm index dd0dc092a..aee9a54e2 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm @@ -14,19 +14,52 @@

                        Создание нового документа или открытие существующего

                        -

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

                        -

                        Чтобы создать новый документ,

                        -
                          -
                        1. нажмите на вкладку Файл на верхней панели инструментов,
                        2. -
                        3. выберите опцию Создать новый....
                        4. -
                        -

                        Чтобы открыть документ, который вы недавно редактировали в редакторе документов,

                        -
                          -
                        1. нажмите на вкладку Файл на верхней панели инструментов,
                        2. -
                        3. выберите опцию Открыть последние...,
                        4. -
                        5. выберите нужный документ из списка недавно измененных документов.
                        6. -
                        -

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

                        +
                        Чтобы создать новый документ
                        +
                        +

                        В онлайн-редакторе

                        +
                          +
                        1. нажмите на вкладку Файл на верхней панели инструментов,
                        2. +
                        3. выберите опцию Создать новый.
                        4. +
                        +
                        +
                        +

                        В десктопном редакторе

                        +
                          +
                        1. в главном окне программы выберите пункт меню Документ в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке,
                        2. +
                        3. после внесения в документ необходимых изменений нажмите на значок Сохранить Значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как.
                        4. +
                        5. в окне проводника выберите местоположение файла на жестком диске, задайте название документа, выберите формат сохранения (DOCX, Шаблон документа, ODT, RTF, TXT, PDF или PDFA) и нажмите кнопку Сохранить.
                        6. +
                        +
                        + +
                        +
                        Чтобы открыть существующий документ
                        +

                        В десктопном редакторе

                        +
                          +
                        1. в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели,
                        2. +
                        3. выберите нужный документ в окне проводника и нажмите кнопку Открыть.
                        4. +
                        +

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

                        +

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

                        +
                        + +
                        Чтобы открыть документ, который вы недавно редактировали
                        +
                        +

                        В онлайн-редакторе

                        +
                          +
                        1. нажмите на вкладку Файл на верхней панели инструментов,
                        2. +
                        3. выберите опцию Открыть последние...,
                        4. +
                        5. выберите нужный документ из списка недавно измененных документов.
                        6. +
                        +
                        +
                        +

                        В десктопном редакторе

                        +
                          +
                        1. в главном окне программы выберите пункт меню Последние файлы на левой боковой панели,
                        2. +
                        3. выберите нужный документ из списка недавно измененных документов.
                        4. +
                        +
                        + +

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

                        diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/PageBreaks.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/PageBreaks.htm index f3aaa2e24..8f91426b1 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/PageBreaks.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/PageBreaks.htm @@ -17,6 +17,7 @@

                        В редакторе документов можно добавить разрыв страницы, чтобы начать новую страницу, а также настроить параметры разбивки на страницы.

                        Чтобы вставить разрыв страницы в текущей позиции курсора, нажмите значок Разрыв страницы Разрывы на вкладке Вставка или Макет верхней панели инструментов или щелкните по направленной вниз стрелке этого значка и выберите из меню опцию Вставить разрыв страницы. Можно также использовать сочетание клавиш Ctrl+Enter.

                        +

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

                        Чтобы вставить разрыв страницы перед выбранным абзацем, то есть начать этот абзац в верхней части новой страницы:

                        • щелкните правой кнопкой мыши и выберите в меню пункт С новой страницы, или
                        • diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index 7b93dd61e..bb4097a48 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -14,28 +14,48 @@

                          Сохранение / скачивание / печать документа

                          -

                          По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры.

                          -

                          Чтобы сохранить текущий документ вручную,

                          +

                          Сохранение

                          +

                          По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры.

                          +

                          Чтобы сохранить текущий документ вручную в текущем формате и местоположении,

                            -
                          • нажмите значок Сохранить Значок Сохранить на верхней панели инструментов, или
                          • +
                          • нажмите значок Сохранить Значок Сохранить в левой части шапки редактора, или
                          • используйте сочетание клавиш Ctrl+S, или
                          • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить.
                          +

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

                          +
                          +

                          Чтобы в десктопной версии сохранить документ под другим именем, в другом местоположении или в другом формате,

                          +
                            +
                          1. нажмите на вкладку Файл на верхней панели инструментов,
                          2. +
                          3. выберите опцию Сохранить как,
                          4. +
                          5. выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDFA. Также можно выбрать вариант Шаблон документа DOTX.
                          6. +
                          +
                          -

                          Чтобы скачать готовый документ и сохранить его на жестком диске компьютера,

                          +

                          Скачивание

                          +

                          Чтобы в онлайн-версии скачать готовый документ и сохранить его на жестком диске компьютера,

                          1. нажмите на вкладку Файл на верхней панели инструментов,
                          2. выберите опцию Скачать как...,
                          3. -
                          4. выберите один из доступных форматов в зависимости от того, что вам нужно: DOCX, PDF, TXT, ODT, RTF, HTML.
                          5. +
                          6. выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.
                          7. +
                          +

                          Сохранение копии

                          +

                          Чтобы в онлайн-версии сохранить копию документа на портале,

                          +
                            +
                          1. нажмите на вкладку Файл на верхней панели инструментов,
                          2. +
                          3. выберите опцию Сохранить копию как...,
                          4. +
                          5. выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML,
                          6. +
                          7. выберите местоположение файла на портале и нажмите Сохранить.
                          +

                          Печать

                          Чтобы распечатать текущий документ,

                            -
                          • нажмите значок Печать Значок Печать на верхней панели инструментов, или
                          • +
                          • нажмите значок Напечатать файл Значок Напечатать файл в левой части шапки редактора, или
                          • используйте сочетание клавиш Ctrl+P, или
                          • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать.
                          -

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

                          +

                          В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати.

                          \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm index b42097e0b..42a6f8d88 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/UseMailMerge.htm @@ -14,7 +14,7 @@

                          Использование слияния

                          -

                          Примечание: эта возможность доступна только для платных версий.

                          +

                          Примечание: эта возможность доступна только в онлайн-версии.

                          Функция слияния используется для создания набора документов, в которых сочетается общее содержание, взятое из текстового документа, и ряд индивидуальных компонентов (переменных, таких как имена, приветствия и т.д.), взятых из электронной таблицы (например, из списка клиентов). Это может быть полезно, если вам надо создать множество персонализированных писем и отправить их получателям.

                          Чтобы начать работу с функцией Слияние,

                            @@ -37,7 +37,7 @@
                          1. Здесь можно добавить новую информацию, изменить или удалить существующие данные, если это необходимо. Чтобы облегчить работу с данными, можно использовать значки в верхней части окна:
                            • Копировать и Вставить - чтобы копировать и вставлять скопированные данные
                            • -
                            • Отменить и Повторить - чтобы отменять и повторять отмененные действия
                            • +
                            • Отменить и Повторить - чтобы отменять и повторять отмененные действия
                            • Значок Сортировка по возрастанию и Значок Сортировка по убыванию - чтобы сортировать данные внутри выделенного диапазона ячеек в порядке возрастания или убывания
                            • Значок Фильтр - чтобы включить фильтр для предварительно выделенного диапазона ячеек или чтобы удалить примененный фильтр
                            • Значок Очистить фильтр - чтобы очистить все примененные параметры фильтра diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm index d4f802c2d..12ab922d0 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm @@ -16,17 +16,19 @@

                              Просмотр сведений о документе

                              Чтобы получить доступ к подробным сведениям о редактируемом документе, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о документе....

                              Общие сведения

                              -

                              Сведения о документе включают название документа, автора, размещение, дату создания, а также статистику: количество страниц, абзацев, слов, символов, символов с пробелами.

                              +

                              Сведения о документе включают название документа, приложение, в котором был создан документ, а также статистику: количество страниц, абзацев, слов, символов, символов с пробелами. В онлайн-версии также отображаются следующие сведения: автор, размещение, дата создания.

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

                              Сведения о правах доступа

                              +

                              В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке.

                              Примечание: эта опция недоступна для пользователей с правами доступа Только чтение.

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

                              Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права.

                              История версий

                              -

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

                              +

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

                              +

                              Примечание: эта опция недоступна для пользователей с правами доступа Только чтение.

                              Чтобы просмотреть все внесенные в документ изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок Значок История версий История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этого документа с указанием автора и даты и времени создания каждой версии/ревизии. Для версий документа также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее.

                              История версий

                              Чтобы вернуться к текущей версии документа, нажмите на ссылку Закрыть историю над списком версий.

                              diff --git a/apps/documenteditor/main/resources/help/ru/editor.css b/apps/documenteditor/main/resources/help/ru/editor.css index cf3e4f141..b715ff519 100644 --- a/apps/documenteditor/main/resources/help/ru/editor.css +++ b/apps/documenteditor/main/resources/help/ru/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 70%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/images/blankpage.png b/apps/documenteditor/main/resources/help/ru/images/blankpage.png new file mode 100644 index 000000000..11180c591 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/blankpage.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/distributehorizontally.png b/apps/documenteditor/main/resources/help/ru/images/distributehorizontally.png new file mode 100644 index 000000000..8e33a0c28 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/distributehorizontally.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/distributevertically.png b/apps/documenteditor/main/resources/help/ru/images/distributevertically.png new file mode 100644 index 000000000..1e5f39011 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/distributevertically.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/document_language_window.png b/apps/documenteditor/main/resources/help/ru/images/document_language_window.png index 972a75de9..0feac2234 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/document_language_window.png and b/apps/documenteditor/main/resources/help/ru/images/document_language_window.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/fliplefttoright.png b/apps/documenteditor/main/resources/help/ru/images/fliplefttoright.png new file mode 100644 index 000000000..b6babc560 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/fliplefttoright.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/flipupsidedown.png b/apps/documenteditor/main/resources/help/ru/images/flipupsidedown.png new file mode 100644 index 000000000..b8ce45f8f Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/flipupsidedown.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/formula_settings.png b/apps/documenteditor/main/resources/help/ru/images/formula_settings.png new file mode 100644 index 000000000..056d5680a Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/formula_settings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/hyperlinkwindow1.png b/apps/documenteditor/main/resources/help/ru/images/hyperlinkwindow1.png index 19ce29cdb..8ef8fa3ae 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/hyperlinkwindow1.png and b/apps/documenteditor/main/resources/help/ru/images/hyperlinkwindow1.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/image_properties.png b/apps/documenteditor/main/resources/help/ru/images/image_properties.png index 84165cf64..5b62eb1b9 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/image_properties.png and b/apps/documenteditor/main/resources/help/ru/images/image_properties.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/image_properties_1.png b/apps/documenteditor/main/resources/help/ru/images/image_properties_1.png index b8364dedd..6f0301794 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/image_properties_1.png and b/apps/documenteditor/main/resources/help/ru/images/image_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/image_properties_2.png b/apps/documenteditor/main/resources/help/ru/images/image_properties_2.png index 0d2d62476..3fc923654 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/image_properties_2.png and b/apps/documenteditor/main/resources/help/ru/images/image_properties_2.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/image_properties_3.png b/apps/documenteditor/main/resources/help/ru/images/image_properties_3.png index c89aa7783..4b8e0750b 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/image_properties_3.png and b/apps/documenteditor/main/resources/help/ru/images/image_properties_3.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/image_properties_4.png b/apps/documenteditor/main/resources/help/ru/images/image_properties_4.png new file mode 100644 index 000000000..1be3f325a Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/image_properties_4.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png new file mode 100644 index 000000000..f03dc7e6b Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png new file mode 100644 index 000000000..12212017f Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_filetab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png new file mode 100644 index 000000000..30163fbf5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_hometab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png new file mode 100644 index 000000000..dc919d2de Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png new file mode 100644 index 000000000..bd6d767bc Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png new file mode 100644 index 000000000..fa28fbd8e Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png new file mode 100644 index 000000000..1f390a01d Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png new file mode 100644 index 000000000..7962318e7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png new file mode 100644 index 000000000..a20299565 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png b/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png index ced5972ee..ca50aeada 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png and b/apps/documenteditor/main/resources/help/ru/images/interface/editorwindow.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png b/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png index 1bdbb8813..e93bd0860 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/filetab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png b/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png index a5f8d3f11..96c25c86d 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/hometab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png index eef0cf05c..1f9cad2a5 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png b/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png index 7711ac4ca..90cf8349b 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/leftpart.png b/apps/documenteditor/main/resources/help/ru/images/interface/leftpart.png index f3f1306f3..e8d22566a 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/leftpart.png and b/apps/documenteditor/main/resources/help/ru/images/interface/leftpart.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png index 314301f3e..e7339999c 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png b/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png index c69c47655..c5b130fde 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png b/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png index ffe913e5d..dda1f5110 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/rightpart.png b/apps/documenteditor/main/resources/help/ru/images/interface/rightpart.png index 97401f9ab..a95ff313f 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/rightpart.png and b/apps/documenteditor/main/resources/help/ru/images/interface/rightpart.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/print.png b/apps/documenteditor/main/resources/help/ru/images/print.png index 03fd49783..9a03cc682 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/print.png and b/apps/documenteditor/main/resources/help/ru/images/print.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/redo.png b/apps/documenteditor/main/resources/help/ru/images/redo.png index 5002b4109..dbfcacc66 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/redo.png and b/apps/documenteditor/main/resources/help/ru/images/redo.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/redo1.png b/apps/documenteditor/main/resources/help/ru/images/redo1.png new file mode 100644 index 000000000..e44b47cbf Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/redo1.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/right_autoshape.png b/apps/documenteditor/main/resources/help/ru/images/right_autoshape.png index ce6bf5b87..7aef6cd1e 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/right_autoshape.png and b/apps/documenteditor/main/resources/help/ru/images/right_autoshape.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/right_image.png b/apps/documenteditor/main/resources/help/ru/images/right_image.png index af91f5f27..4545db89a 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/right_image.png and b/apps/documenteditor/main/resources/help/ru/images/right_image.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/right_table.png b/apps/documenteditor/main/resources/help/ru/images/right_table.png index 32693e0fc..eed136777 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/right_table.png and b/apps/documenteditor/main/resources/help/ru/images/right_table.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/rotateclockwise.png b/apps/documenteditor/main/resources/help/ru/images/rotateclockwise.png new file mode 100644 index 000000000..d27f575b3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/rotateclockwise.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/rotatecounterclockwise.png b/apps/documenteditor/main/resources/help/ru/images/rotatecounterclockwise.png new file mode 100644 index 000000000..43e6a1064 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/rotatecounterclockwise.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/save.png b/apps/documenteditor/main/resources/help/ru/images/save.png index e6a82d6ac..61e3cc891 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/save.png and b/apps/documenteditor/main/resources/help/ru/images/save.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties.png index 6c3f232af..29811e0aa 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/shape_properties.png and b/apps/documenteditor/main/resources/help/ru/images/shape_properties.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties_1.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties_1.png index b1bc447e5..af17aae51 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/shape_properties_1.png and b/apps/documenteditor/main/resources/help/ru/images/shape_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties_2.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties_2.png index 74e412d93..57bfe4364 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/shape_properties_2.png and b/apps/documenteditor/main/resources/help/ru/images/shape_properties_2.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties_3.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties_3.png index 176dfc5af..064813545 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/shape_properties_3.png and b/apps/documenteditor/main/resources/help/ru/images/shape_properties_3.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties_4.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties_4.png index 9ed69a4c4..582adc056 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/shape_properties_4.png and b/apps/documenteditor/main/resources/help/ru/images/shape_properties_4.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties_5.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties_5.png index e672242bc..9fdc28021 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/shape_properties_5.png and b/apps/documenteditor/main/resources/help/ru/images/shape_properties_5.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/shape_properties_6.png b/apps/documenteditor/main/resources/help/ru/images/shape_properties_6.png new file mode 100644 index 000000000..a85bb6145 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/shape_properties_6.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/spellcheckactivated.png b/apps/documenteditor/main/resources/help/ru/images/spellcheckactivated.png index 14d99736a..65e7ed85c 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/spellcheckactivated.png and b/apps/documenteditor/main/resources/help/ru/images/spellcheckactivated.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/spellcheckdeactivated.png b/apps/documenteditor/main/resources/help/ru/images/spellcheckdeactivated.png index f55473551..2f324b661 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/spellcheckdeactivated.png and b/apps/documenteditor/main/resources/help/ru/images/spellcheckdeactivated.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/spellchecking_language.png b/apps/documenteditor/main/resources/help/ru/images/spellchecking_language.png index 7530f33cd..fb4e6b202 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/spellchecking_language.png and b/apps/documenteditor/main/resources/help/ru/images/spellchecking_language.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/undo.png b/apps/documenteditor/main/resources/help/ru/images/undo.png index bb7f9407d..003e8dac2 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/undo.png and b/apps/documenteditor/main/resources/help/ru/images/undo.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/undo1.png b/apps/documenteditor/main/resources/help/ru/images/undo1.png new file mode 100644 index 000000000..595e2a582 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/undo1.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/viewsettingsicon.png b/apps/documenteditor/main/resources/help/ru/images/viewsettingsicon.png index 02a46ce28..e13ec992d 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/viewsettingsicon.png and b/apps/documenteditor/main/resources/help/ru/images/viewsettingsicon.png differ diff --git a/apps/documenteditor/main/resources/help/ru/search/indexes.js b/apps/documenteditor/main/resources/help/ru/search/indexes.js index 9966f6417..90460ba90 100644 --- a/apps/documenteditor/main/resources/help/ru/search/indexes.js +++ b/apps/documenteditor/main/resources/help/ru/search/indexes.js @@ -3,27 +3,27 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе документов", - "body": "Редактор документов - это онлайн- приложение, которое позволяет просматривать и редактировать документы непосредственно в браузере . Используя онлайн- редактор документов, Вы можете выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера как файлы в формате DOCX, PDF, TXT, ODT, RTF или HTML. Для просмотра текущей версии программы и информации о владельце лицензии щелкните по значку на левой боковой панели инструментов." + "body": "Редактор документов - это онлайн- приложение, которое позволяет просматривать и редактировать документы непосредственно в браузере . Используя онлайн- редактор документов, Вы можете выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные документы, сохраняя все детали форматирования, или сохранять документы на жесткий диск компьютера как файлы в формате DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора документов", - "body": "Вы можете изменить дополнительные параметры редактора документов. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, прокомментированные фрагменты будут подсвечиваться, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты в тексте документа. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии в тексте документа. Проверка орфографии - используется для включения/отключения опции проверки орфографии. Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на странице. Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Отображать изменения при совместной работе* - используется для определения изменений, которые необходимо подсвечивать во время совместного редактирования: При выборе опции Никакие изменения, внесенные за время текущей сессии, подсвечиваться не будут. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок Сохранить . Эта опция доступна только в том случае, если выбран Строгий режим совместного редактирования. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру страницы или По ширине. Хинтинг шрифтов - используется для выбора типа отображения шрифта в редакторе документов: Выберите опцию Как Windows, если вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора документов. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, прокомментированные фрагменты будут подсвечиваться, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты в тексте документа. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии в тексте документа. Проверка орфографии - используется для включения/отключения опции проверки орфографии. Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на странице. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Отображать изменения при совместной работе - используется для определения изменений, которые необходимо подсвечивать во время совместного редактирования: При выборе опции Никакие изменения, внесенные за время текущей сессии, подсвечиваться не будут. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок Сохранить . Эта опция доступна только в том случае, если выбран Строгий режим совместного редактирования. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру страницы или По ширине. Хинтинг шрифтов - используется для выбора типа отображения шрифта в редакторе документов: Выберите опцию Как Windows, если вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование документа", - "body": "В онлайн-редакторе документов вы можете работать над документом совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемому документу визуальная индикация фрагментов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей документа комментарии, содержащие описание задачи или проблемы, которую необходимо решить Совместное редактирование В редакторе документов можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Когда документ редактируют одновременно несколько пользователей в Строгом режиме, редактируемые фрагменты текста помечаются пунктирными линиями разных цветов. При наведении курсора мыши на один из редактируемых фрагментов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования текста. Количество пользователей, которые в данный момент работают над текущим документом, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы Вы могли проверить, что конкретно изменилось. Можно указать, какие изменения требуется подсвечивать во время совместного редактирования: для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры..., а затем укажите, отображать ли все или последние изменения, внесенные при совместной работе. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок . При выборе опции Никакие изменения, внесенные во время текущей сессии, подсвечиваться не будут. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Чтобы оставить комментарий: выделите фрагмент текста, в котором, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши по выделенному фрагменту текста и выберите в контекстном меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием. Фрагмент текста, который Вы прокомментировали, будет подсвечен в документе. Для просмотра комментария щелкните по этому фрагменту. Если требуется отключить эту функцию, для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае прокомментированные фрагменты будут подсвечиваться, только когда Вы нажмете на значок . Вы можете управлять добавленными комментариями следующим образом: отредактировать их, нажав значок , удалить их, нажав значок , закрыть обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "В редакторе документов вы можете работать над документом совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемому документу визуальная индикация фрагментов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей документа комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе документов можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие. Когда документ редактируют одновременно несколько пользователей в Строгом режиме, редактируемые фрагменты текста помечаются пунктирными линиями разных цветов. При наведении курсора мыши на один из редактируемых фрагментов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования текста. Количество пользователей, которые в данный момент работают над текущим документом, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр, комментирование, заполнение форм или рецензирование документа, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы Вы могли проверить, что конкретно изменилось. Можно указать, какие изменения требуется подсвечивать во время совместного редактирования: для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры..., а затем укажите, отображать ли все или последние изменения, внесенные при совместной работе. При выборе опции Все будут подсвечиваться все изменения, внесенные за время текущей сессии. При выборе опции Последние будут подсвечиваться только те изменения, которые были внесены с момента, когда Вы последний раз нажимали на значок . При выборе опции Никакие изменения, внесенные во время текущей сессии, подсвечиваться не будут. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите фрагмент текста, в котором, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши по выделенному фрагменту текста и выберите в контекстном меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием. Фрагмент текста, который Вы прокомментировали, будет подсвечен в документе. Для просмотра комментария щелкните по этому фрагменту. Если требуется отключить эту функцию, для этого нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае прокомментированные фрагменты будут подсвечиваться, только когда Вы нажмете на значок . Вы можете управлять добавленными комментариями следующим образом: отредактировать их, нажав значок , удалить их, нажав значок , закрыть обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Сочетания клавиш", - "body": "Работа с документом Открыть панель 'Файл' Alt+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущий документ, просмотреть сведения о нем, создать новый документ или открыть существующий, получить доступ к Справке по редактору документов или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск символа/слова/фразы в редактируемом документе. Открыть окно 'Поиск и замена' с полем замены Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Открыть панель 'Комментарии' Ctrl+Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q Открыть панель Чат и отправить сообщение. Сохранить документ Ctrl+S Сохранить все изменения в редактируемом документе. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать документа Ctrl+P Распечатать документ на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемый документ на жестком диске компьютера в одном из поддерживаемых форматов: DOCX, PDF, TXT, ODT, RTF, HTML. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть редактор документов на весь экран. Меню Справка F1 Открыть меню Справка редактора документов. Открыть существующий файл Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Контекстное меню элемента Shift+F10 Открыть контекстное меню выбранного элемента. Закрыть файл Ctrl+W Закрыть выбранный документ. Закрыть окно (вкладку) Ctrl+F4 Закрыть вкладку в браузере. Навигация Перейти в начало строки Home Установить курсор в начале редактируемой строки. Перейти в начало документа Ctrl+Home Установить курсор в самом начале редактируемого документа. Перейти в конец строки End Установить курсор в конце редактируемой строки. Перейти в конец документа Ctrl+End Установить курсор в самом конце редактируемого документа. Прокрутить вниз Page Down Прокрутить документ примерно на одну видимую область страницы вниз. Прокрутить вверх Page Up Прокрутить документ примерно на одну видимую область страницы вверх. Следующая страница Alt+Page Down Перейти на следующую страницу редактируемого документа. Предыдущая страница Alt+Page Up Перейти на предыдущую страницу редактируемого документа. Увеличить Ctrl+Знак \"Плюс\" (+) Увеличить масштаб редактируемого документа. Уменьшить Ctrl+Знак \"Минус\" (-) Уменьшить масштаб редактируемого документа. Перейти на один символ влево Стрелка влево Переместить курсор на один символ влево. Перейти на один символ вправо Стрелка вправо Переместить курсор на один символ вправо. Перейти в начало слова или на одно слово влево Ctrl+Стрелка влево Переместить курсор в начало слова или на одно слово влево. Перейти на одно слово вправо Ctrl+Стрелка вправо Переместить курсор на одно слово вправо. Перейти на одну строку вверх Стрелка вверх Переместить курсор на одну строку вверх. Перейти на одну строку вниз Стрелка вниз Переместить курсор на одну строку вниз. Написание Закончить абзац Enter Завершить текущий абзац и начать новый. Добавить разрыв строки Shift+Enter Сделать перевод строки, не начиная новый абзац. Удалить Backspace, Delete Удалить один символ слева (Backspace) или справа (Delete) от курсора. Создать неразрываемый пробел Ctrl+Shift+Пробел Создать между символами пробел, который нельзя использовать для начала новой строки. Создать неразрываемый дефис Ctrl+Shift+Дефис Создать между символами дефис, который нельзя использовать для начала новой строки. Отмена и повтор Отменить Ctrl+Z Отменить последнее выполненное действие. Повторить Ctrl+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, Shift+Delete Удалить выделенный фрагмент текста и отправить его в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert Отправить выделенный фрагмент текста в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Вставить Ctrl+V, Shift+Insert Вставить ранее скопированный текст из буфера обмена компьютера в текущей позиции курсора. Текст может быть ранее скопирован из того же самого документа, из другого документа или из какой-то другой программы. Вставить гиперссылку Ctrl+K Вставить гиперссылку, которую можно использовать для перехода по веб-адресу. Копировать форматирование Ctrl+Shift+C Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этом же документе. Применить форматирование Ctrl+Shift+V Применить ранее скопированное форматирование к тексту редактируемого документа. Выделение текста Выделить все Ctrl+A Выделить весь текст документа вместе с таблицами и изображениями. Выделить фрагмент Shift+Стрелка Выделить текст посимвольно. Выделить с позиции курсора до начала строки Shift+Home Выделить фрагмент текста с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки Shift+End Выделить фрагмент текста с позиции курсора до конца текущей строки. Выделить один символ справа Shift+Стрелка вправо Выделить один символ справа от позиции курсора. Выделить один символ слева Shift+Стрелка влево Выделить один символ слева от позиции курсора. Выделить до конца слова Ctrl+Shift+Стрелка вправо Выделить фрагмент текста с позиции курсора до конца слова. Выделить до начала слова Ctrl+Shift+Стрелка влево Выделить фрагмент текста с позиции курсора до начала слова. Выделить одну строку выше Shift+Стрелка вверх Выделить одну строку выше (курсор находится в начале строки). Выделить одну строку ниже Shift+Стрелка вниз Выделить одну строку ниже (курсор находится в начале строки). Оформление текста Жирный шрифт Ctrl+B Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность. Курсив Ctrl+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо. Подчеркнутый шрифт Ctrl+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами. Зачеркнутый шрифт Ctrl+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам. Подстрочные знаки Ctrl+точка (.) Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах. Надстрочные знаки Ctrl+запятая (,) Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях. Стиль Заголовок 1 Alt+1 (для браузеров под Windows и Linux) Alt+Ctrl+1 (для браузеров под Mac) Применить к выделенному фрагменту текста стиль Заголовок 1. Стиль Заголовок 2 Alt+2 (для браузеров под Windows и Linux) Alt+Ctrl+2 (для браузеров под Mac) Применить к выделенному фрагменту текста стиль Заголовок 2. Стиль Заголовок 3 Alt+3 (для браузеров под Windows и Linux) Alt+Ctrl+3 (для браузеров под Mac) Применить к выделенному фрагменту текста стиль Заголовок 3. Маркированный список Ctrl+Shift+L Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список. Убрать форматирование Ctrl+Пробел Убрать форматирование из выделенного фрагмента текста. Увеличить шрифт Ctrl+] Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста. Уменьшить шрифт Ctrl+[ Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста. Выровнять по центру/левому краю Ctrl+E Переключать абзац между выравниванием по центру и по левому краю. Выровнять по ширине/левому краю Ctrl+J, Ctrl+L Переключать абзац между выравниванием по ширине и по левому краю. Выровнять по правому краю/левому краю Ctrl+R Переключать абзац между выравниванием по правому краю и по левому краю. Применение форматирования подстрочного текста (с автоматической установкой интервалов) Ctrl+Знак \"Равно\" (=) Применить форматирование подстрочного текста к выделенному фрагменту текста. Применение форматирования надстрочного текста (с автоматической установкой интервалов) Ctrl+Shift+Знак \"Плюс\" (+) Применить форматирование надстрочного текста к выделенному фрагменту текста. Вставка разрыва страницы Ctrl+Enter Вставить разрыв страницы в текущей позиции курсора. Увеличить отступ Ctrl+M Увеличить отступ абзаца слева на одну позицию табуляции. Уменьшить отступ Ctrl+Shift+M Уменьшить отступ абзаца слева на одну позицию табуляции. Добавить номер страницы Ctrl+Shift+P Добавить номер текущей страницы в текущей позиции курсора. Непечатаемые символы Ctrl+Shift+Num8 Показать или скрыть непечатаемые символы. Удалить один символ слева Backspace Удалить один символ слева от курсора. Удалить один символ справа Delete Удалить один символ справа от курсора. Модификация объектов Ограничить движение Shift+перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов Shift+перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции Shift+перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку Shift+перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+Клавиши со стрелками Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. Работа с таблицами Перейти к следующей ячейке в строке Tab Перейти к следующей ячейке в строке таблицы. Перейти к предыдущей ячейке в строке Shift+Tab Перейти к предыдущей ячейке в строке таблицы. Перейти к следующей строке Стрелка вниз Перейти к следующей строке таблицы. Перейти к предыдущей строке Стрелка вверх Перейти к предыдущей строке таблицы. Начать новый абзац Enter Начать новый абзац внутри ячейки. Добавить новую строку Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы. Вставка специальных символов Вставка формулы Alt+Знак \"Равно\" (=) Вставить формулу в текущей позиции курсора." + "body": "Windows/Linux Mac OS Работа с документом Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущий документ, просмотреть сведения о нем, создать новый документ или открыть существующий, получить доступ к Справке по редактору документов или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск символа/слова/фразы в редактируемом документе. Открыть окно 'Поиск и замена' с полем замены Ctrl+H ^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Повторить последнее действие 'Найти' ⇧ Shift+F4 ⇧ Shift+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Shift+F4 Повторить действие Найти, которое было выполнено до нажатия этого сочетания клавиш. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить документ Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемом документе. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать документа Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать документ на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемый документ на жестком диске компьютера в одном из поддерживаемых форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть редактор документов на весь экран. Меню Справка F1 F1 Открыть меню Справка редактора документов. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W ⌘ Cmd+W Закрыть выбранный документ в десктопных редакторах . Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Навигация Перейти в начало строки Home Home Установить курсор в начале редактируемой строки. Перейти в начало документа Ctrl+Home ^ Ctrl+Home Установить курсор в самом начале редактируемого документа. Перейти в конец строки End End Установить курсор в конце редактируемой строки. Перейти в конец документа Ctrl+End ^ Ctrl+End Установить курсор в самом конце редактируемого документа. Перейти в начало предыдущей страницы Alt+Ctrl+Page Up Установить курсор в самом начале страницы, которая идет перед редактируемой страницей. Перейти в начало следующей страницы Alt+Ctrl+Page Down ⌥ Option+⌘ Cmd+⇧ Shift+Page Down Установить курсор в самом начале страницы, которая идет после редактируемой страницы. Прокрутить вниз Page Down Page Down, ⌥ Option+Fn+↑ Прокрутить документ примерно на одну видимую область страницы вниз. Прокрутить вверх Page Up Page Up, ⌥ Option+Fn+↓ Прокрутить документ примерно на одну видимую область страницы вверх. Следующая страница Alt+Page Down ⌥ Option+Page Down Перейти на следующую страницу редактируемого документа. Предыдущая страница Alt+Page Up ⌥ Option+Page Up Перейти на предыдущую страницу редактируемого документа. Увеличить Ctrl++ ^ Ctrl++, ⌘ Cmd++ Увеличить масштаб редактируемого документа. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемого документа. Перейти на один символ влево ← ← Переместить курсор на один символ влево. Перейти на один символ вправо → → Переместить курсор на один символ вправо. Перейти в начало слова или на одно слово влево Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Переместить курсор в начало слова или на одно слово влево. Перейти на одно слово вправо Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Переместить курсор на одно слово вправо. Перейти на одну строку вверх ↑ ↑ Переместить курсор на одну строку вверх. Перейти на одну строку вниз ↓ ↓ Переместить курсор на одну строку вниз. Написание Закончить абзац ↵ Enter ↵ Return Завершить текущий абзац и начать новый. Добавить разрыв строки ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Сделать перевод строки, не начиная новый абзац. Удалить ← Backspace, Delete ← Backspace, Delete Удалить один символ слева (Backspace) или справа (Delete) от курсора. Удалить слово слева от курсора Ctrl+Backspace ^ Ctrl+Backspace, ⌘ Cmd+Backspace Удалить одно слово слева от курсора. Удалить слово справа от курсора Ctrl+Delete ^ Ctrl+Delete, ⌘ Cmd+Delete Удалить одно слово справа от курсора. Создать неразрываемый пробел Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Создать между символами пробел, который нельзя использовать для начала новой строки. Создать неразрываемый дефис Ctrl+⇧ Shift+Hyphen ^ Ctrl+⇧ Shift+Hyphen Создать между символами дефис, который нельзя использовать для начала новой строки. Отмена и повтор Отменить Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Shift+Z Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X, ⇧ Shift+Delete Удалить выделенный фрагмент текста и отправить его в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенный фрагмент текста в буфер обмена компьютера. Скопированный текст можно затем вставить в другое место этого же документа, в другой документ или в какую-то другую программу. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированный текст из буфера обмена компьютера в текущей позиции курсора. Текст может быть ранее скопирован из того же самого документа, из другого документа или из какой-то другой программы. Вставить гиперссылку Ctrl+K ⌘ Cmd+K Вставить гиперссылку, которую можно использовать для перехода по веб-адресу. Копировать форматирование Ctrl+⇧ Shift+C ⌘ Cmd+⇧ Shift+C Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этом же документе. Применить форматирование Ctrl+⇧ Shift+V ⌘ Cmd+⇧ Shift+V Применить ранее скопированное форматирование к тексту редактируемого документа. Выделение текста Выделить все Ctrl+A ⌘ Cmd+A Выделить весь текст документа вместе с таблицами и изображениями. Выделить фрагмент ⇧ Shift+→ ← ⇧ Shift+→ ← Выделить текст посимвольно. Выделить с позиции курсора до начала строки ⇧ Shift+Home ⇧ Shift+Home Выделить фрагмент текста с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки ⇧ Shift+End ⇧ Shift+End Выделить фрагмент текста с позиции курсора до конца текущей строки. Выделить один символ справа ⇧ Shift+→ ⇧ Shift+→ Выделить один символ справа от позиции курсора. Выделить один символ слева ⇧ Shift+← ⇧ Shift+← Выделить один символ слева от позиции курсора. Выделить до конца слова Ctrl+⇧ Shift+→ Выделить фрагмент текста с позиции курсора до конца слова. Выделить до начала слова Ctrl+⇧ Shift+← Выделить фрагмент текста с позиции курсора до начала слова. Выделить одну строку выше ⇧ Shift+↑ ⇧ Shift+↑ Выделить одну строку выше (курсор находится в начале строки). Выделить одну строку ниже ⇧ Shift+↓ ⇧ Shift+↓ Выделить одну строку ниже (курсор находится в начале строки). Выделить страницу вверх ⇧ Shift+Page Up ⇧ Shift+Page Up Выделить часть страницы с позиции курсора до верхней части экрана. Выделить страницу вниз ⇧ Shift+Page Down ⇧ Shift+Page Down Выделить часть страницы с позиции курсора до нижней части экрана. Оформление текста Жирный шрифт Ctrl+B ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность. Курсив Ctrl+I ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо. Подчеркнутый шрифт Ctrl+U ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами. Зачеркнутый шрифт Ctrl+5 ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам. Подстрочные знаки Ctrl+. ^ Ctrl+⇧ Shift+>, ⌘ Cmd+⇧ Shift+> Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах. Надстрочные знаки Ctrl+, ^ Ctrl+⇧ Shift+<, ⌘ Cmd+⇧ Shift+< Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях. Стиль Заголовок 1 Alt+1 ⌥ Option+^ Ctrl+1 Применить к выделенному фрагменту текста стиль Заголовок 1. Стиль Заголовок 2 Alt+2 ⌥ Option+^ Ctrl+2 Применить к выделенному фрагменту текста стиль Заголовок 2. Стиль Заголовок 3 Alt+3 ⌥ Option+^ Ctrl+3 Применить к выделенному фрагменту текста стиль Заголовок 3. Маркированный список Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список. Убрать форматирование Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Убрать форматирование из выделенного фрагмента текста. Увеличить шрифт Ctrl+] ⌘ Cmd+] Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста. Уменьшить шрифт Ctrl+[ ⌘ Cmd+[ Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста. Выровнять по центру/левому краю Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Переключать абзац между выравниванием по центру и по левому краю. Выровнять по ширине/левому краю Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Переключать абзац между выравниванием по ширине и по левому краю. Выровнять по правому краю/левому краю Ctrl+R ^ Ctrl+R Переключать абзац между выравниванием по правому краю и по левому краю. Применение форматирования подстрочного текста (с автоматической установкой интервалов) Ctrl+= Применить форматирование подстрочного текста к выделенному фрагменту текста. Применение форматирования надстрочного текста (с автоматической установкой интервалов) Ctrl+⇧ Shift++ Применить форматирование надстрочного текста к выделенному фрагменту текста. Вставка разрыва страницы Ctrl+↵ Enter ^ Ctrl+↵ Return Вставить разрыв страницы в текущей позиции курсора. Увеличить отступ Ctrl+M ^ Ctrl+M Увеличить отступ абзаца слева на одну позицию табуляции. Уменьшить отступ Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Уменьшить отступ абзаца слева на одну позицию табуляции. Добавить номер страницы Ctrl+⇧ Shift+P ^ Ctrl+⇧ Shift+P Добавить номер текущей страницы в текущей позиции курсора. Непечатаемые символы Ctrl+⇧ Shift+Num8 Показать или скрыть непечатаемые символы. Удалить один символ слева ← Backspace ← Backspace Удалить один символ слева от курсора. Удалить один символ справа Delete Delete Удалить один символ справа от курсора. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+← → ↑ ↓ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. Работа с таблицами Перейти к следующей ячейке в строке ↹ Tab ↹ Tab Перейти к следующей ячейке в строке таблицы. Перейти к предыдущей ячейке в строке ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Перейти к предыдущей ячейке в строке таблицы. Перейти к следующей строке ↓ ↓ Перейти к следующей строке таблицы. Перейти к предыдущей строке ↑ ↑ Перейти к предыдущей строке таблицы. Начать новый абзац ↵ Enter ↵ Return Начать новый абзац внутри ячейки. Добавить новую строку ↹ Tab в правой нижней ячейке таблицы. ↹ Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы. Вставка специальных символов Вставка формулы Alt+= Вставить формулу в текущей позиции курсора." }, { "id": "HelpfulHints/Navigation.htm", "title": "Параметры представления и инструменты навигации", - "body": "В редакторе документов доступен ряд инструментов, позволяющих облегчить просмотр и навигацию по документу: масштаб, указатель номера страницы и другие. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с документом, нажмите значок Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку состояния - скрывает самую нижнюю панель, на которой находится Указатель номера страницы и кнопки Масштаба. Чтобы отобразить скрытую строку состояния, щелкните по этой опции еще раз. Скрыть линейки - скрывает линейки, которые используются для выравнивания текста, графики, таблиц, и других элементов в документе, установки полей, позиций табуляции и отступов абзацев. Чтобы отобразить скрытые линейки, щелкните по этой опции еще раз. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект или фрагмент текста и щелкните по значку вкладки, которая в данный момент активирована (чтобы свернуть правую боковую панель, щелкните по этому значку еще раз). Когда открыта панель Комментарии или Чат, левую боковую панель можно настроить путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по документу используйте следующие инструменты: Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего документа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования или используйте кнопки Увеличить или Уменьшить . Нажмите значок По ширине , чтобы ширина страницы документа соответствовала видимой части рабочей области. Чтобы вся страница целиком помещалась в видимой части рабочей области, нажмите значок По размеру страницы . Параметры масштаба доступны также из выпадающего списка Параметры представления , что может быть полезно в том случае, если Вы решили скрыть строку состояния. Указатель номера страницы показывает текущую страницу в составе всех страниц текущего документа (страница 'n' из 'nn'). Щелкните по этой надписи, чтобы открыть окно, в котором Вы можете ввести номер нужной страницы и быстро перейти на нее." + "body": "В редакторе документов доступен ряд инструментов, позволяющих облегчить просмотр и навигацию по документу: масштаб, указатель номера страницы и другие. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с документом, нажмите значок Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку состояния - скрывает самую нижнюю панель, на которой находится Указатель номера страницы и кнопки Масштаба. Чтобы отобразить скрытую строку состояния, щелкните по этой опции еще раз. Скрыть линейки - скрывает линейки, которые используются для выравнивания текста, графики, таблиц, и других элементов в документе, установки полей, позиций табуляции и отступов абзацев. Чтобы отобразить скрытые линейки, щелкните по этой опции еще раз. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект или фрагмент текста и щелкните по значку вкладки, которая в данный момент активирована (чтобы свернуть правую боковую панель, щелкните по этому значку еще раз). Когда открыта панель Комментарии или Чат , левую боковую панель можно настроить путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по документу используйте следующие инструменты: Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего документа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования или используйте кнопки Увеличить или Уменьшить . Нажмите значок По ширине , чтобы ширина страницы документа соответствовала видимой части рабочей области. Чтобы вся страница целиком помещалась в видимой части рабочей области, нажмите значок По размеру страницы . Параметры масштаба доступны также из выпадающего списка Параметры представления , что может быть полезно в том случае, если Вы решили скрыть строку состояния. Указатель номера страницы показывает текущую страницу в составе всех страниц текущего документа (страница 'n' из 'nn'). Щелкните по этой надписи, чтобы открыть окно, в котором Вы можете ввести номер нужной страницы и быстро перейти на нее." }, { "id": "HelpfulHints/Review.htm", @@ -33,7 +33,7 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Функция поиска и замены", - "body": "Чтобы найти нужные символы, слова или фразы, использованные в документе, который Вы в данный момент редактируете, нажмите на значок , расположенный на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз. Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по флажку еще раз. Нажмите на одну из кнопок со стрелками в нижнем правом углу окна. Поиск будет выполняться или по направлению к началу документа (если нажата кнопка ), или по направлению к концу документа (если нажата кнопка ), начиная с текущей позиции. Примечание: при включенном параметре Выделить результаты используйте эти кнопки для навигации по подсвеченным результатам. Первое вхождение искомых символов в выбранном направлении будет подсвечено на странице. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые Вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." + "body": "Чтобы найти нужные символы, слова или фразы, использованные в документе, который Вы в данный момент редактируете, нажмите на значок , расположенный на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз. Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз. Нажмите на одну из кнопок со стрелками в нижнем правом углу окна. Поиск будет выполняться или по направлению к началу документа (если нажата кнопка ), или по направлению к концу документа (если нажата кнопка ), начиная с текущей позиции. Примечание: при включенном параметре Выделить результаты используйте эти кнопки для навигации по подсвеченным результатам. Первое вхождение искомых символов в выбранном направлении будет подсвечено на странице. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые Вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." }, { "id": "HelpfulHints/SpellChecking.htm", @@ -43,53 +43,58 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных документов", - "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + ODT Формат текстовых файлов OpenDocument, открытый стандарт для электронных документов + + + RTF Rich Text Format Формат документов, разработанный компанией Microsoft, для кроссплатформенного обмена документами + + + TXT Расширение имени файла для текстовых файлов, как правило, с минимальным форматированием + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + + HTML HyperText Markup Language Основной язык разметки веб-страниц + EPUB Electronic Publication Бесплатный открытый стандарт для электронных книг, созданный Международным форумом по цифровым публикациям (International Digital Publishing Forum) + XPS Open XML Paper Specification Открытый бесплатный формат фиксированной разметки, разработанный компанией Microsoft + DjVu Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий +" + "body": "Электронные документы - это одни из наиболее широко используемых компьютерных файлов. Благодаря высокому уровню развития современных компьютерных сетей распространять электронные документы становится удобнее, чем печатные. Многообразие устройств, используемых для представления документов, обуславливает большое количество проприетарных и открытых файловых форматов. Редактор документов работает с самыми популярными из них. Форматы Описание Просмотр Редактирование Скачивание DOC Расширение имени файла для текстовых документов, созданных программой Microsoft Word + + DOCX Office Open XML разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + DOTX Word Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов текстовых документов. Шаблон DOTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества документов со схожим форматированием + + + 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 Формат файлов, предназначенный главным образом для хранения отсканированных документов, особенно тех, которые содержат комбинацию текста, рисунков и фотографий +" }, { "id": "ProgramInterface/FileTab.htm", "title": "Вкладка Файл", - "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. С помощью этой вкладки вы можете выполнить следующие действия: сохранить текущий файл (если отключена опция Автосохранение), скачать, распечатать или переименовать его, создать новый документ или открыть недавно отредактированный, просмотреть общие сведения о документе, управлять правами доступа, отслеживать историю версий, открыть дополнительные параметры редактора, вернуться в список документов." + "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить документ в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию документа в выбранном формате на портале), распечатать или переименовать его, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль (доступно только в десктопной версии); создать новый документ или открыть недавно отредактированный (доступно только в онлайн-версии), просмотреть общие сведения о документе, управлять правами доступа (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Вкладка Главная", - "body": "Вкладка Главная открывается по умолчанию при открытии документа. Она позволяет форматировать шрифт и абзацы. Здесь также доступны некоторые другие опции, такие как cлияние и цветовые схемы. С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер и цвет шрифта, применять стили оформления шрифта, выбирать цвет фона для абзаца, создавать маркированные и нумерованные списки, изменять отступы абзацев, задавать междустрочный интервал в абзацах, выравнивать текст в абзаце, отображать и скрывать непечатаемые символы, копировать и очищать форматирование текста, изменять цветовую схему, использовать функцию слияния, управлять стилями." + "body": "Вкладка Главная открывается по умолчанию при открытии документа. Она позволяет форматировать шрифт и абзацы. Здесь также доступны некоторые другие опции, такие как cлияние и цветовые схемы. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер и цвет шрифта, применять стили оформления шрифта, выбирать цвет фона для абзаца, создавать маркированные и нумерованные списки, изменять отступы абзацев, задавать междустрочный интервал в абзацах, выравнивать текст в абзаце, отображать и скрывать непечатаемые символы, копировать и очищать форматирование текста, изменять цветовую схему, использовать функцию слияния (доступно только в онлайн-версии), управлять стилями." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Вкладка Вставка", - "body": "Вкладка Вставка позволяет добавлять элементы форматирования страницы, а также визуальные объекты и комментарии. С помощью этой вкладки вы можете выполнить следующие действия: вставлять разрывы страниц, разрывы разделов и разрывы колонок, вставлять колонтитулы и номера страниц, вставлять таблицы, изображения, диаграммы, фигуры, вставлять гиперссылки, комментарии, вставлять текстовые поля и объекты Text Art, формулы, буквицы, элементы управления содержимым." + "body": "Вкладка Вставка позволяет добавлять элементы форматирования страницы, а также визуальные объекты и комментарии. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: вставлять пустую страницу, вставлять разрывы страниц, разрывы разделов и разрывы колонок, вставлять колонтитулы и номера страниц, вставлять таблицы, изображения, диаграммы, фигуры, вставлять гиперссылки, комментарии, вставлять текстовые поля и объекты Text Art, формулы, буквицы, элементы управления содержимым." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Вкладка Макет", - "body": "Вкладка Макет позволяет изменить внешний вид документа: задать параметры страницы и определить расположение визуальных элементов. С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, добавлять колонки, вставлять разрывы страниц, разрывы разделов и разрывы колонок, выравнивать и располагать в определенном порядке объекты (таблицы, изображения, диаграммы, фигуры), изменять стиль обтекания." + "body": "Вкладка Макет позволяет изменить внешний вид документа: задать параметры страницы и определить расположение визуальных элементов. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, добавлять колонки, вставлять разрывы страниц, разрывы разделов и разрывы колонок, выравнивать и располагать в определенном порядке объекты (таблицы, изображения, диаграммы, фигуры), изменять стиль обтекания." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Вкладка Плагины", - "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Кнопка Macros позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: ClipArt позволяет добавлять в документ изображения из коллекции картинок, OCR позволяет распознавать текст с картинки и вставлять его в текст документа, PhotoEditor позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее, Speech позволяет преобразовать выделенный текст в речь, Symbol Table позволяет вставлять в текст специальные символы, Translator позволяет переводить выделенный текст на другие языки, YouTube позволяет встраивать в документ видео с YouTube. Плагины Wordpress и EasyBib можно использовать, если подключить соответствующие сервисы в настройках портала. Можно воспользоваться следующими инструкциями для серверной версии или для SaaS-версии. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API. Все существующие в настоящий момент примеры плагинов с открытым исходным кодом доступны на GitHub." + "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора документов: Окно десктопного редактора документов: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить документ по электронной почте с помощью десктопного почтового клиента по умолчанию (доступно только в десктопной версии), Клипарт - позволяет добавлять в документ изображения из коллекции картинок, Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Распознавание текста - позволяет распознавать текст с картинки и вставлять его в текст документа, Фоторедактор - позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее, Речь - позволяет преобразовать выделенный текст в речь, Таблица символов - позволяет вставлять в текст специальные символы, Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик - позволяет переводить выделенный текст на другие языки, YouTube - позволяет встраивать в документ видео с YouTube. Плагины Wordpress и EasyBib можно использовать, если подключить соответствующие сервисы в настройках портала. Можно воспользоваться следующими инструкциями для серверной версии или для SaaS-версии. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора документов", - "body": "В редакторе документов используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки меню, название документа. Cправа также находятся три значка, с помощью которых можно задать права доступа, вернуться в список документов, настраивать параметры представления и получать доступ к дополнительным параметрам редактора. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Совместная работа, Плагины. Опции Печать, Сохранить, Копировать, Вставить, Отменить и Повторить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, \"Все изменения сохранены\" и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб. На Левой боковой панели находятся значки, позволяющие использовать инструмент поиска и замены, открыть панель Комментариев и Чата, обратиться в службу технической поддержки и посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении в тексте определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки позволяют выравнивать текст и другие элементы в документе, настраивать поля, позиции табуляции и отступы абзацев. В Рабочей области вы можете просматривать содержимое документа, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать вверх и вниз многостраничные документы. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "В редакторе документов используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора документов: Окно десктопного редактора документов: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Ссылки, Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится указатель номера страницы, отображаются некоторые оповещения (например, \"Все изменения сохранены\" и т.д.), с ее помощью также можно задать язык текста, включить проверку орфографии, включить режим отслеживания изменений, настроить масштаб. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев - позволяет перейти в панель Навигации для управления заголовками (доступно только в онлайн-версии) - позволяет открыть панель Чата, а также значки, позволяющие обратиться в службу технической поддержки и посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении в тексте определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки позволяют выравнивать текст и другие элементы в документе, настраивать поля, позиции табуляции и отступы абзацев. В Рабочей области вы можете просматривать содержимое документа, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать вверх и вниз многостраничные документы. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." }, { "id": "ProgramInterface/ReferencesTab.htm", "title": "Вкладка Ссылки", - "body": "Вкладка Ссылки позволяет управлять различными типами ссылок: добавлять и обновлять оглавление, создавать и редактировать сноски, вставлять гиперссылки. С помощью этой вкладки вы можете выполнить следующие действия: создавать и автоматически обновлять оглавление, вставлять сноски, вставлять гиперссылки, добавлять закладки." + "body": "Вкладка Ссылки позволяет управлять различными типами ссылок: добавлять и обновлять оглавление, создавать и редактировать сноски, вставлять гиперссылки. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: создавать и автоматически обновлять оглавление, вставлять сноски, вставлять гиперссылки, добавлять закладки." }, { "id": "ProgramInterface/ReviewTab.htm", "title": "Вкладка Совместная работа", - "body": "Вкладка Совместная работа позволяет организовать совместную работу над документом: предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями, отслеживать изменения, внесенные рецензентом, просматривать все версии и ревизии. С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа, переключаться между Строгим и Быстрым режимами совместного редактирования, добавлять комментарии к документу, включать функцию отслеживания изменений, выбирать режим отображения изменений, управлять предложенными изменениями, открывать панель Чата, отслеживать историю версий." + "body": "Вкладка Совместная работа позволяет организовать совместную работу над документом. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями, отслеживать изменения, внесенные рецензентом, просматривать все версии и ревизии. В десктопной версии можно управлять комментариями и использовать функцию отслеживания изменений. Окно онлайн-редактора документов: Окно десктопного редактора документов: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять комментарии к документу, включать функцию отслеживания изменений, выбирать режим отображения изменений, управлять предложенными изменениями, открывать панель Чата (доступно только в онлайн-версии), отслеживать историю версий (доступно только в онлайн-версии)." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Добавление границ", "body": "Для добавления границ к абзацу, странице или всему документу: установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев или весь текст документа, нажав сочетание клавиш Ctrl+A, щелкните правой кнопкой мыши и выберите из меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели, в открывшемся окне Абзац - дополнительные параметры переключитесь на вкладку Границы и заливка, задайте нужное значение для Ширины границ и выберите Цвет границ, щелкайте по имеющейся схеме или используйте кнопки, чтобы выбрать границы и применить к ним выбранный стиль, нажмите кнопку OK. После добавления границ вы также сможете задать внутренние поля, то есть расстояния между текстом абзаца, который находится внутри границ, и этими границами справа, слева, сверху и снизу. Чтобы задать нужные значения, переключитесь на вкладку Внутренние поля в окне Абзац - дополнительные параметры:" }, + { + "id": "UsageInstructions/AddFormulasInTables.htm", + "title": "Использование формул в таблицах", + "body": "Вставка формулы Вы можете выполнять простые вычисления с данными в ячейках таблицы с помощью формул. Для вставки формулы в ячейку таблицы: установите курсор в ячейке, где требуется отобразить результат, нажмите кнопку Добавить формулу на правой боковой панели, в открывшемся окне Настройки формулы введите нужную формулу в поле Формула. Нужную формулу можно ввести вручную, используя общепринятые математические операторы (+, -, *, /), например, =A1*B2 или использовать выпадающий список Вставить функцию, чтобы выбрать одну из встроенных функций, например, =PRODUCT(A1,B2). вручную задайте нужные аргументы в скобках в поле Формула. Если функция требует несколько аргументов, их надо вводить через запятую. используйте выпадающий список Формат числа, если требуется отобразить результат в определенном числовом формате, нажмите кнопку OK. Результат будет отображен в выбранной ячейке. Чтобы отредактировать добавленную формулу, выделите результат в ячейке и нажмите на кнопку Добавить формулу на правой боковой панели, внесите нужные изменения в окне Настройки формулы и нажмите кнопку OK. Добавление ссылок на ячейки Чтобы быстро добавить ссылки на диапазоны ячеек, можно использовать следующие аргументы: ABOVE - ссылка на все ячейки в столбце, расположенные выше выделенной ячейки LEFT - ссылка на все ячейки в строке, расположенные слева от выделенной ячейки BELOW - ссылка на все ячейки в столбце, расположенные ниже выделенной ячейки RIGHT - ссылка на все ячейки в строке, расположенные справа от выделенной ячейки Эти аргументы можно использовать с функциями AVERAGE, COUNT, MAX, MIN, PRODUCT, SUM. Также можно вручную вводить ссылки на определенную ячейку (например, A1) или диапазон ячеек (например, A1:B3). Использование закладок Если вы добавили какие-то закладки на определенные ячейки в таблице, при вводе формул можно использовать эти закладки в качестве аргументов. В окне Настройки формулы установите курсор внутри скобок в поле ввода Формула, где требуется добавить аргумент, и используйте выпадающий список Вставить закладку, чтобы выбрать одну из ранее добавленных закладок. Обновление результатов формул Если вы изменили какие-то значения в ячейках таблицы, потребуется вручную обновить результаты формул: Чтобы обновить результат отдельной формулы, выделите нужный результат и нажмите клавишу F9 или щелкните по результату правой кнопкой мыши и используйте пункт меню Обновить поле. Чтобы обновить результаты нескольких формул, выделите нужные ячейки или всю таблицу и нажмите клавишу F9. Встроенные функции Можно использовать следующие стандартные математические, статистические и логические функции: Категория Функция Описание Пример Математические ABS(x) Функция используется для нахождения модуля (абсолютной величины) числа. =ABS(-10) Возвращает 10 Логические AND(logical1, logical2, ...) Функция используется для проверки, является ли введенное логическое значение истинным или ложным. Функция возвращает значение 1 (ИСТИНА), если все аргументы имеют значение ИСТИНА. =AND(1>0,1>3) Возвращает 0 Статистические AVERAGE(argument-list) Функция анализирует диапазон данных и вычисляет среднее значение. =AVERAGE(4,10) Возвращает 7 Статистические COUNT(argument-list) Функция используется для подсчета количества ячеек в выбранном диапазоне, содержащих числа, без учета пустых или содержащих текст ячеек. =COUNT(A1:B3) Возвращает 6 Логические DEFINED() Функция оценивает, определено ли значение в ячейке. Функция возвращает 1, если значение определено и вычисляется без ошибок, и возвращает 0, если значение не определено или вычисляется с офибкой. =DEFINED(A1) Логические FALSE() Функция возвращает значение 0 (ЛОЖЬ) и не требует аргумента. =FALSE Возвращает 0 Математические INT(x) Функция анализирует и возвращает целую часть заданного числа. =INT(2.5) Возвращает 2 Статистические MAX(number1, number2, ...) Функция используется для анализа диапазона данных и поиска наибольшего числа. =MAX(15,18,6) Возвращает 18 Статистические MIN(number1, number2, ...) Функция используется для анализа диапазона данных и поиска наименьшего числа. =MIN(15,18,6) Возвращает 6 Математические MOD(x, y) Функция возвращает остаток от деления числа на заданный делитель. =MOD(6,3) Возвращает 0 Логические NOT(logical) Функция используется для проверки, является ли введенное логическое значение истинным или ложным. Функция возвращает значение 1 (ИСТИНА), если аргумент имеет значение ЛОЖЬ, и 0 (ЛОЖЬ), если аргумент имеет значение ИСТИНА. =NOT(2<5) Возвращает 0 Логические OR(logical1, logical2, ...) Функция используется для проверки, является ли введенное логическое значение истинным или ложным. Функция возвращает значение 0 (ЛОЖЬ), если все аргументы имеют значение ЛОЖЬ. =OR(1>0,1>3) Возвращает 1 Математические PRODUCT(argument-list) Функция перемножает все числа в заданном диапазоне ячеек и возвращает произведение.. =PRODUCT(2,5) Возвращает 10 Математические ROUND(x, num_digits) Функция округляет число до заданного количества десятичных разрядов. =ROUND(2.25,1) Возвращает 2.3 Математические SIGN(x) Функция определяет знак числа. Если число положительное, функция возвращает значение 1. Если число отрицательное, функция возвращает значение -1. Если число равно 0, функция возвращает значение 0. =SIGN(-12) Возвращает -1 Математические SUM(argument-list) Функция возвращает результат сложения всех чисел в выбранном диапазоне ячеек. =SUM(5,3,2) Возвращает 10 Логические TRUE() Функция возвращает значение 1 (ИСТИНА) и не требует аргумента. =TRUE Возвращает 1" + }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Добавление гиперссылок", @@ -98,7 +103,7 @@ var indexes = { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Выравнивание и упорядочивание объектов на странице", - "body": "Добавленные автофигуры, изображения, диаграммы или текстовые поля на странице можно выровнять, сгруппировать и расположить в определенном порядке. Для выполнения любого из этих действий сначала выберите отдельный объект или несколько объектов на странице. Для выделения нескольких объектов удерживайте клавишу Ctrl и щелкайте по нужным объектам левой кнопкой мыши. Чтобы выделить текстовое поле, щелкайте по его границе, а не по тексту внутри него. После этого можно использовать или описанные ниже значки, расположенные на вкладке Макет верхней панели инструментов, или аналогичные команды контекстного меню, вызываемого правой кнопкой мыши. Выравнивание объектов Чтобы выровнять выбранный объект или объекты, щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объект (объекты) по горизонтали по левому краю страницы, Выровнять по центру - чтобы выровнять объект (объекты) по горизонтали по центру страницы, Выровнять по правому краю - чтобы выровнять объект (объекты) по горизонтали по правому краю страницы, Выровнять по верхнему краю - чтобы выровнять объект (объекты) по вертикали по верхнему краю страницы, Выровнять по середине - чтобы выровнять объект (объекты) по вертикали по середине страницы, Выровнять по нижнему краю - чтобы выровнять объект (объекты) по вертикали по нижнему краю страницы. Группировка объектов Чтобы сгруппировать два или более выбранных объектов или разгруппировать их, щелкните по стрелке рядом со значком Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Перенести вперед и Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения. Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект (объекты), так что он будет находиться перед всеми остальными объектами, Перенести вперед - чтобы переместить выбранный объект (объекты) на один уровень вперед по отношению к другим объектам. Чтобы переместить выбранный объект (объекты) назад, нажмите на стрелку рядом со значком Перенести назад на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов, Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам." + "body": "Добавленные автофигуры, изображения, диаграммы или текстовые поля на странице можно выровнять, сгруппировать и расположить в определенном порядке. Для выполнения любого из этих действий сначала выберите отдельный объект или несколько объектов на странице. Для выделения нескольких объектов удерживайте клавишу Ctrl и щелкайте по нужным объектам левой кнопкой мыши. Чтобы выделить текстовое поле, щелкайте по его границе, а не по тексту внутри него. После этого можно использовать или описанные ниже значки, расположенные на вкладке Макет верхней панели инструментов, или аналогичные команды контекстного меню, вызываемого правой кнопкой мыши. Выравнивание объектов Чтобы выровнять два или более выделенных объектов, Щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите один из следующих вариантов: Выровнять относительно страницы чтобы выровнять объекты относительно краев страницы, Выровнять относительно поля чтобы выровнять объекты относительно полей страницы, Выровнять выделенные объекты (эта опция выбрана по умолчанию) чтобы выровнять объекты относительно друг друга, Еще раз нажмите на значок Выравнивание и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объекты по горизонтали по левому краю самого левого объекта/по левому краю страницы/по левому полю страницы, Выровнять по центру - чтобы выровнять объекты по горизонтали по их центру/по центру страницы/по центру пространства между левым и правым полем страницы, Выровнять по правому краю - чтобы выровнять объекты по горизонтали по правому краю самого правого объекта/по правому краю страницы/по правому полю страницы, Выровнять по верхнему краю - чтобы выровнять объекты по вертикали по верхнему краю самого верхнего объекта/по верхнему краю страницы/по верхнему полю страницы, Выровнять по середине - чтобы выровнять объекты по вертикали по их середине/по середине страницы/по середине пространства между верхним и нижним полем страницы, Выровнять по нижнему краю - чтобы выровнять объекты по вертикали по нижнему краю самого нижнего объекта/по нижнему краю страницы/по нижнему полю страницы. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты выравнивания объектов. Если требуется выровнять один объект, его можно выровнять относительно краев страницы или полей страницы. В этом случае по умолчанию выбрана опция Выровнять относительно поля. Распределение объектов Чтобы распределить три или более выбранных объектов по горизонтали или вертикали таким образом, чтобы между ними было равное расстояние, Щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите один из следующих вариантов: Выровнять относительно страницы - чтобы распределить объекты между краями страницы, Выровнять относительно поля - чтобы распределить объекты между полями страницы, Выровнять выделенные объекты (эта опция выбрана по умолчанию) - чтобы распределить объекты между двумя крайними выделенными объектами, Еще раз нажмите на значок Выравнивание и выберите из списка нужный тип распределения: Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом/левым и правым краем страницы/левым и правым полем страницы. Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом/верхним и нижним краем страницы/верхним и нижним полем страницы. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты распределения объектов. Примечание: параметры распределения неактивны, если выделено менее трех объектов. Группировка объектов Чтобы сгруппировать два или более выбранных объектов или разгруппировать их, щелкните по стрелке рядом со значком Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать. Примечание: параметр Сгруппировать неактивен, если выделено менее двух объектов. Параметр Разгруппировать активен только при выделении ранее сгруппированных объектов. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Перенести вперед и Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения. Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект (объекты), так что он будет находиться перед всеми остальными объектами, Перенести вперед - чтобы переместить выбранный объект (объекты) на один уровень вперед по отношению к другим объектам. Чтобы переместить выбранный объект (объекты) назад, нажмите на стрелку рядом со значком Перенести назад на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов, Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам. Можно также щелкнуть по выделенному объекту или объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать доступные варианты расположения объектов." }, { "id": "UsageInstructions/AlignText.htm", @@ -128,7 +133,7 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Копирование/вставка текста, отмена/повтор действий", - "body": "Использование основных операций с буфером обмена Для выполнения операций вырезания, копирования и вставки фрагментов текста и вставленных объектов (автофигур, рисунков, диаграмм) в текущем документе используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же документа. Копировать – выделите фрагмент текста или объект и используйте опцию контекстного меню Копировать или значок Копировать на верхней панели инструментов, чтобы скопировать выделенный фрагмент в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же документа. Вставить – найдите в документе то место, куда необходимо вставить ранее скопированный фрагмент текста/объект, и используйте опцию контекстного меню Вставить или значок Вставить на верхней панели инструментов. Текст/объект будет вставлен в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого документа. Для копирования данных из другого документа или какой-то другой программы или вставки данных в них используйте следующие сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того чтобы вырезать и вставлять текст в рамках одного и того же документа, можно просто выделить нужный фрагмент текста и перетащить его мышкой в нужное место. Использование функции Специальная вставка После вставки скопированного текста рядом со вставленным фрагментом текста появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке текста абзаца или текста в автофигурах доступны следующие параметры: Вставить - позволяет вставить скопированный текст, сохранив его исходное форматирование. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке скопированной таблицы в существующую таблицу доступны следующие параметры: Заменить содержимое ячеек - позволяет заменить текущее содержимое таблицы вставленными данными. Эта опция выбрана по умолчанию. Вставить как вложенную таблицу - позволяет вставить скопированную таблицу как вложенную таблицу в выделенную ячейку существующей таблицы. Сохранить только текст - позволяет вставить содержимое таблицы как текстовые значения, разделенные символом табуляции. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки, доступные на любой вкладке верхней панели инструментов, или сочетания клавиш: Отменить – чтобы отменить последнее выполненное действие, используйте значок Отменить на верхней панели инструментов или сочетание клавиш Ctrl+Z. Повторить – чтобы повторить последнее отмененное действие, используйте значок Повторить на верхней панели инструментов или сочетание клавиш Ctrl+Y." + "body": "Использование основных операций с буфером обмена Для выполнения операций вырезания, копирования и вставки фрагментов текста и вставленных объектов (автофигур, рисунков, диаграмм) в текущем документе используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же документа. Копировать – выделите фрагмент текста или объект и используйте опцию контекстного меню Копировать или значок Копировать на верхней панели инструментов, чтобы скопировать выделенный фрагмент в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же документа. Вставить – найдите в документе то место, куда необходимо вставить ранее скопированный фрагмент текста/объект, и используйте опцию контекстного меню Вставить или значок Вставить на верхней панели инструментов. Текст/объект будет вставлен в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого документа. В онлайн-версии для копирования данных из другого документа или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того чтобы вырезать и вставлять текст в рамках одного и того же документа, можно просто выделить нужный фрагмент текста и перетащить его мышкой в нужное место. Использование функции Специальная вставка После вставки скопированного текста рядом со вставленным фрагментом текста появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке текста абзаца или текста в автофигурах доступны следующие параметры: Вставить - позволяет вставить скопированный текст, сохранив его исходное форматирование. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке скопированной таблицы в существующую таблицу доступны следующие параметры: Заменить содержимое ячеек - позволяет заменить текущее содержимое таблицы вставленными данными. Эта опция выбрана по умолчанию. Вставить как вложенную таблицу - позволяет вставить скопированную таблицу как вложенную таблицу в выделенную ячейку существующей таблицы. Сохранить только текст - позволяет вставить содержимое таблицы как текстовые значения, разделенные символом табуляции. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки в шапке редактора или сочетания клавиш: Отменить – чтобы отменить последнее выполненное действие, используйте значок Отменить в левой части шапки редактора или сочетание клавиш Ctrl+Z. Повторить – чтобы повторить последнее отмененное действие, используйте значок Повторить в левой части шапки редактора или сочетание клавиш Ctrl+Y. Обратите внимание: при совместном редактировании документа в Быстром режиме недоступна возможность Повторить последнее отмененное действие." }, { "id": "UsageInstructions/CreateLists.htm", @@ -143,12 +148,12 @@ var indexes = { "id": "UsageInstructions/DecorationStyles.htm", "title": "Применение стилей оформления шрифта", - "body": "Вы можете применять различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Жирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Для получения доступа к дополнительным настройкам шрифта щелкните правой кнопкой мыши и выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно Абзац - дополнительные параметры, в котором необходимо переключиться на вкладку Шрифт. Здесь можно применить следующие стили оформления и настройки шрифта: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Интервал - используется, чтобы задать расстояние между символами. Положение - используется, чтобы задать положение символов в строке." + "body": "Вы можете применять различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Жирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Для получения доступа к дополнительным настройкам шрифта щелкните правой кнопкой мыши и выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно Абзац - дополнительные параметры, в котором необходимо переключиться на вкладку Шрифт. Здесь можно применить следующие стили оформления и настройки шрифта: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Положение - используется, чтобы задать положение символов в строке (смещение по вертикали). Увеличьте значение, заданное по умолчанию, чтобы сместить символы вверх, или уменьшите значение, заданное по умолчанию, чтобы сместить символы вниз. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра." }, { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Настройка типа, размера и цвета шрифта", - "body": "Вы можете выбрать тип шрифта, его размер и цвет, используя соответствующие значки на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Шрифт Используется для выбора шрифта из списка доступных. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка, или же значение можно ввести вручную в поле размера шрифта. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет выделения отличается от Цвета фона , поскольку последний применяется ко всему абзацу и полностью заполняет пространство абзаца от левого поля страницы до правого поля страницы. Цвет шрифта Используется для изменения цвета букв/символов в тексте. По умолчанию в новом пустом документе установлен автоматический цвет шрифта. Он отображается как черный шрифт на белом фоне. Если изменить цвет фона на черный, цвет шрифта автоматически изменится на белый, так чтобы текст по-прежнему был четко виден. Для выбора другого цвета нажмите направленную вниз стрелку рядом со значком и выберите цвет на доступных палитрах (цвета на палитре Цвета темы зависят от выбранной цветовой схемы). После изменения цвета шрифта по умолчанию можно использовать опцию Автоматический в окне цветовых палитр для быстрого восстановления автоматического цвета выбранного фрагмента текста. Примечание: более подробно о работе с цветовыми палитрами рассказывается на этой странице." + "body": "Вы можете выбрать тип шрифта, его размер и цвет, используя соответствующие значки на вкладке Главная верхней панели инструментов. Примечание: если требуется отформатировать текст, который уже есть в документе, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Цвет выделения Используется для выделения отдельных предложений, фраз, слов или даже символов путем добавления цветовой полосы, имитирующей отчеркивание текста маркером. Можно выделить нужную часть текста, а потом нажать направленную вниз стрелку рядом с этим значком, чтобы выбрать цвет на палитре (этот набор цветов не зависит от выбранной Цветовой схемы и включает в себя 16 цветов), и этот цвет будет применен к выбранному тексту. Или же можно сначала выбрать цвет выделения, а потом начать выделять текст мышью - указатель мыши будет выглядеть так: - и появится возможность выделить несколько разных частей текста одну за другой. Чтобы остановить выделение текста, просто еще раз щелкните по значку. Для очистки цвета выделения воспользуйтесь опцией Без заливки. Цвет выделения отличается от Цвета фона , поскольку последний применяется ко всему абзацу и полностью заполняет пространство абзаца от левого поля страницы до правого поля страницы. Цвет шрифта Используется для изменения цвета букв/символов в тексте. По умолчанию в новом пустом документе установлен автоматический цвет шрифта. Он отображается как черный шрифт на белом фоне. Если изменить цвет фона на черный, цвет шрифта автоматически изменится на белый, так чтобы текст по-прежнему был четко виден. Для выбора другого цвета нажмите направленную вниз стрелку рядом со значком и выберите цвет на доступных палитрах (цвета на палитре Цвета темы зависят от выбранной цветовой схемы). После изменения цвета шрифта по умолчанию можно использовать опцию Автоматический в окне цветовых палитр для быстрого восстановления автоматического цвета выбранного фрагмента текста. Примечание: более подробно о работе с цветовыми палитрами рассказывается на этой странице." }, { "id": "UsageInstructions/FormattingPresets.htm", @@ -158,7 +163,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка автофигур", - "body": "Вставка автофигуры Для добавления автофигуры в документ: перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на странице выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Перемещение и изменение размера автофигур Для изменения размера автофигуры перетаскивайте маленькие квадраты , расположенные по краям автофигуры. Чтобы сохранить исходные пропорции выбранной автофигуры при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Для изменения местоположения автофигуры используйте значок , который появляется после наведения курсора мыши на автофигуру. Перетащите автофигуру на нужное место, не отпуская кнопку мыши. При перемещении автофигуры на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы перемещать автофигуру с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать автофигуру строго по горизонтали/вертикали и предотвратить ее смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы повернуть автофигуру, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров автофигуры Чтобы выровнять или расположить автофигуры в определенном порядке, используйте контекстное меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять фигуру по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'. Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по фигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления: из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Градиент - щелкните по левому ползунку под шкалой градиента, чтобы активировать цветовое поле, которое соответствует первому цвету. Щелкните по этому цветовому полю справа, чтобы выбрать первый цвет на палитре. Перетащите ползунок, чтобы установить ограничитель градиента, то есть точку, в которой один цвет переходит в другой. Используйте правый ползунок под шкалой градиента, чтобы задать второй цвет и установить ограничитель градиента. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно добавить изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Стиль обтекания - используйте этот раздел, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Чтобы изменить дополнительные параметры автофигуры, щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина - используйте одну из этих опций, чтобы изменить ширину автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно ширины левого поля, поля (то есть расстояния между левым и правым полями), ширины страницы или ширины правого поля. Высота - используйте одну из этих опций, чтобы изменить высоту автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно поля (то есть расстояния между верхним и нижним полями), высоты нижнего поля, высоты страницы или высоты верхнего поля. Если установлен флажок Сохранять пропорции, ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения автофигуры относительно текста: или она будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать ее со всех сторон (если выбран один из остальных стилей). В тексте - автофигура считается частью текста, как отдельный символ, поэтому при перемещении текста фигура тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, автофигуру можно перемещать независимо от текста и и точно задавать положение фигуры на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает автофигуру. По контуру - текст обтекает реальные контуры автофигуры. Сквозное - текст обтекает вокруг контуров автофигуры и заполняет незамкнутое свободное место внутри фигуры. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже автофигуры. Перед текстом - автофигура перекрывает текст. За текстом - текст перекрывает автофигуру. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли автофигура перемещаться вместе с текстом, к которому она привязана. Опция Разрешить перекрытие определяет, будут ли перекрываться две автофигуры, если перетащить их близко друг к другу на странице. Вкладка Параметры фигуры содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Поля вокруг текста можно изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура." + "body": "Вставка автофигуры Для добавления автофигуры в документ: перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на странице выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Перемещение и изменение размера автофигур Для изменения размера автофигуры перетаскивайте маленькие квадраты , расположенные по краям автофигуры. Чтобы сохранить исходные пропорции выбранной автофигуры при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Для изменения местоположения автофигуры используйте значок , который появляется после наведения курсора мыши на автофигуру. Перетащите автофигуру на нужное место, не отпуская кнопку мыши. При перемещении автофигуры на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы перемещать автофигуру с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать автофигуру строго по горизонтали/вертикали и предотвратить ее смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы повернуть автофигуру, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров автофигуры Чтобы выровнять или расположить автофигуры в определенном порядке, используйте контекстное меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранную автофигуру на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать автофигуры для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять фигуру по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Дополнительные параметры фигуры - используется для вызова окна 'Фигура - дополнительные параметры'. Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по фигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления: из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Градиент - щелкните по левому ползунку под шкалой градиента, чтобы активировать цветовое поле, которое соответствует первому цвету. Щелкните по этому цветовому полю справа, чтобы выбрать первый цвет на палитре. Перетащите ползунок, чтобы установить ограничитель градиента, то есть точку, в которой один цвет переходит в другой. Используйте правый ползунок под шкалой градиента, чтобы задать второй цвет и установить ограничитель градиента. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно добавить изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Стиль обтекания - используйте этот раздел, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Чтобы изменить дополнительные параметры автофигуры, щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина - используйте одну из этих опций, чтобы изменить ширину автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно ширины левого поля, поля (то есть расстояния между левым и правым полями), ширины страницы или ширины правого поля. Высота - используйте одну из этих опций, чтобы изменить высоту автофигуры. Абсолютная - укажите точное значение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...). Относительная - укажите размер в процентах относительно поля (то есть расстояния между верхним и нижним полями), высоты нижнего поля, высоты страницы или высоты верхнего поля. Если установлен флажок Сохранять пропорции, ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения автофигуры относительно текста: или она будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать ее со всех сторон (если выбран один из остальных стилей). В тексте - автофигура считается частью текста, как отдельный символ, поэтому при перемещении текста фигура тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, автофигуру можно перемещать независимо от текста и и точно задавать положение фигуры на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает автофигуру. По контуру - текст обтекает реальные контуры автофигуры. Сквозное - текст обтекает вокруг контуров автофигуры и заполняет незамкнутое свободное место внутри фигуры. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже автофигуры. Перед текстом - автофигура перекрывает текст. За текстом - текст перекрывает автофигуру. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования автофигуры: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли автофигура перемещаться вместе с текстом, к которому она привязана. Опция Разрешить перекрытие определяет, будут ли перекрываться две автофигуры, если перетащить их близко друг к другу на странице. Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Поля вокруг текста можно изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура." }, { "id": "UsageInstructions/InsertBookmarks.htm", @@ -173,7 +178,7 @@ var indexes = { "id": "UsageInstructions/InsertContentControls.htm", "title": "Вставка элементов управления содержимым", - "body": "Используя элементы управления содержимым, вы можете создать форму с полями ввода, которую могут заполнять другие пользователи, или защитить некоторые части документа от редактирования или удаления. Элементы управления содержимым - это объекты, содержащие текст, который можно форматировать. Элементы управления содержимым \"Обычный текст\" могут содержать не более одного абзаца, тогда как элементы управления содержимым \"Форматированный текст\" могут содержать несколько абзацев, списки и объекты (изображения, фигуры, таблицы и так далее). Добавление элементов управления содержимым Для создания нового элемента управления содержимым \"Обычный текст\", установите курсор в строке текста там, где требуется добавить элемент управления, или выделите фрагмент текста, который должен стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Вставить элемент управления содержимым \"Обычный текст\". Элемент управления будет вставлен в позиции курсора в строке существующего текста. Элементы управления содержимым \"Обычный текст\" не позволяют добавлять разрывы строки и не могут содержать другие объекты, такие как изображения, таблицы и так далее. Для создания нового элемента управления содержимым \"Форматированный текст\", установите курсор в конце абзаца, после которого требуется добавить элемент управления, или выделите один или несколько существующих абзацев, которые должны стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Вставить элемент управления содержимым \"Форматированный текст\". Элемент управления содержимым \"Форматированный текст\" будет вставлен в новом абзаце. Элементы управления содержимым \"Форматированный текст\" позволяют добавлять разрывы строки, то есть могут содержать несколько абзацев, а также какие-либо объекты, такие как изображения, таблицы, другие элементы управления содержимым и так далее. Примечание: Граница элемента управления содержимым видна только при выделении элемента управления. Границы не отображаются в печатной версии. Перемещение элементов управления содержимым Элементы управления можно перемещать на другое место в документе: нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, и перетащите его, не отпуская кнопку мыши, на другое место в тексте документа. Элементы управления содержимым можно также копировать и вставлять: выделите нужный элемент управления и используйте сочетания клавиш Ctrl+C/Ctrl+V. Редактирование содержимого элементов управления Замените стандартный текст в элементе управления (\"Введите ваш текст\") на свой собственный: выделите стандартный текст и введите новый текст или скопируйте откуда-нибудь фрагмент текста и вставьте его в элемент управления содержимым. Текст внутри элемента управления содержимым любого типа (и \"Обычный текст\", и \"Форматированный текст\") можно отформатировать с помощью значков на верхней панели инструментов: вы можете изменить тип, размер, цвет шрифта, применить стили оформления и предустановленные стили форматирования. Для изменения свойств текста можно также использовать окно Абзац - Дополнительные параметры, доступное из контекстного меню или с правой боковой панели. Текст в элементах управления \"Форматированный текст\" можно форматировать, как обычный текст документа, то есть вы можете задать междустрочный интервал, изменить отступы абзаца, настроить позиции табуляции. Изменение настроек элементов управления содержимым Чтобы открыть настройки элемента управления содержимым, можно действовать следующим образом: Выделите нужный элемент управления содержимым, нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Параметры элемента управления. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Параметры элемента управления содержимым. Откроется новое окно, в котором можно настроить следующие параметры: Укажите Заголовок или Тег элемента управления содержимым в соответствующих полях. Заголовок будет отображаться при выделении элемента управления в документе. Теги используются для идентификации элементов управления, чтобы можно было ссылаться на них в коде. Выберите, требуется ли отображать элемент управления C ограничивающей рамкой или Без рамки. В том случае, если вы выбрали вариант C ограничивающей рамкой, можно выбрать Цвет рамки в расположенном ниже поле. Защитите элемент управления содержимым от удаления или редактирования, используя параметры из раздела Блокировка: Элемент управления содержимым нельзя удалить - отметьте эту опцию, чтобы защитить элемент управления содержимым от удаления. Содержимое нельзя редактировать - отметьте эту опцию, чтобы защитить содержимое элемента управления от редактирования. Нажмите кнопку OK в окне настроек, чтобы применить изменения. Также доступна возможность выделения элементов управления определенным цветом. Для того, чтобы выделить элементы цветом: Нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов, Выберите в меню опцию Параметры выделения, Выберите нужный цвет на одной из доступных палитр: Цвета темы, Стандартные цвета или задайте Пользовательский цвет. Чтобы убрать ранее примененное выделение цветом, используйте опцию Без выделения. Выбранные параметры выделения будут применены ко всем элементам управления в документе. Удаление элементов управления содержимым Чтобы удалить элемент управления и оставить все его содержимое, щелкните по элементу управления содержимым, чтобы выделить его, затем действуйте одним из следующих способов: Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Удалить элемент управления содержимым. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Удалить элемент управления содержимым. Чтобы удалить элемент управления и все его содержимое, выделите нужный элемент управления и нажмите клавишу Delete на клавиатуре." + "body": "Используя элементы управления содержимым, вы можете создать форму с полями ввода, которую могут заполнять другие пользователи, или защитить некоторые части документа от редактирования или удаления. Элементы управления содержимым - это объекты, содержащие текст, который можно форматировать. Элементы управления содержимым \"Обычный текст\" могут содержать не более одного абзаца, тогда как элементы управления содержимым \"Форматированный текст\" могут содержать несколько абзацев, списки и объекты (изображения, фигуры, таблицы и так далее). Добавление элементов управления содержимым Для создания нового элемента управления содержимым \"Обычный текст\", установите курсор в строке текста там, где требуется добавить элемент управления, или выделите фрагмент текста, который должен стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Вставить элемент управления содержимым \"Обычный текст\". Элемент управления будет вставлен в позиции курсора в строке существующего текста. Элементы управления содержимым \"Обычный текст\" не позволяют добавлять разрывы строки и не могут содержать другие объекты, такие как изображения, таблицы и так далее. Для создания нового элемента управления содержимым \"Форматированный текст\", установите курсор в конце абзаца, после которого требуется добавить элемент управления, или выделите один или несколько существующих абзацев, которые должны стать содержимым элемента управления. перейдите на вкладку Вставка верхней панели инструментов. нажмите на стрелку рядом со значком Элементы управления содержимым. выберите в меню опцию Вставить элемент управления содержимым \"Форматированный текст\". Элемент управления содержимым \"Форматированный текст\" будет вставлен в новом абзаце. Элементы управления содержимым \"Форматированный текст\" позволяют добавлять разрывы строки, то есть могут содержать несколько абзацев, а также какие-либо объекты, такие как изображения, таблицы, другие элементы управления содержимым и так далее. Примечание: Граница элемента управления содержимым видна только при выделении элемента управления. Границы не отображаются в печатной версии. Перемещение элементов управления содержимым Элементы управления можно перемещать на другое место в документе: нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, и перетащите его, не отпуская кнопку мыши, на другое место в тексте документа. Элементы управления содержимым можно также копировать и вставлять: выделите нужный элемент управления и используйте сочетания клавиш Ctrl+C/Ctrl+V. Редактирование содержимого элементов управления Замените стандартный текст в элементе управления (\"Введите ваш текст\") на свой собственный: выделите стандартный текст и введите новый текст или скопируйте откуда-нибудь фрагмент текста и вставьте его в элемент управления содержимым. Текст внутри элемента управления содержимым любого типа (и \"Обычный текст\", и \"Форматированный текст\") можно отформатировать с помощью значков на верхней панели инструментов: вы можете изменить тип, размер, цвет шрифта, применить стили оформления и предустановленные стили форматирования. Для изменения свойств текста можно также использовать окно Абзац - Дополнительные параметры, доступное из контекстного меню или с правой боковой панели. Текст в элементах управления \"Форматированный текст\" можно форматировать, как обычный текст документа, то есть вы можете задать междустрочный интервал, изменить отступы абзаца, настроить позиции табуляции. Изменение настроек элементов управления содержимым Чтобы открыть настройки элемента управления содержимым, можно действовать следующим образом: Выделите нужный элемент управления содержимым, нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Параметры элемента управления. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Параметры элемента управления содержимым. Откроется новое окно, в котором можно настроить следующие параметры: Укажите Заголовок или Тег элемента управления содержимым в соответствующих полях. Заголовок будет отображаться при выделении элемента управления в документе. Теги используются для идентификации элементов управления, чтобы можно было ссылаться на них в коде. Выберите, требуется ли отображать элемент управления C ограничивающей рамкой или Без рамки. В том случае, если вы выбрали вариант C ограничивающей рамкой, можно выбрать Цвет рамки в расположенном ниже поле. Нажмите кнопку Применить ко всем, чтобы применить указанные настройки из раздела Вид ко всем элементам управления в документе. Защитите элемент управления содержимым от удаления или редактирования, используя параметры из раздела Блокировка: Элемент управления содержимым нельзя удалить - отметьте эту опцию, чтобы защитить элемент управления содержимым от удаления. Содержимое нельзя редактировать - отметьте эту опцию, чтобы защитить содержимое элемента управления от редактирования. Нажмите кнопку OK в окне настроек, чтобы применить изменения. Также доступна возможность выделения элементов управления определенным цветом. Для того, чтобы выделить элементы цветом: Нажмите на кнопку слева от границы элемента управления, чтобы выделить элемент управления, Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов, Выберите в меню опцию Параметры выделения, Выберите нужный цвет на одной из доступных палитр: Цвета темы, Стандартные цвета или задайте Пользовательский цвет. Чтобы убрать ранее примененное выделение цветом, используйте опцию Без выделения. Выбранные параметры выделения будут применены ко всем элементам управления в документе. Удаление элементов управления содержимым Чтобы удалить элемент управления и оставить все его содержимое, щелкните по элементу управления содержимым, чтобы выделить его, затем действуйте одним из следующих способов: Нажмите на стрелку рядом со значком Элементы управления содержимым на верхней панели инструментов и выберите в меню опцию Удалить элемент управления содержимым. Щелкните правой кнопкой мыши по элементу управления содержимым и используйте команду контекстного меню Удалить элемент управления содержимым. Чтобы удалить элемент управления и все его содержимое, выделите нужный элемент управления и нажмите клавишу Delete на клавиатуре." }, { "id": "UsageInstructions/InsertDropCap.htm", @@ -198,7 +203,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В редакторе документов можно вставлять в документ изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в текст документа: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK после того, как изображение будет добавлено, можно изменить его размер, свойства и положение. Перемещение и изменение размера изображений Для изменения размера изображения перетаскивайте маленькие квадраты , расположенные по его краям. Чтобы сохранить исходные пропорции выбранного изображения при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения изображения используйте значок , который появляется после наведения курсора мыши на изображение. Перетащите изображение на нужное место, не отпуская кнопку мыши. При перемещении изображения на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы повернуть изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров изображения Некоторые параметры изображения можно изменить с помощью вкладки Параметры изображения на правой боковой панели. Чтобы ее активировать, щелкните по изображению и выберите значок Параметры изображения справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Размер по умолчанию - используется для смены текущего размера изображения на размер по умолчанию. Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию. Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения изображения относительно текста: или оно будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать его со всех сторон (если выбран один из остальных стилей). В тексте - изображение считается частью текста, как отдельный символ, поэтому при перемещении текста изображение тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, изображение можно перемещать независимо от текста и точно задавать положение изображения на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает изображение. По контуру - текст обтекает реальные контуры изображения. Сквозное - текст обтекает вокруг контуров изображения и заполняет незамкнутое свободное место внутри него. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже изображения. Перед текстом - изображение перекрывает текст. За текстом - текст перекрывает изображение. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли изображение перемещаться вместе с текстом, к которому оно привязано. Опция Разрешить перекрытие определяет, будут ли перекрываться два изображения, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение." + "body": "В редакторе документов можно вставлять в документ изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в текст документа: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором Вы можете ввести веб-адрес нужного изображения, а затем нажмите кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того, как изображение будет добавлено, можно изменить его размер, свойства и положение. Перемещение и изменение размера изображений Для изменения размера изображения перетаскивайте маленькие квадраты , расположенные по его краям. Чтобы сохранить исходные пропорции выбранного изображения при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения изображения используйте значок , который появляется после наведения курсора мыши на изображение. Перетащите изображение на нужное место, не отпуская кнопку мыши. При перемещении изображения на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Чтобы повернуть изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение параметров изображения Некоторые параметры изображения можно изменить с помощью вкладки Параметры изображения на правой боковой панели. Чтобы ее активировать, щелкните по изображению и выберите значок Параметры изображения справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения. При необходимости можно восстановить размер изображения по умолчанию, нажав кнопку По умолчанию. Кнопка Вписать позволяет изменить размер изображения таким образом, чтобы оно занимало все пространство между левым и правым полями страницы. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранное изображение на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать изображения для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять изображение по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом - или для изменения границы обтекания. Опция Изменить границу обтекания доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Чтобы произвольно изменить границу, перетаскивайте точки границы обтекания. Чтобы создать новую точку границы обтекания, щелкните в любом месте на красной линии и перетащите ее в нужную позицию. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Обрезать - используется, чтобы применить один из вариантов обрезки: Обрезать, Заливка или Вписать. Выберите из подменю пункт Обрезать, затем перетащите маркеры обрезки, чтобы задать область обрезки, и нажмите на одну из этих трех опций в подменю еще раз, чтобы применить изменения. Размер по умолчанию - используется для смены текущего размера изображения на размер по умолчанию. Заменить изображение - используется, чтобы заменить текущее изображение, загрузив другое Из файла или По URL. Дополнительные параметры изображения - используется для вызова окна 'Изображение - дополнительные параметры'. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения изображения относительно текста: или оно будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать его со всех сторон (если выбран один из остальных стилей). В тексте - изображение считается частью текста, как отдельный символ, поэтому при перемещении текста изображение тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, изображение можно перемещать независимо от текста и точно задавать положение изображения на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает изображение. По контуру - текст обтекает реальные контуры изображения. Сквозное - текст обтекает вокруг контуров изображения и заполняет незамкнутое свободное место внутри него. Чтобы этот эффект проявился, используйте опцию Изменить границу обтекания из контекстного меню. Сверху и снизу - текст находится только выше и ниже изображения. Перед текстом - изображение перекрывает текст. За текстом - текст перекрывает изображение. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования изображения: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли изображение перемещаться вместе с текстом, к которому оно привязано. Опция Разрешить перекрытие определяет, будут ли перекрываться два изображения, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение." }, { "id": "UsageInstructions/InsertPageNumbers.htm", @@ -208,12 +213,12 @@ var indexes = { "id": "UsageInstructions/InsertTables.htm", "title": "Вставка таблиц", - "body": "Вставка таблицы Для вставки таблицы в текст документа: установите курсор там, где надо разместить таблицу, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Таблица на верхней панели инструментов, выберите опцию для создания таблицы: или таблица со стандартным количеством ячеек (максимум 10 на 8 ячеек) Если требуется быстро добавить таблицу, просто выделите мышью нужное количество строк (максимум 8) и столбцов (максимум 10). или пользовательская таблица Если Вам нужна таблица больше, чем 10 на 8 ячеек, выберите опцию Вставить пользовательскую таблицу, после чего откроется окно, в котором можно вручную ввести нужное количество строк и столбцов соответственно, затем нажмите кнопку OK. после того, как таблица будет добавлена, Вы сможете изменить ее свойства и положение. Чтобы изменить размер таблицы, наведите курсор мыши на маркер в правом нижнем углу и перетаскивайте его, пока таблица не достигнет нужного размера. Вы также можете вручную изменить ширину определенного столбца или высоту строки. Наведите курсор мыши на правую границу столбца, чтобы курсор превратился в двунаправленную стрелку , и перетащите границу влево или вправо, чтобы задать нужную ширину. Чтобы вручную изменить высоту отдельной строки, наведите курсор мыши на нижнюю границу строки, чтобы курсор превратился в двунаправленную стрелку , и перетащите границу вверх или вниз. Чтобы переместить таблицу, удерживайте маркер в левом верхнем углу и перетащите его на нужное место в документе. Выделение таблицы или ее части Чтобы выделить всю таблицу, нажмите на маркер в левом верхнем углу. Чтобы выделить определенную ячейку, подведите курсор мыши к левой части нужной ячейки, чтобы курсор превратился в черную стрелку , затем щелкните левой кнопкой мыши. Чтобы выделить определенную строку, подведите курсор мыши к левой границе таблицы рядом с нужной строкой, чтобы курсор превратился в горизонтальную черную стрелку , затем щелкните левой кнопкой мыши. Чтобы выделить определенный столбец, подведите курсор мыши к верхней границе нужного столбца, чтобы курсор превратился в направленную вниз черную стрелку , затем щелкните левой кнопкой мыши. Можно также выделить ячейку, строку, столбец или таблицу с помощью опций контекстного меню или раздела Строки и столбцы на правой боковой панели. Примечание: для перемещения по таблице можно использовать сочетания клавиш. Изменение параметров таблицы Некоторые свойства таблицы, а также ее структуру можно изменить с помощью контекстного меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Выделить - используется для выделения строки, столбца, ячейки или таблицы. Вставить - используется для вставки строки выше или ниже той строки, в которой находится курсор, а также для вставки столбца слева или справа от того столбца, в котором находится курсор. Удалить - используется для удаления строки, столбца или таблицы. Объединить ячейки - этот пункт доступен при выделении двух или более ячеек и используется для их объединения. Разделить ячейку... - используется для вызова окна, в котором можно выбрать нужное количество столбцов и строк, на которое будет разделена ячейка. Выровнять высоту строк - используется для изменения выделенных ячеек таким образом, чтобы все они имели одинаковую высоту, без изменения общей высоты таблицы. Выровнять ширину столбцов - используется для изменения выделенных ячеек таким образом, чтобы все они имели одинаковую ширину, без изменения общей ширины таблицы. Вертикальное выравнивание в ячейках - используется для выравнивания текста в выделенной ячейке по верхнему краю, центру или нижнему краю. Направление текста - используется для изменения ориентации текста в ячейке. Текст можно расположить по горизонтали, по вертикали сверху вниз (Поворот на 90°), или по вертикали снизу вверх (Поворот на 270°). Дополнительные параметры таблицы - используется для вызова окна 'Таблица - дополнительные параметры'. Гиперссылка - используется для вставки гиперссылки. Дополнительные параметры абзаца - используется для вызова окна 'Абзац - дополнительные параметры'. Свойства таблицы можно также изменить на правой боковой панели: Строки и Столбцы - используются для выбора тех частей таблицы, которые необходимо выделить. Для строк: Заголовок - для выделения первой строки Итоговая - для выделения последней строки Чередовать - для выделения строк через одну Для столбцов: Первый - для выделения первого столбца Последний - для выделения последнего столбца Чередовать - для выделения столбцов через один По шаблону - используется для выбора одного из доступных шаблонов таблиц. Стиль границ - используется для выбора толщины, цвета и стиля границ, а также цвета фона. Строки и столбцы - используется для выполнения некоторых операций с таблицей: выделения, удаления, вставки строк и столбцов, объединения ячеек, разделения ячейки. Размер ячейки - используется для изменения ширины и высоты выделенной ячейки. В этом разделе можно также Выровнять высоту строк, чтобы все выделенные ячейки имели одинаковую высоту, или Выровнять ширину столбцов, чтобы все выделенные ячейки имели одинаковую ширину. Повторять как заголовок на каждой странице - в длинных таблицах используется для вставки одной и той же строки заголовка наверху каждой страницы. Дополнительные параметры - используется для вызова окна 'Таблица - дополнительные параметры'. Чтобы изменить дополнительные параметры таблицы, щелкните по таблице правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры таблицы. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств таблицы: На вкладке Таблица можно изменить свойства всей таблицы. Раздел Размер таблицы содержит следующие параметры: Ширина - по умолчанию ширина таблицы автоматически подгоняется по ширине страницы, то есть таблица занимает все пространство между левым и правым полями страницы. Можно установить этот флажок и указать нужную ширину таблицы вручную. Опция Единицы позволяет указать, надо ли задавать ширину таблицы в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...) или в Процентах от общей ширины страницы. Примечание: можно также регулировать размеры таблицы, изменяя высоту строк и ширину столбцов вручную. Наведите указатель мыши на границу строки/столбца, чтобы он превратился в двустороннюю стрелку, и перетащите границу. Кроме того, можно использовать маркеры на горизонтальной линейке для изменения ширины столбцов и маркеры на вертикальной линейке для изменения высоты строк. Автоподбор размеров по содержимому - разрешает автоматически изменять ширину каждого столбца в соответствии с текстом внутри его ячеек. Раздел Поля ячейки по умолчанию позволяет изменить используемые по умолчанию расстояния между текстом внутри ячейки и границами ячейки. Раздел Параметры позволяет изменить следующий параметр: Интервалы между ячейками - разрешает использование между ячейками интервалов, которые будут заливаться цветом Фона таблицы. На вкладке Ячейка можно изменить свойства отдельных ячеек. Сначала надо выбрать ячейку, к которой требуется применить изменения, или выделить всю таблицу, чтобы изменить свойства всех ее ячеек. Раздел Размер ячейки содержит следующие параметры: Опция Ширина позволяет задать предпочтительную ширину ячейки. Это размер, которому ячейка стремится соответствовать, хотя в некоторых случаях точное соответствие может быть невозможно. Например, если текст внутри ячейки превышает заданную ширину, он будет переноситься на следующую строку, чтобы предпочтительная ширина ячейки оставалась неизменной, но если вставить новый столбец, предпочтительная ширина будет уменьшена. Опция Единицы - позволяет указать, надо ли задавать ширину ячейки в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...) или в Процентах от общей ширины таблицы. Примечание: можно также регулировать ширину ячейки вручную. Чтобы сделать отдельную ячейку в столбце шире или уже общей ширины столбца, выделите нужную ячейку, наведите указатель мыши на ее правую границу, чтобы он превратился в двустороннюю стрелку, затем перетащите границу. Чтобы изменить ширину всех ячеек в столбце, используйте маркеры на горизонтальной линейке для изменения ширины столбцов. Раздел Поля ячейки позволяет регулировать расстояние между текстом внутри ячейки и границами ячейки. По умолчанию установлены стандартные значения (значения, используемые по умолчанию, тоже можно изменить на вкладке Таблица), но можно снять флажок Использовать поля по умолчанию и ввести нужные значения вручную. В разделе Параметры ячейки можно изменить следующий параметр: Опция Перенос текста включена по умолчанию. Она позволяет переносить текст внутри ячейки, превышающий ее ширину, на следующую строку, увеличивая высоту строки и оставляя ширину столбца неизменной. Вкладка Границы и фон содержит следующие параметры: Параметры границы (ширина, цвет и наличие или отсутствие) - задайте ширину границ, выберите их цвет и то, как они должны отображаться в ячейках. Примечание: если вы решили скрыть границы таблицы, нажав кнопку или отключив все границы вручную на схеме, в документе они будут обозначены пунктиром. Чтобы они совсем исчезли, нажмите значок Непечатаемые символы на вкладке Главная верхней панели инструментов и выберите опцию Скрытые границы таблиц. Фон ячейки - цвет фона внутри ячейки (опция доступна только в том случае, если выделены одна или более ячеек или выбрана опция Интервалы между ячейками на вкладке Таблица). Фон таблицы - цвет фона таблицы или фона пространства между ячейками в том случае, если выбрана опция Интервалы между ячейками на вкладке Таблица. Вкладка Положение таблицы доступна только в том случае, если на вкладке Обтекание текстом выбрана опция Плавающая таблица. Эта вкладка содержит следующие параметры: Параметры раздела По горизонтали включают в себя выравнивание таблицы (по левому краю, по центру, по правому краю) относительно поля, страницы или текста, а также положение таблицы справа от поля, страницы или текста. Параметры раздела По вертикали включают в себя выравнивание таблицы (по верхнему краю, по центру, по нижнему краю) относительно поля, страницы или текста, а также положение таблицы ниже поля, страницы или текста. В разделе Параметры можно изменить следующие параметры: Опция Перемещать с текстом определяет, будет ли таблица перемещаться вместе с текстом, в который она вставлена. Опция Разрешить перекрытие определяет, будут ли две таблицы объединяться в одну большую таблицу или перекрываться, если перетащить их близко друг к другу на странице. Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания текстом - Встроенная таблица или Плавающая таблица. Используйте нужную опцию, чтобы изменить способ размещения таблицы относительно текста: или она будет являться частью текста (если Вы выбрали вариант \"Встроенная таблица\"), или текст будет обтекать ее со всех сторон (если Вы выбрали вариант \"Плавающая таблица\"). После того, как Вы выберете стиль обтекания, можно задать дополнительные параметры обтекания как для встроенных, так и для плавающих таблиц: Для встроенной таблицы Вы можете указать выравнивание таблицы и отступ слева. Для плавающей таблицы Вы можете указать расстояние до текста и положение таблицы на вкладке Положение таблицы. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит таблица." + "body": "Вставка таблицы Для вставки таблицы в текст документа: установите курсор там, где надо разместить таблицу, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Таблица на верхней панели инструментов, выберите опцию для создания таблицы: или таблица со стандартным количеством ячеек (максимум 10 на 8 ячеек) Если требуется быстро добавить таблицу, просто выделите мышью нужное количество строк (максимум 8) и столбцов (максимум 10). или пользовательская таблица Если Вам нужна таблица больше, чем 10 на 8 ячеек, выберите опцию Вставить пользовательскую таблицу, после чего откроется окно, в котором можно вручную ввести нужное количество строк и столбцов соответственно, затем нажмите кнопку OK. после того, как таблица будет добавлена, Вы сможете изменить ее свойства и положение. Чтобы изменить размер таблицы, наведите курсор мыши на маркер в правом нижнем углу и перетаскивайте его, пока таблица не достигнет нужного размера. Вы также можете вручную изменить ширину определенного столбца или высоту строки. Наведите курсор мыши на правую границу столбца, чтобы курсор превратился в двунаправленную стрелку , и перетащите границу влево или вправо, чтобы задать нужную ширину. Чтобы вручную изменить высоту отдельной строки, наведите курсор мыши на нижнюю границу строки, чтобы курсор превратился в двунаправленную стрелку , и перетащите границу вверх или вниз. Чтобы переместить таблицу, удерживайте маркер в левом верхнем углу и перетащите его на нужное место в документе. Выделение таблицы или ее части Чтобы выделить всю таблицу, нажмите на маркер в левом верхнем углу. Чтобы выделить определенную ячейку, подведите курсор мыши к левой части нужной ячейки, чтобы курсор превратился в черную стрелку , затем щелкните левой кнопкой мыши. Чтобы выделить определенную строку, подведите курсор мыши к левой границе таблицы рядом с нужной строкой, чтобы курсор превратился в горизонтальную черную стрелку , затем щелкните левой кнопкой мыши. Чтобы выделить определенный столбец, подведите курсор мыши к верхней границе нужного столбца, чтобы курсор превратился в направленную вниз черную стрелку , затем щелкните левой кнопкой мыши. Можно также выделить ячейку, строку, столбец или таблицу с помощью опций контекстного меню или раздела Строки и столбцы на правой боковой панели. Примечание: для перемещения по таблице можно использовать сочетания клавиш. Изменение параметров таблицы Некоторые свойства таблицы, а также ее структуру можно изменить с помощью контекстного меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Выделить - используется для выделения строки, столбца, ячейки или таблицы. Вставить - используется для вставки строки выше или ниже той строки, в которой находится курсор, а также для вставки столбца слева или справа от того столбца, в котором находится курсор. Удалить - используется для удаления строки, столбца или таблицы. Объединить ячейки - этот пункт доступен при выделении двух или более ячеек и используется для их объединения. Разделить ячейку... - используется для вызова окна, в котором можно выбрать нужное количество столбцов и строк, на которое будет разделена ячейка. Выровнять высоту строк - используется для изменения выделенных ячеек таким образом, чтобы все они имели одинаковую высоту, без изменения общей высоты таблицы. Выровнять ширину столбцов - используется для изменения выделенных ячеек таким образом, чтобы все они имели одинаковую ширину, без изменения общей ширины таблицы. Вертикальное выравнивание в ячейках - используется для выравнивания текста в выделенной ячейке по верхнему краю, центру или нижнему краю. Направление текста - используется для изменения ориентации текста в ячейке. Текст можно расположить по горизонтали, по вертикали сверху вниз (Повернуть текст вниз), или по вертикали снизу вверх (Повернуть текст вверх). Дополнительные параметры таблицы - используется для вызова окна 'Таблица - дополнительные параметры'. Гиперссылка - используется для вставки гиперссылки. Дополнительные параметры абзаца - используется для вызова окна 'Абзац - дополнительные параметры'. Свойства таблицы можно также изменить на правой боковой панели: Строки и Столбцы - используются для выбора тех частей таблицы, которые необходимо выделить. Для строк: Заголовок - для выделения первой строки Итоговая - для выделения последней строки Чередовать - для выделения строк через одну Для столбцов: Первый - для выделения первого столбца Последний - для выделения последнего столбца Чередовать - для выделения столбцов через один По шаблону - используется для выбора одного из доступных шаблонов таблиц. Стиль границ - используется для выбора толщины, цвета и стиля границ, а также цвета фона. Строки и столбцы - используется для выполнения некоторых операций с таблицей: выделения, удаления, вставки строк и столбцов, объединения ячеек, разделения ячейки. Размер ячейки - используется для изменения ширины и высоты выделенной ячейки. В этом разделе можно также Выровнять высоту строк, чтобы все выделенные ячейки имели одинаковую высоту, или Выровнять ширину столбцов, чтобы все выделенные ячейки имели одинаковую ширину. Добавить формулу - используется для вставки формулы в выбранную ячейку таблицы. Повторять как заголовок на каждой странице - в длинных таблицах используется для вставки одной и той же строки заголовка наверху каждой страницы. Дополнительные параметры - используется для вызова окна 'Таблица - дополнительные параметры'. Чтобы изменить дополнительные параметры таблицы, щелкните по таблице правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры таблицы. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств таблицы: На вкладке Таблица можно изменить свойства всей таблицы. Раздел Размер таблицы содержит следующие параметры: Ширина - по умолчанию ширина таблицы автоматически подгоняется по ширине страницы, то есть таблица занимает все пространство между левым и правым полями страницы. Можно установить этот флажок и указать нужную ширину таблицы вручную. Опция Единицы позволяет указать, надо ли задавать ширину таблицы в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...) или в Процентах от общей ширины страницы. Примечание: можно также регулировать размеры таблицы, изменяя высоту строк и ширину столбцов вручную. Наведите указатель мыши на границу строки/столбца, чтобы он превратился в двустороннюю стрелку, и перетащите границу. Кроме того, можно использовать маркеры на горизонтальной линейке для изменения ширины столбцов и маркеры на вертикальной линейке для изменения высоты строк. Автоподбор размеров по содержимому - разрешает автоматически изменять ширину каждого столбца в соответствии с текстом внутри его ячеек. Раздел Поля ячейки по умолчанию позволяет изменить используемые по умолчанию расстояния между текстом внутри ячейки и границами ячейки. Раздел Параметры позволяет изменить следующий параметр: Интервалы между ячейками - разрешает использование между ячейками интервалов, которые будут заливаться цветом Фона таблицы. На вкладке Ячейка можно изменить свойства отдельных ячеек. Сначала надо выбрать ячейку, к которой требуется применить изменения, или выделить всю таблицу, чтобы изменить свойства всех ее ячеек. Раздел Размер ячейки содержит следующие параметры: Опция Ширина позволяет задать предпочтительную ширину ячейки. Это размер, которому ячейка стремится соответствовать, хотя в некоторых случаях точное соответствие может быть невозможно. Например, если текст внутри ячейки превышает заданную ширину, он будет переноситься на следующую строку, чтобы предпочтительная ширина ячейки оставалась неизменной, но если вставить новый столбец, предпочтительная ширина будет уменьшена. Опция Единицы - позволяет указать, надо ли задавать ширину ячейки в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...) или в Процентах от общей ширины таблицы. Примечание: можно также регулировать ширину ячейки вручную. Чтобы сделать отдельную ячейку в столбце шире или уже общей ширины столбца, выделите нужную ячейку, наведите указатель мыши на ее правую границу, чтобы он превратился в двустороннюю стрелку, затем перетащите границу. Чтобы изменить ширину всех ячеек в столбце, используйте маркеры на горизонтальной линейке для изменения ширины столбцов. Раздел Поля ячейки позволяет регулировать расстояние между текстом внутри ячейки и границами ячейки. По умолчанию установлены стандартные значения (значения, используемые по умолчанию, тоже можно изменить на вкладке Таблица), но можно снять флажок Использовать поля по умолчанию и ввести нужные значения вручную. В разделе Параметры ячейки можно изменить следующий параметр: Опция Перенос текста включена по умолчанию. Она позволяет переносить текст внутри ячейки, превышающий ее ширину, на следующую строку, увеличивая высоту строки и оставляя ширину столбца неизменной. Вкладка Границы и фон содержит следующие параметры: Параметры границы (ширина, цвет и наличие или отсутствие) - задайте ширину границ, выберите их цвет и то, как они должны отображаться в ячейках. Примечание: если вы решили скрыть границы таблицы, нажав кнопку или отключив все границы вручную на схеме, в документе они будут обозначены пунктиром. Чтобы они совсем исчезли, нажмите значок Непечатаемые символы на вкладке Главная верхней панели инструментов и выберите опцию Скрытые границы таблиц. Фон ячейки - цвет фона внутри ячейки (опция доступна только в том случае, если выделены одна или более ячеек или выбрана опция Интервалы между ячейками на вкладке Таблица). Фон таблицы - цвет фона таблицы или фона пространства между ячейками в том случае, если выбрана опция Интервалы между ячейками на вкладке Таблица. Вкладка Положение таблицы доступна только в том случае, если на вкладке Обтекание текстом выбрана опция Плавающая таблица. Эта вкладка содержит следующие параметры: Параметры раздела По горизонтали включают в себя выравнивание таблицы (по левому краю, по центру, по правому краю) относительно поля, страницы или текста, а также положение таблицы справа от поля, страницы или текста. Параметры раздела По вертикали включают в себя выравнивание таблицы (по верхнему краю, по центру, по нижнему краю) относительно поля, страницы или текста, а также положение таблицы ниже поля, страницы или текста. В разделе Параметры можно изменить следующие параметры: Опция Перемещать с текстом определяет, будет ли таблица перемещаться вместе с текстом, в который она вставлена. Опция Разрешить перекрытие определяет, будут ли две таблицы объединяться в одну большую таблицу или перекрываться, если перетащить их близко друг к другу на странице. Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания текстом - Встроенная таблица или Плавающая таблица. Используйте нужную опцию, чтобы изменить способ размещения таблицы относительно текста: или она будет являться частью текста (если Вы выбрали вариант \"Встроенная таблица\"), или текст будет обтекать ее со всех сторон (если Вы выбрали вариант \"Плавающая таблица\"). После того, как Вы выберете стиль обтекания, можно задать дополнительные параметры обтекания как для встроенных, так и для плавающих таблиц: Для встроенной таблицы Вы можете указать выравнивание таблицы и отступ слева. Для плавающей таблицы Вы можете указать расстояние до текста и положение таблицы на вкладке Положение таблицы. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит таблица." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Вставка текстовых объектов", - "body": "Чтобы сделать текст более выразительным и привлечь внимание к определенной части документа, можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). Добавление текстового объекта Текстовый объект можно добавить в любом месте страницы. Для этого: перейдите на вкладку Вставка верхней панели инструментов, выберите нужный тип текстового объекта: чтобы добавить текстовое поле, щелкните по значку Надпись на верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в текущей позиции курсора. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к документу. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку с текстом внутри (у объектов Text Art по умолчанию невидимые границы), а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, обводку, стиль обтекания текстового поля или заменить прямоугольное поле на какую-то другую фигуру, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на странице, расположить текстовые поля в определенном порядке относительно других объектов, изменить стиль обтекания или открыть дополнительные параметры фигуры, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем - один из доступных вариантов: Горизонтальное (выбран по умолчанию), Поворот на 90° (задает вертикальное направление, сверху вниз) или Поворот на 270° (задает вертикальное направление, снизу вверх). Чтобы выровнять текст внутри текстового поля по вертикали, щелкните по тексту правой кнопкой мыши, выберите опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю. Другие параметры форматирования, которые можно применить, точно такие же, как и для обычного текста. Обратитесь к соответствующим разделам справки за дополнительными сведениями о нужном действии. Вы можете: выровнять текст внутри текстового поля по горизонтали изменить тип, размер, цвет шрифта, применить стили оформления и предустановленные стили форматирования задать междустрочный интервал, изменить отступы абзаца, настроить позиции табуляции для многострочного текста внутри текстового поля вставить гиперссылку Можно также нажать на значок Параметры объекта Text Art на правой боковой панели и изменить некоторые параметры стиля. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объекта Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените Заливку шрифта. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство букв. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Градиентная заливка - выберите эту опцию, чтобы залить буквы двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления: из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Градиент - щелкните по левому ползунку под шкалой градиента, чтобы активировать цветовое поле, которое соответствует первому цвету. Щелкните по этому цветовому полю справа, чтобы выбрать первый цвет на палитре. Перетащите ползунок, чтобы установить ограничитель градиента, то есть точку, в которой один цвет переходит в другой. Используйте правый ползунок под шкалой градиента, чтобы задать второй цвет и установить ограничитель градиента. Примечание: при выборе одной из этих двух опций можно также задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Настройте толщину, цвет и тип Обводки шрифта. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." + "body": "Чтобы сделать текст более выразительным и привлечь внимание к определенной части документа, можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). Добавление текстового объекта Текстовый объект можно добавить в любом месте страницы. Для этого: перейдите на вкладку Вставка верхней панели инструментов, выберите нужный тип текстового объекта: чтобы добавить текстовое поле, щелкните по значку Надпись на верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в текущей позиции курсора. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к документу. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку с текстом внутри (у объектов Text Art по умолчанию невидимые границы), а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, обводку, стиль обтекания текстового поля или заменить прямоугольное поле на какую-то другую фигуру, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на странице, расположить текстовые поля в определенном порядке относительно других объектов, повернуть или отразить текстовое поле, изменить стиль обтекания или открыть дополнительные параметры фигуры, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем - один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Чтобы выровнять текст внутри текстового поля по вертикали, щелкните по тексту правой кнопкой мыши, выберите опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю. Другие параметры форматирования, которые можно применить, точно такие же, как и для обычного текста. Обратитесь к соответствующим разделам справки за дополнительными сведениями о нужном действии. Вы можете: выровнять текст внутри текстового поля по горизонтали изменить тип, размер, цвет шрифта, применить стили оформления и предустановленные стили форматирования задать междустрочный интервал, изменить отступы абзаца, настроить позиции табуляции для многострочного текста внутри текстового поля вставить гиперссылку Можно также нажать на значок Параметры объекта Text Art на правой боковой панели и изменить некоторые параметры стиля. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объекта Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените Заливку шрифта. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство букв. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Градиентная заливка - выберите эту опцию, чтобы залить буквы двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления: из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Градиент - щелкните по левому ползунку под шкалой градиента, чтобы активировать цветовое поле, которое соответствует первому цвету. Щелкните по этому цветовому полю справа, чтобы выбрать первый цвет на палитре. Перетащите ползунок, чтобы установить ограничитель градиента, то есть точку, в которой один цвет переходит в другой. Используйте правый ползунок под шкалой градиента, чтобы задать второй цвет и установить ограничитель градиента. Примечание: при выборе одной из этих двух опций можно также задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Настройте толщину, цвет и тип Обводки шрифта. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." }, { "id": "UsageInstructions/LineSpacing.htm", @@ -228,12 +233,12 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Создание нового документа или открытие существующего", - "body": "После того как вы закончите работу над одним документом, можно сразу же перейти к уже существующему документу, который вы недавно редактировали, создать новый, или вернуться к списку существующих документов. Чтобы создать новый документ, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новый.... Чтобы открыть документ, который вы недавно редактировали в редакторе документов, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние..., выберите нужный документ из списка недавно измененных документов. Чтобы вернуться к списку существующих документов, нажмите на значок Перейти к Документам в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Перейти к Документам." + "body": "Чтобы создать новый документ В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новый. В десктопном редакторе в главном окне программы выберите пункт меню Документ в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке, после внесения в документ необходимых изменений нажмите на значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как. в окне проводника выберите местоположение файла на жестком диске, задайте название документа, выберите формат сохранения (DOCX, Шаблон документа, ODT, RTF, TXT, PDF или PDFA) и нажмите кнопку Сохранить. Чтобы открыть существующий документ В десктопном редакторе в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели, выберите нужный документ в окне проводника и нажмите кнопку Открыть. Можно также щелкнуть правой кнопкой мыши по нужному файлу в окне проводника, выбрать опцию Открыть с помощью и затем выбрать в меню нужное приложение. Если файлы офисных документов ассоциированы с приложением, документы также можно открывать двойным щелчком мыши по названию файла в окне проводника. Все каталоги, к которым вы получали доступ с помощью десктопного редактора, будут отображены в разделе Открыть локальный файл в списке Последние папки, чтобы в дальнейшем вы могли быстро их открыть. Щелкните по нужной папке, чтобы выбрать один из находящихся в ней файлов. Чтобы открыть документ, который вы недавно редактировали В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние..., выберите нужный документ из списка недавно измененных документов. В десктопном редакторе в главном окне программы выберите пункт меню Последние файлы на левой боковой панели, выберите нужный документ из списка недавно измененных документов. Чтобы открыть папку, в которой сохранен файл, в новой вкладке браузера в онлайн-версии, в окне проводника в десктопной версии, нажмите на значок Открыть расположение файла в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Открыть расположение файла." }, { "id": "UsageInstructions/PageBreaks.htm", "title": "Вставка разрывов страниц", - "body": "В редакторе документов можно добавить разрыв страницы, чтобы начать новую страницу, а также настроить параметры разбивки на страницы. Чтобы вставить разрыв страницы в текущей позиции курсора, нажмите значок Разрывы на вкладке Вставка или Макет верхней панели инструментов или щелкните по направленной вниз стрелке этого значка и выберите из меню опцию Вставить разрыв страницы. Можно также использовать сочетание клавиш Ctrl+Enter. Чтобы вставить разрыв страницы перед выбранным абзацем, то есть начать этот абзац в верхней части новой страницы: щелкните правой кнопкой мыши и выберите в меню пункт С новой страницы, или щелкните правой кнопкой мыши, выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели, затем в открывшемся окне Абзац - дополнительные параметры установите флажок С новой страницы. Чтобы располагать строки абзаца на одной странице и переносить на новую страницу только целые абзацы (то есть не допускать разрыва страниц между строками одного абзаца), щелкните правой кнопкой мыши и выберите в меню пункт Не разрывать абзац или щелкните правой кнопкой мыши, выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели, и установите флажок Не разрывать абзац в открывшемся окне Абзац - дополнительные параметры. В окне Абзац - дополнительные параметры можно задать еще два параметра разбивки на страницы: Не отрывать от следующего - используется, чтобы запретить вставку разрыва страницы между выбранным абзацем и следующим. Запрет висячих строк - эта опция включена по умолчанию и используется, чтобы запретить появление одиночных первых или последних строк абзаца наверху или внизу страницы." + "body": "В редакторе документов можно добавить разрыв страницы, чтобы начать новую страницу, а также настроить параметры разбивки на страницы. Чтобы вставить разрыв страницы в текущей позиции курсора, нажмите значок Разрывы на вкладке Вставка или Макет верхней панели инструментов или щелкните по направленной вниз стрелке этого значка и выберите из меню опцию Вставить разрыв страницы. Можно также использовать сочетание клавиш Ctrl+Enter. Чтобы вставить пустую страницу в текущей позиции курсора, нажмите значок Пустая страница на вкладке Вставка верхней панели инструментов. В результате будут вставлены два разрыва страницы, что создаст пустую страницу. Чтобы вставить разрыв страницы перед выбранным абзацем, то есть начать этот абзац в верхней части новой страницы: щелкните правой кнопкой мыши и выберите в меню пункт С новой страницы, или щелкните правой кнопкой мыши, выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели, затем в открывшемся окне Абзац - дополнительные параметры установите флажок С новой страницы. Чтобы располагать строки абзаца на одной странице и переносить на новую страницу только целые абзацы (то есть не допускать разрыва страниц между строками одного абзаца), щелкните правой кнопкой мыши и выберите в меню пункт Не разрывать абзац или щелкните правой кнопкой мыши, выберите в меню пункт Дополнительные параметры абзаца или используйте ссылку Дополнительные параметры на правой боковой панели, и установите флажок Не разрывать абзац в открывшемся окне Абзац - дополнительные параметры. В окне Абзац - дополнительные параметры можно задать еще два параметра разбивки на страницы: Не отрывать от следующего - используется, чтобы запретить вставку разрыва страницы между выбранным абзацем и следующим. Запрет висячих строк - эта опция включена по умолчанию и используется, чтобы запретить появление одиночных первых или последних строк абзаца наверху или внизу страницы." }, { "id": "UsageInstructions/ParagraphIndents.htm", @@ -243,7 +248,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / скачивание / печать документа", - "body": "По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущий документ вручную, нажмите значок Сохранить на верхней панели инструментов, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы скачать готовый документ и сохранить его на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов в зависимости от того, что вам нужно: DOCX, PDF, TXT, ODT, RTF, HTML. Чтобы распечатать текущий документ, нажмите значок Печать на верхней панели инструментов, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. После этого на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже." + "body": "Сохранение По умолчанию онлайн-редактор документов автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущий документ вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Примечание: чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить документ под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: DOCX, ODT, RTF, TXT, PDF, PDFA. Также можно выбрать вариант Шаблон документа DOTX. Скачивание Чтобы в онлайн-версии скачать готовый документ и сохранить его на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Сохранение копии Чтобы в онлайн-версии сохранить копию документа на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущий документ, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." }, { "id": "UsageInstructions/SectionBreaks.htm", @@ -263,11 +268,11 @@ var indexes = { "id": "UsageInstructions/UseMailMerge.htm", "title": "Использование слияния", - "body": "Примечание: эта возможность доступна только для платных версий. Функция слияния используется для создания набора документов, в которых сочетается общее содержание, взятое из текстового документа, и ряд индивидуальных компонентов (переменных, таких как имена, приветствия и т.д.), взятых из электронной таблицы (например, из списка клиентов). Это может быть полезно, если вам надо создать множество персонализированных писем и отправить их получателям. Чтобы начать работу с функцией Слияние, Подготовьте источник данных и загрузите его в основной документ Источник данных, используемый для слияния, должен быть электронной таблицей в формате .xlsx, сохраненной на вашем портале. Откройте существующую электронную таблицу или создайте новую и убедитесь, что она соответствует следующим требованиям. Таблица должна содержать строку заголовков с названиями столбцов, так как значения в первой ячейке каждого столбца определяют поля слияния (то есть переменные, которые можно вставить в текст). Каждый столбец должен содержать набор конкретных значений для переменной. Каждая строка в таблице должна соответствовать отдельной записи (то есть ряду значений, относящихся к определенному получателю). В ходе слияния для каждой записи будет создана копия основного документа, и каждое поле слияния, вставленное в основной текст, будет заменено фактическим значением из соответствующего столбца. Если вы собираетесь отправлять результаты по электронной почте, таблица также должна содержать столбец с адресами электронной почты получателей. Откройте существующий текстовый документ или создайте новый. Он должен содержать основной текст, который будет одинаковым для каждой версии документа, полученного в результате слияния. Нажмите значок Слияние на вкладке Главная верхней панели инструментов. Откроется окно Выбрать источник данных. В нем отображается список всех ваших электронных таблиц в формате .xlsx, которые сохранены в разделе Мои документы. Для перехода по другим разделам модуля Документы используйте меню в левой части окна. Выберите нужный файл и нажмите кнопку OK. Когда источник данных будет загружен, на правой боковой панели станет доступна вкладка Параметры слияния. Проверьте или измените список получателей Нажмите на кнопку Изменить список получателей наверху правой боковой панели, чтобы открыть окно Получатели слияния, в котором отображается содержание выбранного источника данных. Здесь можно добавить новую информацию, изменить или удалить существующие данные, если это необходимо. Чтобы облегчить работу с данными, можно использовать значки в верхней части окна: и - чтобы копировать и вставлять скопированные данные и - чтобы отменять и повторять отмененные действия и - чтобы сортировать данные внутри выделенного диапазона ячеек в порядке возрастания или убывания - чтобы включить фильтр для предварительно выделенного диапазона ячеек или чтобы удалить примененный фильтр - чтобы очистить все примененные параметры фильтра Примечание: для получения дополнительной информации по использованию фильтра можно обратиться к разделу Сортировка и фильтрация данных в справке по Редактору таблиц. - чтобы найти определенное значение и заменить его на другое, если это необходимо Примечание: для получения дополнительной информации по использованию средства поиска и замены можно обратиться к разделу Функция поиска и замены в справке по Редактору таблиц. После того как все необходимые изменения будут внесены, нажмите кнопку Сохранить и выйти. Чтобы сбросить изменения, нажмите кнопку Закрыть. Вставьте поля слияния и проверьте результаты Установите курсор в тексте основного документа там, куда требуется вставить поле слияния, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите нужное поле из списка. Доступные поля соответствуют данным в первой ячейке каждого столбца выбранного источника данных. Добавьте все поля, которые вам нужны, в любом месте документа. Включите переключатель Выделить поля слияния на правой боковой панели, чтобы вставленные поля стали заметнее в тексте документа. Включите переключатель Просмотр результатов на правой боковой панели, чтобы просмотреть текст документа с полями слияния, замененными на фактические значения из источника данных. Используйте кнопки со стрелками, чтобы просмотреть версии документа, созданного в результате слияния, для каждой записи. Чтобы удалить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью и нажмите клавишу Delete на клавиатуре. Чтобы заменить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите новое поле из списка. Задайте параметры слияния Выберите тип слияния. Вы можете запустить рассылку или сохранить результат как файл в формате PDF или Docx, чтобы в дальнейшем можно было распечатать или отредактировать его. Выберите нужную опцию из списка Слияние в: PDF - для создания единого документа в формате PDF, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем его можно было распечатать Docx - для создания единого документа в формате Docx, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем можно было отредактировать отдельные копии Email - для отправки результатов получателям по электронной почте Примечание: адреса электронной почты получателей должны быть указаны в загруженном источнике данных, а у вас должна быть хотя бы одна подключенная учетная запись электронной почты в модуле Почта на портале. Выберите записи, к которым надо применить слияние: Все записи (эта опция выбрана по умолчанию) - чтобы создать объединенные документы для всех записей из загруженного источника данных Текущая запись - чтобы создать объединенный документ для записи, отображенной в данный момент С ... По - чтобы создать объединенные документы для диапазона записей (в этом случае необходимо указать два значения: номер первой записи и последней записи в требуемом диапазоне) Примечание: максимально допустимое количество получателей - 100. Если в источнике данных более 100 получателей, выполните слияние поэтапно: укажите значения от 1 до 100, дождитесь завершения слияния, и повторите операцию, указав значения от 101 до N и т.д. Завершите слияние Если вы решили сохранить результаты слияния как файл, нажмите кнопку Скачать, чтобы сохранить файл на компьютере. Загруженный файл вы найдете в папке Загрузки, выбранной по умолчанию. нажмите кнопку Сохранить, чтобы сохранить файл на портале. В открывшемся окне Папка для сохранения можно изменить имя файла и задать папку, в которую надо его сохранить. Можно также установить флажок Открыть объединенный документ в новой вкладке, чтобы проверить результат сразу после слияния. Наконец нажмите кнопку Сохранить в окне выбора папки. Если вы выбрали опцию Email, на правой боковой панели будет доступна кнопка Слияние. После нажатия на нее откроется окно Отправить по электронной почте: В списке От кого выберите учетную запись электронной почты, которую вы хотите использовать для отправки писем, если у вас есть несколько подключенных учетных записей в модуле Почта. В списке Кому выберите поле слияния, соответствующее адресам электронной почты получателей, если оно не было выбрано автоматически. Введите тему сообщения в поле Тема. Выберите из списка формат: HTML, Прикрепить как DOCX или Прикрепить как PDF. При выборе одной из двух последних опций необходимо также задать Имя файла для вложений и ввести Сообщение (текст письма, которое будет отправлено получателям). Нажмите на кнопку Отправить. Когда рассылка завершится, вы получите оповещение на адрес электронной почты, указанный в поле От кого." + "body": "Примечание: эта возможность доступна только в онлайн-версии. Функция слияния используется для создания набора документов, в которых сочетается общее содержание, взятое из текстового документа, и ряд индивидуальных компонентов (переменных, таких как имена, приветствия и т.д.), взятых из электронной таблицы (например, из списка клиентов). Это может быть полезно, если вам надо создать множество персонализированных писем и отправить их получателям. Чтобы начать работу с функцией Слияние, Подготовьте источник данных и загрузите его в основной документ Источник данных, используемый для слияния, должен быть электронной таблицей в формате .xlsx, сохраненной на вашем портале. Откройте существующую электронную таблицу или создайте новую и убедитесь, что она соответствует следующим требованиям. Таблица должна содержать строку заголовков с названиями столбцов, так как значения в первой ячейке каждого столбца определяют поля слияния (то есть переменные, которые можно вставить в текст). Каждый столбец должен содержать набор конкретных значений для переменной. Каждая строка в таблице должна соответствовать отдельной записи (то есть ряду значений, относящихся к определенному получателю). В ходе слияния для каждой записи будет создана копия основного документа, и каждое поле слияния, вставленное в основной текст, будет заменено фактическим значением из соответствующего столбца. Если вы собираетесь отправлять результаты по электронной почте, таблица также должна содержать столбец с адресами электронной почты получателей. Откройте существующий текстовый документ или создайте новый. Он должен содержать основной текст, который будет одинаковым для каждой версии документа, полученного в результате слияния. Нажмите значок Слияние на вкладке Главная верхней панели инструментов. Откроется окно Выбрать источник данных. В нем отображается список всех ваших электронных таблиц в формате .xlsx, которые сохранены в разделе Мои документы. Для перехода по другим разделам модуля Документы используйте меню в левой части окна. Выберите нужный файл и нажмите кнопку OK. Когда источник данных будет загружен, на правой боковой панели станет доступна вкладка Параметры слияния. Проверьте или измените список получателей Нажмите на кнопку Изменить список получателей наверху правой боковой панели, чтобы открыть окно Получатели слияния, в котором отображается содержание выбранного источника данных. Здесь можно добавить новую информацию, изменить или удалить существующие данные, если это необходимо. Чтобы облегчить работу с данными, можно использовать значки в верхней части окна: и - чтобы копировать и вставлять скопированные данные и - чтобы отменять и повторять отмененные действия и - чтобы сортировать данные внутри выделенного диапазона ячеек в порядке возрастания или убывания - чтобы включить фильтр для предварительно выделенного диапазона ячеек или чтобы удалить примененный фильтр - чтобы очистить все примененные параметры фильтра Примечание: для получения дополнительной информации по использованию фильтра можно обратиться к разделу Сортировка и фильтрация данных в справке по Редактору таблиц. - чтобы найти определенное значение и заменить его на другое, если это необходимо Примечание: для получения дополнительной информации по использованию средства поиска и замены можно обратиться к разделу Функция поиска и замены в справке по Редактору таблиц. После того как все необходимые изменения будут внесены, нажмите кнопку Сохранить и выйти. Чтобы сбросить изменения, нажмите кнопку Закрыть. Вставьте поля слияния и проверьте результаты Установите курсор в тексте основного документа там, куда требуется вставить поле слияния, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите нужное поле из списка. Доступные поля соответствуют данным в первой ячейке каждого столбца выбранного источника данных. Добавьте все поля, которые вам нужны, в любом месте документа. Включите переключатель Выделить поля слияния на правой боковой панели, чтобы вставленные поля стали заметнее в тексте документа. Включите переключатель Просмотр результатов на правой боковой панели, чтобы просмотреть текст документа с полями слияния, замененными на фактические значения из источника данных. Используйте кнопки со стрелками, чтобы просмотреть версии документа, созданного в результате слияния, для каждой записи. Чтобы удалить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью и нажмите клавишу Delete на клавиатуре. Чтобы заменить вставленное поле, отключите режим Просмотр результатов, выделите поле мышью, нажмите кнопку Вставить поле слияния на правой боковой панели и выберите новое поле из списка. Задайте параметры слияния Выберите тип слияния. Вы можете запустить рассылку или сохранить результат как файл в формате PDF или Docx, чтобы в дальнейшем можно было распечатать или отредактировать его. Выберите нужную опцию из списка Слияние в: PDF - для создания единого документа в формате PDF, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем его можно было распечатать Docx - для создания единого документа в формате Docx, содержащего все копии, полученные в результате слияния, чтобы в дальнейшем можно было отредактировать отдельные копии Email - для отправки результатов получателям по электронной почте Примечание: адреса электронной почты получателей должны быть указаны в загруженном источнике данных, а у вас должна быть хотя бы одна подключенная учетная запись электронной почты в модуле Почта на портале. Выберите записи, к которым надо применить слияние: Все записи (эта опция выбрана по умолчанию) - чтобы создать объединенные документы для всех записей из загруженного источника данных Текущая запись - чтобы создать объединенный документ для записи, отображенной в данный момент С ... По - чтобы создать объединенные документы для диапазона записей (в этом случае необходимо указать два значения: номер первой записи и последней записи в требуемом диапазоне) Примечание: максимально допустимое количество получателей - 100. Если в источнике данных более 100 получателей, выполните слияние поэтапно: укажите значения от 1 до 100, дождитесь завершения слияния, и повторите операцию, указав значения от 101 до N и т.д. Завершите слияние Если вы решили сохранить результаты слияния как файл, нажмите кнопку Скачать, чтобы сохранить файл на компьютере. Загруженный файл вы найдете в папке Загрузки, выбранной по умолчанию. нажмите кнопку Сохранить, чтобы сохранить файл на портале. В открывшемся окне Папка для сохранения можно изменить имя файла и задать папку, в которую надо его сохранить. Можно также установить флажок Открыть объединенный документ в новой вкладке, чтобы проверить результат сразу после слияния. Наконец нажмите кнопку Сохранить в окне выбора папки. Если вы выбрали опцию Email, на правой боковой панели будет доступна кнопка Слияние. После нажатия на нее откроется окно Отправить по электронной почте: В списке От кого выберите учетную запись электронной почты, которую вы хотите использовать для отправки писем, если у вас есть несколько подключенных учетных записей в модуле Почта. В списке Кому выберите поле слияния, соответствующее адресам электронной почты получателей, если оно не было выбрано автоматически. Введите тему сообщения в поле Тема. Выберите из списка формат: HTML, Прикрепить как DOCX или Прикрепить как PDF. При выборе одной из двух последних опций необходимо также задать Имя файла для вложений и ввести Сообщение (текст письма, которое будет отправлено получателям). Нажмите на кнопку Отправить. Когда рассылка завершится, вы получите оповещение на адрес электронной почты, указанный в поле От кого." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Просмотр сведений о документе", - "body": "Чтобы получить доступ к подробным сведениям о редактируемом документе, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о документе.... Общие сведения Сведения о документе включают название документа, автора, размещение, дату создания, а также статистику: количество страниц, абзацев, слов, символов, символов с пробелами. Примечание: используя онлайн-редакторы, вы можете изменить название документа непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этого документа, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. История версий Примечание: эта опция недоступна для бесплатных аккаунтов, а также для пользователей с правами доступа Только чтение. Чтобы просмотреть все внесенные в документ изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этого документа с указанием автора и даты и времени создания каждой версии/ревизии. Для версий документа также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее. Чтобы вернуться к текущей версии документа, нажмите на ссылку Закрыть историю над списком версий. Чтобы закрыть панель Файл и вернуться к редактированию документа, выберите опцию Закрыть меню." + "body": "Чтобы получить доступ к подробным сведениям о редактируемом документе, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о документе.... Общие сведения Сведения о документе включают название документа, приложение, в котором был создан документ, а также статистику: количество страниц, абзацев, слов, символов, символов с пробелами. В онлайн-версии также отображаются следующие сведения: автор, размещение, дата создания. Примечание: используя онлайн-редакторы, вы можете изменить название документа непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этого документа, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. История версий В онлайн-версии вы можете просматривать историю версий для документов, сохраненных в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы просмотреть все внесенные в документ изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этого документа с указанием автора и даты и времени создания каждой версии/ревизии. Для версий документа также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее. Чтобы вернуться к текущей версии документа, нажмите на ссылку Закрыть историю над списком версий. Чтобы закрыть панель Файл и вернуться к редактированию документа, выберите опцию Закрыть меню." } ] \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/search/js/keyboard-switch.js b/apps/documenteditor/main/resources/help/ru/search/js/keyboard-switch.js new file mode 100644 index 000000000..267160c5e --- /dev/null +++ b/apps/documenteditor/main/resources/help/ru/search/js/keyboard-switch.js @@ -0,0 +1,30 @@ +$(function(){ + function shortcutToggler(enabled,disabled,enabled_opt,disabled_opt){ + var selectorTD_en = '.keyboard_shortcuts_table tr td:nth-child(' + enabled + ')', + selectorTD_dis = '.keyboard_shortcuts_table tr td:nth-child(' + disabled + ')'; + $(disabled_opt).removeClass('enabled').addClass('disabled'); + $(enabled_opt).removeClass('disabled').addClass('enabled'); + $(selectorTD_dis).hide(); + $(selectorTD_en).show().each(function() { + if($(this).text() == ''){ + $(this).parent('tr').hide(); + } else { + $(this).parent('tr').show(); + } + }); + } + if (navigator.platform.toUpperCase().indexOf('MAC') >= 0) { + shortcutToggler(3,2,'.mac_option','.pc_option'); + $('.mac_option').removeClass('right_option').addClass('left_option'); + $('.pc_option').removeClass('left_option').addClass('right_option'); + } else { + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + $('.shortcut_toggle').on('click', function() { + if($(this).hasClass('mac_option')){ + shortcutToggler(3,2,'.mac_option','.pc_option'); + } else if ($(this).hasClass('pc_option')){ + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + }); +}); \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/search/search.html b/apps/documenteditor/main/resources/help/ru/search/search.html index 12e867c23..e49d47f87 100644 --- a/apps/documenteditor/main/resources/help/ru/search/search.html +++ b/apps/documenteditor/main/resources/help/ru/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                              ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/documenteditor/main/resources/img/toolbar-menu.png b/apps/documenteditor/main/resources/img/toolbar-menu.png index 7d8bad438..08f8fd964 100644 Binary files a/apps/documenteditor/main/resources/img/toolbar-menu.png and b/apps/documenteditor/main/resources/img/toolbar-menu.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar-menu@2x.png b/apps/documenteditor/main/resources/img/toolbar-menu@2x.png index b88f17f15..79fd29f50 100644 Binary files a/apps/documenteditor/main/resources/img/toolbar-menu@2x.png and b/apps/documenteditor/main/resources/img/toolbar-menu@2x.png differ diff --git a/apps/documenteditor/main/resources/less/app.less b/apps/documenteditor/main/resources/less/app.less index 8d6040fa7..a16802d19 100644 --- a/apps/documenteditor/main/resources/less/app.less +++ b/apps/documenteditor/main/resources/less/app.less @@ -117,6 +117,7 @@ @import "../../../../common/main/resources/less/plugins.less"; @import "../../../../common/main/resources/less/toolbar.less"; @import "../../../../common/main/resources/less/language-dialog.less"; +@import "../../../../common/main/resources/less/winxp_fix.less"; // App // -------------------------------------------------- diff --git a/apps/documenteditor/main/resources/less/filemenu.less b/apps/documenteditor/main/resources/less/filemenu.less index c800db23b..67712c42c 100644 --- a/apps/documenteditor/main/resources/less/filemenu.less +++ b/apps/documenteditor/main/resources/less/filemenu.less @@ -86,7 +86,7 @@ } } -#panel-saveas { +#panel-saveas, #panel-savecopy { table { margin-left: auto; margin-right: auto; diff --git a/apps/documenteditor/main/resources/less/leftmenu.less b/apps/documenteditor/main/resources/less/leftmenu.less index cfcbbdaee..3eae9bff6 100644 --- a/apps/documenteditor/main/resources/less/leftmenu.less +++ b/apps/documenteditor/main/resources/less/leftmenu.less @@ -78,4 +78,5 @@ button.notify .btn-menu-comments {background-position: -0*@toolbar-icon-size -60 -webkit-transform: rotate(180deg); -o-transform: rotate(180deg); transform: rotate(180deg); + cursor: default; } diff --git a/apps/documenteditor/main/resources/less/statusbar.less b/apps/documenteditor/main/resources/less/statusbar.less index bfcb6842d..4c4fdca81 100644 --- a/apps/documenteditor/main/resources/less/statusbar.less +++ b/apps/documenteditor/main/resources/less/statusbar.less @@ -78,14 +78,6 @@ color: #000; margin-left: 6px; - .dropdown-toggle > .icon.lang-flag { - position: relative; - top: 3px; - margin-left: 3px; - margin-right: 2px; - display: inline-block; - } - .caret.up { background-position: @arrow-up-small-offset-x @arrow-up-small-offset-y; @@ -98,17 +90,9 @@ cursor: pointer; } - .dropdown-menu { - > li .icon { - display: inline-block; - vertical-align: text-bottom; - margin: 1px 5px 0 2px; - } - } - &.disabled { cursor: default; - label, .icon.lang-flag { + label { cursor: default; opacity: 0.4; } @@ -215,3 +199,4 @@ .button-normal-icon(btn-ic-zoomtowidth, 55, @toolbar-icon-size); .button-normal-icon(btn-ic-zoomtopage, 56, @toolbar-icon-size); .button-normal-icon(btn-ic-changes, 30, @toolbar-icon-size); +.button-normal-icon(spellcheck-lang, 69, @toolbar-icon-size); diff --git a/apps/documenteditor/main/resources/less/toolbar.less b/apps/documenteditor/main/resources/less/toolbar.less index 865c29994..db0e1ab91 100644 --- a/apps/documenteditor/main/resources/less/toolbar.less +++ b/apps/documenteditor/main/resources/less/toolbar.less @@ -22,17 +22,6 @@ } } -.toolbar-mask { - position: absolute; - top: 32px; - left: 48px; - right: 0; - bottom: 0; - opacity: 0; - background-color: @gray-light; - /* z-index: @zindex-tooltip + 1; */ -} - .toolbar-group-mask { position: absolute; top: 0; @@ -341,6 +330,11 @@ //.button-normal-icon(btn-dropcap, 50, @toolbar-icon-size); .button-normal-icon(btn-ic-doclang, 67, @toolbar-icon-size); +.button-normal-icon(rotate-90, 81, @toolbar-icon-size); +.button-normal-icon(rotate-270, 82, @toolbar-icon-size); +.button-normal-icon(flip-hor, 84, @toolbar-icon-size); +.button-normal-icon(flip-vert, 85, @toolbar-icon-size); + @menu-icon-size: 22px; .menu-icon-normal(mnu-wrap-inline, 0, @menu-icon-size); .menu-icon-normal(mnu-wrap-square, 1, @menu-icon-size); @@ -361,9 +355,8 @@ .menu-icon-normal(mnu-img-align-top, 16, @menu-icon-size); .menu-icon-normal(mnu-img-align-middle, 17, @menu-icon-size); .menu-icon-normal(mnu-img-align-bottom, 18, @menu-icon-size); -//.menu-btn-icon(mnu-, 19, @menu-icon-size); -//.menu-btn-icon(mnu-, 20, @menu-icon-size); - +.menu-icon-normal(mnu-distrib-hor, 19, @menu-icon-size); +.menu-icon-normal(mnu-distrib-vert, 20, @menu-icon-size); .menu-icon-normal(mnu-align-center, 21, @menu-icon-size); .menu-icon-normal(mnu-align-just, 22, @menu-icon-size); .menu-icon-normal(mnu-align-left, 23, @menu-icon-size); @@ -402,7 +395,9 @@ text-overflow: ellipsis; } -#id-toolbar-menu-auto-fontcolor > a.selected { +#id-toolbar-menu-auto-fontcolor > a.selected, +#control-settings-system-color > a.selected, +#control-settings-system-color > a:hover { span { outline: 1px solid #000; border: 1px solid #fff; @@ -446,7 +441,7 @@ #slot-field-fontname { float: left; - width: 166px; + width: 158px; } #slot-field-fontsize { diff --git a/apps/documenteditor/mobile/app-dev.js b/apps/documenteditor/mobile/app-dev.js index 3ba2a554d..653bd9b8c 100644 --- a/apps/documenteditor/mobile/app-dev.js +++ b/apps/documenteditor/mobile/app-dev.js @@ -139,6 +139,7 @@ require([ 'EditContainer', 'EditText', 'EditParagraph', + 'EditHeader', 'EditTable', 'EditImage', 'EditShape', @@ -207,6 +208,7 @@ require([ 'documenteditor/mobile/app/controller/edit/EditContainer', 'documenteditor/mobile/app/controller/edit/EditText', 'documenteditor/mobile/app/controller/edit/EditParagraph', + 'documenteditor/mobile/app/controller/edit/EditHeader', 'documenteditor/mobile/app/controller/edit/EditTable', 'documenteditor/mobile/app/controller/edit/EditImage', 'documenteditor/mobile/app/controller/edit/EditShape', diff --git a/apps/documenteditor/mobile/app.js b/apps/documenteditor/mobile/app.js index 249ffe259..b0a424f65 100644 --- a/apps/documenteditor/mobile/app.js +++ b/apps/documenteditor/mobile/app.js @@ -150,6 +150,7 @@ require([ 'EditContainer', 'EditText', 'EditParagraph', + 'EditHeader', 'EditTable', 'EditImage', 'EditShape', @@ -218,6 +219,7 @@ require([ 'documenteditor/mobile/app/controller/edit/EditContainer', 'documenteditor/mobile/app/controller/edit/EditText', 'documenteditor/mobile/app/controller/edit/EditParagraph', + 'documenteditor/mobile/app/controller/edit/EditHeader', 'documenteditor/mobile/app/controller/edit/EditTable', 'documenteditor/mobile/app/controller/edit/EditImage', 'documenteditor/mobile/app/controller/edit/EditShape', diff --git a/apps/documenteditor/mobile/app/controller/DocumentHolder.js b/apps/documenteditor/mobile/app/controller/DocumentHolder.js index f7b2dcce3..0e9841f63 100644 --- a/apps/documenteditor/mobile/app/controller/DocumentHolder.js +++ b/apps/documenteditor/mobile/app/controller/DocumentHolder.js @@ -57,7 +57,11 @@ define([ _view, _fastCoAuthTips = [], _actionSheets = [], - _isEdit = false; + _isEdit = false, + _canAcceptChanges = false, + _inRevisionChange = false, + _menuPos = [], + _timer = 0; return { models: [], @@ -90,11 +94,13 @@ define([ me.api.asc_registerCallback('asc_onDocumentContentReady', _.bind(me.onApiDocumentContentReady, me)); Common.NotificationCenter.on('api:disconnect', _.bind(me.onCoAuthoringDisconnect, me)); me.api.asc_registerCallback('asc_onCoAuthoringDisconnect', _.bind(me.onCoAuthoringDisconnect,me)); + me.api.asc_registerCallback('asc_onShowRevisionsChange', _.bind(me.onApiShowChange, me)); me.api.asc_coAuthoringGetUsers(); }, setMode: function (mode) { _isEdit = mode.isEdit; + _canAcceptChanges = mode.canReview && !mode.isReviewOnly; }, // When our application is ready, lets get started @@ -135,10 +141,30 @@ define([ return true; } }); + } else if ('accept' == eventName) { + me.api.asc_GetNextRevisionsChange(); + me.api.asc_AcceptChanges(); + } else if ('acceptall' == eventName) { + me.api.asc_AcceptAllChanges(); + } else if ('reject' == eventName) { + me.api.asc_GetNextRevisionsChange(); + me.api.asc_RejectChanges(); + } else if ('rejectall' == eventName) { + me.api.asc_RejectAllChanges(); + } else if ('review' == eventName) { + if (Common.SharedSettings.get('phone')) { + _actionSheets = me._initReviewMenu(); + me.onContextMenuClick(view, 'showActionSheet'); + } else { + _.delay(function () { + _view.showMenu(me._initReviewMenu(), _menuPos[0] || 0, _menuPos[1] || 0); + _timer = (new Date).getTime(); + }, 100); + } } else if ('showActionSheet' == eventName && _actionSheets.length > 0) { _.delay(function () { _.each(_actionSheets, function (action) { - action.text = action.caption + action.text = action.caption; action.onClick = function () { me.onContextMenuClick(null, action.event) } @@ -166,6 +192,11 @@ define([ if ($('.popover.settings, .popup.settings, .picker-modal.settings, .modal.modal-in, .actions-modal').length > 0) { return; } + var now = (new Date).getTime(); + if (now - _timer < 1000) return; + _timer = 0; + + _menuPos = [posX, posY]; var me = this, items; @@ -177,6 +208,8 @@ define([ }, onApiHidePopMenu: function() { + var now = (new Date).getTime(); + if (now - _timer < 1000) return; _view && _view.hideMenu(); }, @@ -283,6 +316,10 @@ define([ _view = this.createView('DocumentHolder').render(); }, + onApiShowChange: function(sdkchange) { + _inRevisionChange = sdkchange && sdkchange.length>0; + }, + // Internal _openLink: function(url) { @@ -378,6 +415,13 @@ define([ event: 'addlink' }); } + + if (_canAcceptChanges && _inRevisionChange) { + menuItems.push({ + caption: me.menuReview, + event: 'review' + }); + } } } @@ -401,6 +445,33 @@ define([ return menuItems; }, + _initReviewMenu: function (stack) { + var me = this, + menuItems = []; + + menuItems.push({ + caption: me.menuAccept, + event: 'accept' + }); + + menuItems.push({ + caption: me.menuReject, + event: 'reject' + }); + + menuItems.push({ + caption: me.menuAcceptAll, + event: 'acceptall' + }); + + menuItems.push({ + caption: me.menuRejectAll, + event: 'rejectall' + }); + + return menuItems; + }, + onCoAuthoringDisconnect: function() { this.isDisconnected = true; }, @@ -414,7 +485,12 @@ define([ menuAddLink: 'Add Link', menuOpenLink: 'Open Link', menuMore: 'More', - sheetCancel: 'Cancel' + sheetCancel: 'Cancel', + menuReview: 'Review', + menuAccept: 'Accept', + menuAcceptAll: 'Accept All', + menuReject: 'Reject', + menuRejectAll: 'Reject All' } })(), DE.Controllers.DocumentHolder || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/controller/Editor.js b/apps/documenteditor/mobile/app/controller/Editor.js index 9be613d37..a48c17dbc 100644 --- a/apps/documenteditor/mobile/app/controller/Editor.js +++ b/apps/documenteditor/mobile/app/controller/Editor.js @@ -66,6 +66,11 @@ define([ (/MSIE 10/.test(ua) && /; Touch/.test(ua))); } + function isSailfish() { + var ua = navigator.userAgent; + return /Sailfish/.test(ua) || /Jolla/.test(ua); + } + return { // Specifying a EditorController model models: [], @@ -93,6 +98,11 @@ define([ var phone = isPhone(); // console.debug('Layout profile:', phone ? 'Phone' : 'Tablet'); + if ( isSailfish() ) { + Common.SharedSettings.set('sailfish', true); + $('html').addClass('sailfish'); + } + Common.SharedSettings.set('android', Framework7.prototype.device.android); Common.SharedSettings.set('phone', phone); diff --git a/apps/documenteditor/mobile/app/controller/Main.js b/apps/documenteditor/mobile/app/controller/Main.js index 9228d9ec3..1a95e4b20 100644 --- a/apps/documenteditor/mobile/app/controller/Main.js +++ b/apps/documenteditor/mobile/app/controller/Main.js @@ -306,6 +306,11 @@ define([ }, onDownloadAs: function() { + if ( !this.appOptions.canDownload && !this.appOptions.canDownloadOrigin) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; var type = /^(?:(pdf|djvu|xps))$/.exec(this.document.fileType); @@ -448,6 +453,11 @@ define([ text = me.sendMergeText; break; + case Asc.c_oAscAsyncAction['Waiting']: + title = me.waitText; + text = me.waitText; + break; + case ApplyEditRights: title = me.txtEditingMode; text = me.txtEditingMode; @@ -485,8 +495,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) uiApp.closeModal(this._state.openDlg); @@ -499,8 +507,7 @@ define([ me.hidePreloader(); me.onLongActionEnd(Asc.c_oAscAsyncActionType['BlockInteraction'], LoadingDocument); - if (me.appOptions.isReviewOnly) - me.api.asc_SetTrackRevisions(true); + me.api.asc_SetTrackRevisions(me.appOptions.isReviewOnly || Common.localStorage.getBool("de-mobile-track-changes-" + (me.appOptions.fileKey || ''))); /** coauthoring begin **/ this.isLiveCommenting = Common.localStorage.getBool("de-settings-livecomment", true); @@ -517,7 +524,8 @@ define([ value = Common.localStorage.getItem("de-show-tableline"); me.api.put_ShowTableEmptyLine((value!==null) ? eval(value) : true); - me.api.asc_setSpellCheck(false); // don't use spellcheck for mobile mode + value = Common.localStorage.getBool("de-mobile-spellcheck", false); + me.api.asc_setSpellCheck(value); me.api.asc_registerCallback('asc_onStartAction', _.bind(me.onLongActionBegin, me)); me.api.asc_registerCallback('asc_onEndAction', _.bind(me.onLongActionEnd, me)); @@ -579,6 +587,7 @@ define([ me.applyLicense(); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -630,8 +639,24 @@ define([ buttons: buttons }); } - } else + } else { + if (!me.appOptions.isDesktopApp && !me.appOptions.canBrandingExt && + me.editorConfig && me.editorConfig.customization && (me.editorConfig.customization.loaderName || me.editorConfig.customization.loaderLogo)) { + uiApp.modal({ + title: me.textPaidFeature, + text : me.textCustomLoader, + buttons: [{ + text: me.textContactUs, + bold: true, + onClick: function() { + window.open('mailto:sales@onlyoffice.com', "_blank"); + } + }, + { text: me.textClose }] + }); + } DE.getController('Toolbar').activateControls(); + } }, onOpenDocument: function(progress) { @@ -684,15 +709,20 @@ define([ me.appOptions.canChat = me.appOptions.canLicense && !me.appOptions.isOffline && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.chat===false); me.appOptions.canEditStyles = me.appOptions.canLicense && me.appOptions.canEdit; me.appOptions.canPrint = (me.permissions.print !== false); + me.appOptions.fileKey = me.document.key; var type = /^(?:(pdf|djvu|xps))$/.exec(me.document.fileType); me.appOptions.canDownloadOrigin = me.permissions.download !== false && (type && typeof type[1] === 'string'); me.appOptions.canDownload = me.permissions.download !== false && (!type || typeof type[1] !== 'string'); me.appOptions.canReader = (!type || typeof type[1] !== 'string'); - me.appOptions.canBranding = (licType === Asc.c_oLicenseResult.Success) && (typeof me.editorConfig.customization == 'object'); + me.appOptions.canBranding = params.asc_getCustomization(); me.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof me.editorConfig.customization == 'object'); + if ( me.appOptions.isLightVersion ) { + me.appOptions.canUseHistory = me.appOptions.canReview = me.appOptions.isReviewOnly = false; + } + me.applyModeCommonElements(); me.applyModeEditorElements(); @@ -889,6 +919,14 @@ define([ config.msg = this.errorDataEncrypted; break; + case Asc.c_oAscError.ID.AccessDeny: + config.msg = this.errorAccessDeny; + break; + + case Asc.c_oAscError.ID.EditingError: + config.msg = this.errorEditingDownloadas; + break; + default: config.msg = this.errorDefaultMessage.replace('%1', id); break; @@ -1190,7 +1228,7 @@ define([ if (!this.appOptions.canPrint) return; if (this.api) - this.api.asc_Print(Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera); // if isChrome or isSafari or isOpera == true use asc_onPrintUrl event + this.api.asc_Print(); Common.component.Analytics.trackEvent('Print'); }, @@ -1241,7 +1279,7 @@ define([ criticalErrorTitle: 'Error', notcriticalErrorTitle: 'Warning', errorDefaultMessage: 'Error code: %1', - criticalErrorExtText: 'Press "Ok" to back to document list.', + criticalErrorExtText: 'Press "OK" to back to document list.', openTitleText: 'Opening Document', openTextText: 'Opening document...', saveTitleText: 'Saving Document', @@ -1268,7 +1306,7 @@ define([ unknownErrorText: 'Unknown error.', convertationTimeoutText: 'Convertation timeout exceeded.', downloadErrorText: 'Download failed.', - unsupportedBrowserErrorText : 'Your browser is not supported.', + unsupportedBrowserErrorText: 'Your browser is not supported.', splitMaxRowsErrorText: 'The number of rows must be less than %1', splitMaxColsErrorText: 'The number of columns must be less than %1', splitDividerErrorText: 'The number of rows must be a divisor of %1', @@ -1356,7 +1394,12 @@ define([ warnLicenseUsersExceeded: 'The number of concurrent users has been exceeded and the document will be opened for viewing only.
                              Please contact your administrator for more information.', errorDataEncrypted: 'Encrypted changes have been received, they cannot be deciphered.', closeButtonText: 'Close File', - scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.' + scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
                              Please contact your Document Server administrator.', + errorEditingDownloadas: 'An error occurred during the work with the document.
                              Use the \'Download\' option to save the file backup copy to your computer hard drive.', + textPaidFeature: 'Paid feature', + textCustomLoader: 'Please note that according to the terms of the license you are not entitled to change the loader.
                              Please contact our Sales Department to get a quote.', + waitText: 'Please, wait...' } })(), DE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/controller/Search.js b/apps/documenteditor/mobile/app/controller/Search.js index e2c830860..ac80ebe51 100644 --- a/apps/documenteditor/mobile/app/controller/Search.js +++ b/apps/documenteditor/mobile/app/controller/Search.js @@ -101,6 +101,9 @@ define([ $('#editor_sdk').single('mousedown touchstart', _.bind(me.onEditorTouchStart, me)); $('#editor_sdk').single('mouseup touchend', _.bind(me.onEditorTouchEnd, me)); + Common.NotificationCenter.on('readermode:change', function (reader) { + _startPoint = {}; + }); }, showSearch: function () { @@ -121,7 +124,8 @@ define([ var _endPoint = pointerEventToXY(e); if (_isShow) { - var distance = Math.sqrt((_endPoint.x -= _startPoint.x) * _endPoint.x + (_endPoint.y -= _startPoint.y) * _endPoint.y); + var distance = (_startPoint.x===undefined || _startPoint.y===undefined) ? 0 : + Math.sqrt((_endPoint.x -= _startPoint.x) * _endPoint.x + (_endPoint.y -= _startPoint.y) * _endPoint.y); if (distance < 1) { this.hideSearch(); diff --git a/apps/documenteditor/mobile/app/controller/Settings.js b/apps/documenteditor/mobile/app/controller/Settings.js index 8ba755de0..6df357b32 100644 --- a/apps/documenteditor/mobile/app/controller/Settings.js +++ b/apps/documenteditor/mobile/app/controller/Settings.js @@ -73,9 +73,24 @@ define([ { caption: 'Tabloid Oversize', subtitle: Common.Utils.String.format('30,48{0} x 45,71{0}', txtCm), value: [304.8, 457.1] }, { caption: 'ROC 16K', subtitle: Common.Utils.String.format('19,68{0} x 27,3{0}', txtCm), value: [196.8, 273] }, { caption: 'Envelope Choukei 3', subtitle: Common.Utils.String.format('11,99{0} x 23,49{0}', txtCm), value: [119.9, 234.9] }, - { caption: 'Super B/A3', subtitle: Common.Utils.String.format('33,02{0} x 48,25{0}', txtCm), value: [330.2, 482.5] } + { caption: 'Super B/A3', subtitle: Common.Utils.String.format('33,02{0} x 48,25{0}', txtCm), value: [330.2, 482.5] }, + { caption: 'A0', subtitle: Common.Utils.String.format('84,1{0} x 118,9{0}', txtCm), value: [841, 1189] }, + { caption: 'A1', subtitle: Common.Utils.String.format('59,4{0} x 84,1{0}', txtCm), value: [594, 841] }, + { caption: 'A2', subtitle: Common.Utils.String.format('42{0} x 59,4{0}', txtCm), value: [420, 594] }, + { caption: 'A6', subtitle: Common.Utils.String.format('10,5{0} x 14,8{0}', txtCm), value: [105, 148] } ], - _licInfo; + _licInfo, + _canReview = false, + _isReviewOnly = false, + _fileKey; + + var mm2Cm = function(mm) { + return parseFloat((mm/10.).toFixed(2)); + }; + + var cm2Mm = function(cm) { + return cm * 10.; + }; return { models: [], @@ -85,14 +100,23 @@ define([ ], initialize: function () { + var me = this; + Common.SharedSettings.set('readerMode', false); Common.NotificationCenter.on('settingscontainer:show', _.bind(this.initEvents, this)); - this.addListeners({ + me.maxMarginsW = me.maxMarginsH = 0; + me.localSectionProps = null; + + me.addListeners({ 'Settings': { - 'page:show' : this.onPageShow + 'page:show' : me.onPageShow } }); + + uiApp.onPageAfterBack('settings-document-view', function (page) { + me.applyPageMarginsIfNeed() + }); }, setApi: function (api) { @@ -116,6 +140,9 @@ define([ this.getView('Settings').setMode(mode); if (mode.canBranding) _licInfo = mode.customization; + _canReview = mode.canReview; + _isReviewOnly = mode.isReviewOnly; + _fileKey = mode.fileKey; }, initEvents: function () { @@ -179,29 +206,41 @@ define([ if ('#settings-document-view' == pageId) { me.initPageDocumentSettings(); + Common.Utils.addScrollIfNeed('.page[data-page=settings-document-view]', '.page[data-page=settings-document-view] .page-content'); } else if ('#settings-document-formats-view' == pageId) { me.getView('Settings').renderPageSizes(_pageSizes, _pageSizesIndex); $('.page[data-page=settings-document-formats-view] input:radio[name=document-format]').single('change', _.bind(me.onFormatChange, me)); + Common.Utils.addScrollIfNeed('.page[data-page=settings-document-formats-view]', '.page[data-page=settings-document-formats-view] .page-content'); } else if ('#settings-download-view' == pageId) { $(modalView).find('.formats a').single('click', _.bind(me.onSaveFormat, me)); + Common.Utils.addScrollIfNeed('.page[data-page=settings-download-view]', '.page[data-page=settings-download-view] .page-content'); } else if ('#settings-info-view' == pageId) { me.initPageInfo(); + Common.Utils.addScrollIfNeed('.page[data-page=settings-info-view]', '.page[data-page=settings-info-view] .page-content'); } else if ('#settings-about-view' == pageId) { // About me.setLicInfo(_licInfo); + Common.Utils.addScrollIfNeed('.page[data-page=settings-about-view]', '.page[data-page=settings-about-view] .page-content'); } else { $('#settings-readermode input:checkbox').attr('checked', Common.SharedSettings.get('readerMode')); + $('#settings-spellcheck input:checkbox').attr('checked', Common.localStorage.getBool("de-mobile-spellcheck", false)); + $('#settings-review input:checkbox').attr('checked', _isReviewOnly || Common.localStorage.getBool("de-mobile-track-changes-" + (_fileKey || ''))); $('#settings-search').single('click', _.bind(me.onSearch, me)); $('#settings-readermode input:checkbox').single('change', _.bind(me.onReaderMode, me)); + $('#settings-spellcheck input:checkbox').single('change', _.bind(me.onSpellcheck, me)); + $('#settings-orthography').single('click', _.bind(me.onOrthographyCheck, me)); + $('#settings-review input:checkbox').single('change', _.bind(me.onTrackChanges, me)); $('#settings-help').single('click', _.bind(me.onShowHelp, me)); $('#settings-download').single('click', _.bind(me.onDownloadOrigin, me)); + $('#settings-print').single('click', _.bind(me.onPrint, me)); } }, initPageDocumentSettings: function () { var me = this, $pageOrientation = $('.page[data-page=settings-document-view] input:radio[name=doc-orientation]'), - $pageSize = $('#settings-document-format'); + $pageSize = $('#settings-document-format'), + txtCm = Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.cm); // Init orientation $pageOrientation.val([_isPortrait]); @@ -210,6 +249,23 @@ define([ // Init format $pageSize.find('.item-title').text(_pageSizes[_pageSizesIndex]['caption']); $pageSize.find('.item-subtitle').text(_pageSizes[_pageSizesIndex]['subtitle']); + + // Init page margins + me.localSectionProps = me.api.asc_GetSectionProps(); + + if (me.localSectionProps) { + me.maxMarginsH = me.localSectionProps.get_H() - 26; + me.maxMarginsW = me.localSectionProps.get_W() - 127; + + $('#document-margin-top .item-after label').text(mm2Cm(me.localSectionProps.get_TopMargin()) + ' ' + txtCm); + $('#document-margin-bottom .item-after label').text(mm2Cm(me.localSectionProps.get_BottomMargin()) + ' ' + txtCm); + $('#document-margin-left .item-after label').text(mm2Cm(me.localSectionProps.get_LeftMargin()) + ' ' + txtCm); + $('#document-margin-right .item-after label').text(mm2Cm(me.localSectionProps.get_RightMargin()) + ' ' + txtCm); + } + + _.each(["top", "left", "bottom", "right"], function(align) { + $(Common.Utils.String.format('#document-margin-{0} .button', align)).single('click', _.bind(me.onPageMarginsChange, me, align)); + }) }, initPageInfo: function () { @@ -264,6 +320,29 @@ define([ } }, + // Utils + + applyPageMarginsIfNeed: function() { + var me = this, + originalMarginsProps = me.api.asc_GetSectionProps(), + originalMarginsChecksum = _.reduce([ + originalMarginsProps.get_TopMargin(), + originalMarginsProps.get_LeftMargin(), + originalMarginsProps.get_RightMargin(), + originalMarginsProps.get_BottomMargin() + ], function(memo, num){ return memo + num; }, 0), + localMarginsChecksum = _.reduce([ + me.localSectionProps.get_TopMargin(), + me.localSectionProps.get_LeftMargin(), + me.localSectionProps.get_RightMargin(), + me.localSectionProps.get_BottomMargin() + ], function(memo, num){ return memo + num; }, 0); + + if (Math.abs(originalMarginsChecksum - localMarginsChecksum) > 0.01) { + me.api.asc_SetSectionProps(me.localSectionProps); + } + }, + // Handlers onSearch: function (e) { @@ -292,6 +371,30 @@ define([ Common.NotificationCenter.trigger('readermode:change', Common.SharedSettings.get('readerMode')); }, + onSpellcheck: function (e) { + var $checkbox = $(e.currentTarget), + state = $checkbox.is(':checked'); + Common.localStorage.setItem("de-mobile-spellcheck", state ? 1 : 0); + this.api && this.api.asc_setSpellCheck(state); + }, + + onOrthographyCheck: function (e) { + this.hideModal(); + + this.api && this.api.asc_pluginRun("asc.{B631E142-E40B-4B4C-90B9-2D00222A286E}", 0); + }, + + onTrackChanges: function(e) { + var $checkbox = $(e.currentTarget), + state = $checkbox.is(':checked'); + if ( _isReviewOnly ) { + $checkbox.attr('checked', true); + } else if ( _canReview ) { + this.api.asc_SetTrackRevisions(state); + Common.localStorage.setItem("de-mobile-track-changes-" + (_fileKey || ''), state ? 1 : 0); + } + }, + onShowHelp: function () { window.open('http://support.onlyoffice.com/', "_blank"); this.hideModal(); @@ -331,6 +434,15 @@ define([ me.hideModal(); }, + onPrint: function(e) { + var me = this; + + _.defer(function () { + me.api.asc_Print(); + }); + me.hideModal(); + }, + onFormatChange: function (e) { var me = this, rawValue = $(e.currentTarget).val(), @@ -350,6 +462,38 @@ define([ }, 300); }, + onPageMarginsChange: function (align, e) { + var me = this, + $button = $(e.currentTarget), + step = 1, // mm + txtCm = Common.Utils.Metric.getMetricName(Common.Utils.Metric.c_MetricUnits.cm), + marginValue = null; + + switch (align) { + case 'left': marginValue = me.localSectionProps.get_LeftMargin(); break; + case 'top': marginValue = me.localSectionProps.get_TopMargin(); break; + case 'right': marginValue = me.localSectionProps.get_RightMargin(); break; + case 'bottom': marginValue = me.localSectionProps.get_BottomMargin(); break; + } + + if ($button.hasClass('decrement')) { + marginValue = Math.max(0, marginValue - step); + } else { + marginValue = Math.min((align == 'left' || align == 'right') ? me.maxMarginsW : me.maxMarginsH, marginValue + step); + } + + switch (align) { + case 'left': me.localSectionProps.put_LeftMargin(marginValue); break; + case 'top': me.localSectionProps.put_TopMargin(marginValue); break; + case 'right': me.localSectionProps.put_RightMargin(marginValue); break; + case 'bottom': me.localSectionProps.put_BottomMargin(marginValue); break; + } + + $(Common.Utils.String.format('#document-margin-{0} .item-after label', align)).text(mm2Cm(marginValue) + ' ' + txtCm); + + me.applyPageMarginsIfNeed() + }, + // API handlers onApiGetDocInfoStart: function () { diff --git a/apps/documenteditor/mobile/app/controller/edit/EditContainer.js b/apps/documenteditor/mobile/app/controller/edit/EditContainer.js index 00f5da90e..e9196532d 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditContainer.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditContainer.js @@ -49,7 +49,8 @@ define([ DE.Controllers.EditContainer = Backbone.Controller.extend(_.extend((function() { // Private - var _settings = []; + var _settings = [], + _headerType = 1; return { models: [], @@ -135,6 +136,13 @@ define([ layout: DE.getController('EditTable').getView('EditTable').rootLayout() }) } + if (_.contains(_settings, 'header')) { + editors.push({ + caption: _headerType==2 ? me.textFooter : me.textHeader, + id: 'edit-header', + layout: DE.getController('EditHeader').getView('EditHeader').rootLayout() + }) + } if (_.contains(_settings, 'shape')) { editors.push({ caption: me.textShape, @@ -360,6 +368,9 @@ define([ } } else if (Asc.c_oAscTypeSelectElement.Hyperlink == type) { _settings.push('hyperlink'); + } else if (Asc.c_oAscTypeSelectElement.Header == type) { + _settings.push('header'); + _headerType = object.get_ObjectValue().get_Type(); } }); @@ -378,8 +389,9 @@ define([ textShape: 'Shape', textImage: 'Image', textChart: 'Chart', - textHyperlink: 'Hyperlink' - + textHyperlink: 'Hyperlink', + textHeader: 'Header', + textFooter: 'Footer' } })(), DE.Controllers.EditContainer || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/controller/edit/EditHeader.js b/apps/documenteditor/mobile/app/controller/edit/EditHeader.js new file mode 100644 index 000000000..3a87c31f9 --- /dev/null +++ b/apps/documenteditor/mobile/app/controller/edit/EditHeader.js @@ -0,0 +1,194 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2019 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * + */ + +/** + * EditHeader.js + * Document Editor + * + * Created by Julia Radzhabova on 2/15/19 + * Copyright (c) 2019 Ascensio System SIA. All rights reserved. + * + */ + +define([ + 'core', + 'documenteditor/mobile/app/view/edit/EditHeader', + 'jquery', + 'underscore', + 'backbone' +], function (core, view, $, _, Backbone) { + 'use strict'; + + DE.Controllers.EditHeader = Backbone.Controller.extend(_.extend((function() { + // Private + var _stack = [], + _headerObject = undefined, + _startAt = 1; + + return { + models: [], + collections: [], + views: [ + 'EditHeader' + ], + + initialize: function () { + Common.NotificationCenter.on('editcontainer:show', _.bind(this.initEvents, this)); + Common.NotificationCenter.on('editcategory:show', _.bind(this.categoryShow, this)); + + this.addListeners({ + 'EditHeader': { + 'page:show' : this.onPageShow + } + }); + }, + + setApi: function (api) { + var me = this; + me.api = api; + + me.api.asc_registerCallback('asc_onFocusObject', _.bind(me.onApiFocusObject, me)); + }, + + onLaunch: function () { + this.createView('EditHeader').render(); + }, + + initEvents: function () { + var me = this; + + $('#header-diff-first input:checkbox').single('change', _.bind(me.onDiffFirst, me)); + $('#header-diff-odd input:checkbox').single('change', _.bind(me.onDiffOdd, me)); + $('#header-same-as input:checkbox').single('change', _.bind(me.onSameAs, me)); + $('#header-numbering-continue input:checkbox').single('change', _.bind(me.onNumberingContinue, me)); + $('#header-numbering-start .button').single('click', _.bind(me.onStartAt, me)); + + me.initSettings(); + }, + + categoryShow: function (e) { + var $target = $(e.currentTarget); + + if ($target && $target.prop('id') === 'edit-header') { + this.initSettings(); + } + }, + + onPageShow: function () { + var me = this; + me.initSettings(); + }, + + initSettings: function () { + var me = this; + + if (_headerObject) { + $('#header-diff-first input:checkbox').prop('checked', _headerObject.get_DifferentFirst()); + $('#header-diff-odd input:checkbox').prop('checked', _headerObject.get_DifferentEvenOdd()); + + var value = _headerObject.get_LinkToPrevious(); + $('#header-same-as input:checkbox').prop('checked', !!value); + $('#header-same-as').toggleClass('disabled', value===null); + + value = _headerObject.get_StartPageNumber(); + $('#header-numbering-continue input:checkbox').prop('checked', value<0); + $('#header-numbering-start').toggleClass('disabled', value<0); + if (value>=0) + _startAt=value; + $('#header-numbering-start .item-after label').text(_startAt); + } + }, + + // Public + // Handlers + + onDiffFirst: function (e) { + var $checkbox = $(e.currentTarget); + this.api.HeadersAndFooters_DifferentFirstPage($checkbox.is(':checked')); + }, + + onDiffOdd: function (e) { + var $checkbox = $(e.currentTarget); + this.api.HeadersAndFooters_DifferentOddandEvenPage($checkbox.is(':checked')); + }, + + onSameAs: function (e) { + var $checkbox = $(e.currentTarget); + this.api.HeadersAndFooters_LinkToPrevious($checkbox.is(':checked')); + }, + + onNumberingContinue: function (e) { + var $checkbox = $(e.currentTarget); + $('#header-numbering-start').toggleClass('disabled', $checkbox.is(':checked')); + this.api.asc_SetSectionStartPage($checkbox.is(':checked') ? -1 : _startAt); + }, + + onStartAt: function (e) { + var $button = $(e.currentTarget), + start = _startAt; + + if ($button.hasClass('decrement')) { + start = Math.max(1, --start); + } else { + start = Math.min(2147483646, ++start); + } + _startAt = start; + + $('#header-numbering-start .item-after label').text(start); + + this.api.asc_SetSectionStartPage(start); + }, + + // API handlers + + onApiFocusObject: function (objects) { + _stack = objects; + + var headers = []; + + _.each(_stack, function(object) { + if (object.get_ObjectType() == Asc.c_oAscTypeSelectElement.Header) { + headers.push(object); + } + }); + + if (headers.length > 0) { + var object = headers[headers.length - 1]; // get top + _headerObject = object.get_ObjectValue(); + } else { + _headerObject = undefined; + } + } + } + })(), DE.Controllers.EditHeader || {})) +}); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/controller/edit/EditImage.js b/apps/documenteditor/mobile/app/controller/edit/EditImage.js index 7098f8969..f53b874ec 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditImage.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditImage.js @@ -197,7 +197,7 @@ define([ properties.put_Width(imgsize.get_ImageWidth()); properties.put_Height(imgsize.get_ImageHeight()); - + properties.put_ResetCrop(true); me.api.ImgApply(properties); } }, diff --git a/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js b/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js index 105d1e5c7..a27ad47f4 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js @@ -54,6 +54,7 @@ define([ var _stack = [], _paragraphInfo = {}, _paragraphObject = undefined, + _paragraphProperty = undefined, _styles = [], _styleThumbSize, _styleName, @@ -113,6 +114,7 @@ define([ $('#paragraph-distance-before .button').single('click', _.bind(me.onDistanceBefore, me)); $('#paragraph-distance-after .button').single('click', _.bind(me.onDistanceAfter, me)); + $('#paragraph-spin-first-line .button').single('click', _.bind(me.onSpinFirstLine, me)); $('#paragraph-space input:checkbox').single('change', _.bind(me.onSpaceBetween, me)); $('#paragraph-page-break input:checkbox').single('change', _.bind(me.onBreakBefore, me)); $('#paragraph-page-orphan input:checkbox').single('change', _.bind(me.onOrphan, me)); @@ -127,6 +129,23 @@ define([ initSettings: function () { var me = this; + var selectedElements = me.api.getSelectedElements(); + if (selectedElements && _.isArray(selectedElements)) { + for (var i = selectedElements.length - 1; i >= 0; i--) { + if (Asc.c_oAscTypeSelectElement.Paragraph == selectedElements[i].get_ObjectType()) { + _paragraphProperty = selectedElements[i].get_ObjectValue(); + break; + } + } + } + + if (_paragraphProperty) { + if (_paragraphProperty.get_Ind()===null || _paragraphProperty.get_Ind()===undefined) { + _paragraphProperty.get_Ind().put_FirstLine(0); + } + $('#paragraph-spin-first-line .item-after label').text(_paragraphProperty.get_Ind().get_FirstLine() + ' ' + metricText); + } + if (_paragraphObject) { _paragraphInfo.spaceBefore = _paragraphObject.get_Spacing().get_Before() < 0 ? _paragraphObject.get_Spacing().get_Before() : Common.Utils.Metric.fnRecalcFromMM(_paragraphObject.get_Spacing().get_Before()); _paragraphInfo.spaceAfter = _paragraphObject.get_Spacing().get_After() < 0 ? _paragraphObject.get_Spacing().get_After() : Common.Utils.Metric.fnRecalcFromMM(_paragraphObject.get_Spacing().get_After()); @@ -240,10 +259,25 @@ define([ _paragraphInfo.spaceAfter = distance; $('#paragraph-distance-after .item-after label').text(_paragraphInfo.spaceAfter < 0 ? 'Auto' : (_paragraphInfo.spaceAfter) + ' ' + metricText); - this.api.put_LineSpacingBeforeAfter(1, (_paragraphInfo.spaceAfter < 0) ? -1 : Common.Utils.Metric.fnRecalcToMM(_paragraphInfo.spaceAfter)); }, + onSpinFirstLine: function(e) { + var $button = $(e.currentTarget), + distance = _paragraphProperty.get_Ind().get_FirstLine(); + + if ($button.hasClass('decrement')) { + distance = Math.max(-999, --distance); + } else { + distance = Math.min(999, ++distance); + } + + _paragraphProperty.get_Ind().put_FirstLine(distance) + + $('#paragraph-spin-first-line .item-after label').text(distance + ' ' + metricText); + this.api.paraApply(_paragraphProperty); + }, + onSpaceBetween: function (e) { var $checkbox = $(e.currentTarget); this.api.put_AddSpaceBetweenPrg($checkbox.is(':checked')); diff --git a/apps/documenteditor/mobile/app/controller/edit/EditTable.js b/apps/documenteditor/mobile/app/controller/edit/EditTable.js index e686dff91..86b7dde72 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditTable.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditTable.js @@ -189,11 +189,24 @@ define([ if (_tableObject) { if (pageId == '#edit-table-wrap') { me._initWrappView(); + Common.Utils.addScrollIfNeed('.page[data-page=edit-table-wrap]', '.page[data-page=edit-table-wrap] .page-content'); } else if (pageId == "#edit-table-style" || pageId == '#edit-table-border-color-view') { me._initStyleView(); + + if (pageId == '#edit-table-border-color-view') { + Common.Utils.addScrollIfNeed('.page[data-page=edit-table-border-color]', '.page[data-page=edit-table-border-color] .page-content'); + } else { + Common.Utils.addScrollIfNeed('.page[data-page=edit-table-style]', '.page[data-page=edit-table-style] .page-content'); + } + + Common.Utils.addScrollIfNeed('#tab-table-border .list-block', '#tab-table-border .list-block ul'); + Common.Utils.addScrollIfNeed('#tab-table-fill .list-block', '#tab-table-fill .list-block ul'); + Common.Utils.addScrollIfNeed('#tab-table-style .list-block', '#tab-table-style .list-block ul'); } else if (pageId == '#edit-table-options') { + Common.Utils.addScrollIfNeed('.page[data-page=edit-table-wrap]', '.page[data-page=edit-table-wrap] .page-content'); me._initTableOptionsView(); } else if (pageId == '#edit-table-style-options-view') { + Common.Utils.addScrollIfNeed('.page[data-page=edit-table-style-options]', '.page[data-page=edit-table-style-options] .page-content'); me._initStyleOptionsView(); } } diff --git a/apps/documenteditor/mobile/app/template/EditHeader.template b/apps/documenteditor/mobile/app/template/EditHeader.template new file mode 100644 index 000000000..6303b0522 --- /dev/null +++ b/apps/documenteditor/mobile/app/template/EditHeader.template @@ -0,0 +1,79 @@ + +

                              \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/template/EditParagraph.template b/apps/documenteditor/mobile/app/template/EditParagraph.template index 0715799d5..5abd3fcf1 100644 --- a/apps/documenteditor/mobile/app/template/EditParagraph.template +++ b/apps/documenteditor/mobile/app/template/EditParagraph.template @@ -69,9 +69,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              @@ -84,9 +84,24 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %> +

                              +
                              + + +
                            • +
                            • + @@ -266,9 +266,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              diff --git a/apps/documenteditor/mobile/app/template/Settings.template b/apps/documenteditor/mobile/app/template/Settings.template index 0fc02ac04..0b6717542 100644 --- a/apps/documenteditor/mobile/app/template/Settings.template +++ b/apps/documenteditor/mobile/app/template/Settings.template @@ -41,6 +41,52 @@
                            • +
                            • +
                              +
                              + +
                              +
                              +
                              <%= scope.textSpellcheck %>
                              +
                              + +
                              +
                              +
                              +
                            • + <% if (orthography) { %> +
                            • + +
                              +
                              + +
                              +
                              +
                              Проверка правописания
                              +
                              +
                              +
                              +
                            • + <% } %> +
                            • +
                              +
                              + +
                              +
                              +
                              <%= scope.textReview %>
                              +
                              + +
                              +
                              +
                              +
                            • @@ -77,6 +123,18 @@
                            • +
                            • + +
                              +
                              + +
                              +
                              +
                              <%= scope.textPrint %>
                              +
                              +
                              +
                              +
                            • @@ -181,6 +239,71 @@
                            +
                            <%= scope.textMargins %>
                            +
                            +
                              +
                            • +
                              +
                              +
                              <%= scope.textTop %>
                              +
                              + <% if (!android) { %><% } %> +

                              + <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } %> + <% if (android) { %><% } else { %>+<% } %> +

                              +
                              +
                              +
                              +
                            • +
                            • +
                              +
                              +
                              <%= scope.textBottom %>
                              +
                              + <% if (!android) { %><% } %> +

                              + <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } %> + <% if (android) { %><% } else { %>+<% } %> +

                              +
                              +
                              +
                              +
                            • +
                            • +
                              +
                              +
                              <%= scope.textLeft %>
                              +
                              + <% if (!android) { %><% } %> +

                              + <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } %> + <% if (android) { %><% } else { %>+<% } %> +

                              +
                              +
                              +
                              +
                            • +
                            • +
                              +
                              +
                              <%= scope.textRight %>
                              +
                              + <% if (!android) { %><% } %> +

                              + <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } %> + <% if (android) { %><% } else { %>+<% } %> +

                              +
                              +
                              +
                              +
                            • +
                            +
                            @@ -332,6 +455,18 @@
                          2. +
                          3. + +
                            +
                            + +
                            +
                            +
                            PDF/A
                            +
                            +
                            +
                            +
                          4. @@ -368,6 +503,30 @@
                          5. +
                          6. + +
                            +
                            + +
                            +
                            +
                            DOTX
                            +
                            +
                            +
                            +
                          7. +
                          8. + +
                            +
                            + +
                            +
                            +
                            OTT
                            +
                            +
                            +
                            +
                        diff --git a/apps/documenteditor/mobile/app/view/Settings.js b/apps/documenteditor/mobile/app/view/Settings.js index 5405cec0e..3189471a4 100644 --- a/apps/documenteditor/mobile/app/view/Settings.js +++ b/apps/documenteditor/mobile/app/view/Settings.js @@ -56,7 +56,10 @@ define([ _canDownloadOrigin = false, _canReader = false, _canAbout = true, - _canHelp = true; + _canHelp = true, + _canPrint = false, + _canReview = false, + _isReviewOnly = false; return { // el: '.view-main', @@ -76,6 +79,7 @@ define([ initEvents: function () { var me = this; + Common.Utils.addScrollIfNeed('.view[data-page=settings-root-view] .pages', '.view[data-page=settings-root-view] .page'); me.updateItemHandlers(); me.initControls(); }, @@ -85,6 +89,7 @@ define([ this.layout = $('
                        ').append(this.template({ android : Common.SharedSettings.get('android'), phone : Common.SharedSettings.get('phone'), + orthography: Common.SharedSettings.get('sailfish'), scope : this })); @@ -97,6 +102,9 @@ define([ _canDownload = mode.canDownload; _canDownloadOrigin = mode.canDownloadOrigin; _canReader = !mode.isEdit && mode.canReader; + _canPrint = mode.canPrint; + _canReview = mode.canReview; + _isReviewOnly = mode.isReviewOnly; if (mode.customization && mode.canBrandingExt) { _canAbout = (mode.customization.about!==false); @@ -116,6 +124,8 @@ define([ $layour.find('#settings-search .item-title').text(this.textFindAndReplace) } else { $layour.find('#settings-document').hide(); + $layour.find('#settings-spellcheck').hide(); + $layour.find('#settings-orthography').hide(); } if (!_canReader) $layour.find('#settings-readermode').hide(); @@ -127,6 +137,9 @@ define([ if (!_canDownloadOrigin) $layour.find('#settings-download').hide(); if (!_canAbout) $layour.find('#settings-about').hide(); if (!_canHelp) $layour.find('#settings-help').hide(); + if (!_canPrint) $layour.find('#settings-print').hide(); + if (!_canReview) $layour.find('#settings-review').hide(); + if (_isReviewOnly) $layour.find('#settings-review').addClass('disabled'); return $layour.html(); } @@ -255,7 +268,15 @@ define([ textCustomSize: 'Custom Size', textDocumentFormats: 'Document Formats', textOrientation: 'Orientation', - textPoweredBy: 'Powered by' + textPoweredBy: 'Powered by', + textSpellcheck: 'Spell Checking', + textPrint: 'Print', + textReview: 'Review', + textMargins: 'Margins', + textTop: 'Top', + textLeft: 'Left', + textBottom: 'Bottom', + textRight: 'Right' } })(), DE.Views.Settings || {})) diff --git a/apps/documenteditor/mobile/app/view/edit/EditChart.js b/apps/documenteditor/mobile/app/view/edit/EditChart.js index d55da8ea8..85d3861da 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditChart.js +++ b/apps/documenteditor/mobile/app/view/edit/EditChart.js @@ -105,6 +105,7 @@ define([ $('.edit-chart-style .categories a').single('click', _.bind(me.showStyleCategory, me)); + Common.Utils.addScrollIfNeed('#edit-chart .pages', '#edit-chart .page'); me.initControls(); me.renderStyles(); }, @@ -220,15 +221,18 @@ define([ transparent: true }); + this.fireEvent('page:show', [this, selector]); }, showWrap: function () { this.showPage('#edit-chart-wrap'); + Common.Utils.addScrollIfNeed('.page.chart-wrap', '.page.chart-wrap .page-content'); }, showReorder: function () { this.showPage('#edit-chart-reorder'); + Common.Utils.addScrollIfNeed('.page.chart-reorder', '.page.chart-reorder .page-content'); }, showBorderColor: function () { diff --git a/apps/documenteditor/mobile/app/view/edit/EditHeader.js b/apps/documenteditor/mobile/app/view/edit/EditHeader.js new file mode 100644 index 000000000..9b64072e8 --- /dev/null +++ b/apps/documenteditor/mobile/app/view/edit/EditHeader.js @@ -0,0 +1,121 @@ +/* + * + * (c) Copyright Ascensio System SIA 2010-2019 + * + * This program is a free software product. You can redistribute it and/or + * modify it under the terms of the GNU Affero General Public License (AGPL) + * version 3 as published by the Free Software Foundation. In accordance with + * Section 7(a) of the GNU AGPL its Section 15 shall be amended to the effect + * that Ascensio System SIA expressly excludes the warranty of non-infringement + * of any third-party rights. + * + * This program is distributed WITHOUT ANY WARRANTY; without even the implied + * warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. For + * details, see the GNU AGPL at: http://www.gnu.org/licenses/agpl-3.0.html + * + * You can contact Ascensio System SIA at 20A-12 Ernesta Birznieka-Upisha + * street, Riga, Latvia, EU, LV-1050. + * + * The interactive user interfaces in modified source and object code versions + * of the Program must display Appropriate Legal Notices, as required under + * Section 5 of the GNU AGPL version 3. + * + * Pursuant to Section 7(b) of the License you must retain the original Product + * logo when distributing the program. Pursuant to Section 7(e) we decline to + * grant you any rights under trademark law for use of our trademarks. + * + * All the Product's GUI elements, including illustrations and icon sets, as + * well as technical writing content are licensed under the terms of the + * Creative Commons Attribution-ShareAlike 4.0 International. See the License + * terms at http://creativecommons.org/licenses/by-sa/4.0/legalcode + * + */ + +/** + * EditHeader.js + * Document Editor + * + * Created by Julia Radzhabova on 2/15/19 + * Copyright (c) 2019 Ascensio System SIA. All rights reserved. + * + */ + +define([ + 'text!documenteditor/mobile/app/template/EditHeader.template', + 'jquery', + 'underscore', + 'backbone' +], function (editTemplate, $, _, Backbone) { + 'use strict'; + + DE.Views.EditHeader = Backbone.View.extend(_.extend((function() { + // private + + return { + template: _.template(editTemplate), + + events: { + }, + + initialize: function () { + Common.NotificationCenter.on('editcontainer:show', _.bind(this.initEvents, this)); + }, + + initEvents: function () { + var me = this; + + DE.getController('EditHeader').initSettings(); + Common.Utils.addScrollIfNeed('#edit-header .pages', '#edit-header .page'); + }, + + // Render layout + render: function () { + this.layout = $('
                        ').append(this.template({ + android : Common.SharedSettings.get('android'), + phone : Common.SharedSettings.get('phone'), + scope : this + })); + + return this; + }, + + rootLayout: function () { + if (this.layout) { + return this.layout + .find('#edit-header-root') + .html(); + } + + return ''; + }, + + showPage: function (templateId, customFireEvent) { + var rootView = DE.getController('EditContainer').rootView; + + if (rootView && this.layout) { + var $content = this.layout.find(templateId); + + // Android fix for navigation + if (Framework7.prototype.device.android) { + $content.find('.page').append($content.find('.navbar')); + } + + rootView.router.load({ + content: $content.html() + }); + + if (customFireEvent !== true) { + this.fireEvent('page:show', [this, templateId]); + } + } + }, + + textDiffFirst: 'Different first page', + textDiffOdd: 'Different odd and even pages', + textSameAs: 'Link to Previous', + textPageNumbering: 'Page Numbering', + textPrev: 'Continue from previous section', + textFrom: 'Start at' + } + })(), DE.Views.EditHeader || {})) +}); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/view/edit/EditHyperlink.js b/apps/documenteditor/mobile/app/view/edit/EditHyperlink.js index d08148fbe..f1b353e6d 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditHyperlink.js +++ b/apps/documenteditor/mobile/app/view/edit/EditHyperlink.js @@ -69,6 +69,7 @@ define([ $('#edit-link-url input[type=url]').single('input', _.bind(function(e) { $('#edit-link-edit').toggleClass('disabled', _.isEmpty($(e.currentTarget).val())); }, this)); + Common.Utils.addScrollIfNeed('#edit-link .pages', '#edit-link .page'); }, categoryShow: function(e) { diff --git a/apps/documenteditor/mobile/app/view/edit/EditImage.js b/apps/documenteditor/mobile/app/view/edit/EditImage.js index 498de3083..f5f6b1605 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditImage.js +++ b/apps/documenteditor/mobile/app/view/edit/EditImage.js @@ -72,6 +72,7 @@ define([ $('#image-reorder').single('click', _.bind(me.showReorder, me)); $('#edit-image-url').single('click', _.bind(me.showEditUrl, me)); + Common.Utils.addScrollIfNeed('#edit-image .pages', '#edit-image .page'); me.initControls(); }, @@ -130,6 +131,7 @@ define([ showWrap: function () { this.showPage('#edit-image-wrap-view'); $('.image-wrap .list-block.inputs-list').removeClass('inputs-list'); + Common.Utils.addScrollIfNeed('.page.image-wrap', '.page.image-wrap .page-content'); }, showReplace: function () { @@ -138,6 +140,7 @@ define([ showReorder: function () { this.showPage('#edit-image-reorder-view'); + Common.Utils.addScrollIfNeed('.page.image-reorder', '.page.image-reorder .page-content'); }, showEditUrl: function () { @@ -150,6 +153,7 @@ define([ _.delay(function () { $('.edit-image-url-link input[type="url"]').focus(); }, 1000); + Common.Utils.addScrollIfNeed('.page.edit-image-url-link', '.page.edit-image-url-link .page-content'); }, textWrap: 'Wrap', diff --git a/apps/documenteditor/mobile/app/view/edit/EditParagraph.js b/apps/documenteditor/mobile/app/view/edit/EditParagraph.js index 7d16001f9..dde7c7158 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditParagraph.js +++ b/apps/documenteditor/mobile/app/view/edit/EditParagraph.js @@ -75,6 +75,7 @@ define([ me.renderStyles(); DE.getController('EditParagraph').initSettings(); + Common.Utils.addScrollIfNeed('#edit-paragraph .pages', '#edit-paragraph .page'); }, // Render layout @@ -150,11 +151,13 @@ define([ transparent: true }); + Common.Utils.addScrollIfNeed('.page[data-page=edit-paragraph-color]', '.page[data-page=edit-paragraph-color] .page-content'); this.fireEvent('page:show', [this, '#edit-paragraph-color']); }, showAdvanced: function () { this.showPage('#edit-paragraph-advanced'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-paragraph-advanced]', '.page[data-page=edit-paragraph-advanced] .page-content'); }, textBackground: 'Background', @@ -165,6 +168,7 @@ define([ textFromText: 'Distance from Text', textBefore: 'Before', textAuto: 'Auto', + textFirstLine: 'First Line', textAfter: 'After', textSpaceBetween: 'Space Between Paragraphs', textPageBreak: 'Page Break Before', diff --git a/apps/documenteditor/mobile/app/view/edit/EditShape.js b/apps/documenteditor/mobile/app/view/edit/EditShape.js index 4d0721d78..85f601b0e 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditShape.js +++ b/apps/documenteditor/mobile/app/view/edit/EditShape.js @@ -76,6 +76,7 @@ define([ $('.edit-shape-style .categories a').single('click', _.bind(me.showStyleCategory, me)); + Common.Utils.addScrollIfNeed('#edit-shape .pages', '#edit-shape .page'); me.initControls(); }, @@ -154,19 +155,23 @@ define([ transparent: true }); + // Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-color]', '.page[data-page=edit-text-font-color] .page-content'); this.fireEvent('page:show', [this, selector]); }, showWrap: function () { this.showPage('#edit-shape-wrap'); + Common.Utils.addScrollIfNeed('.page.shape-wrap', '.page.shape-wrap .page-content'); }, showReplace: function () { this.showPage('#edit-shape-replace'); + Common.Utils.addScrollIfNeed('.page.shape-replace', '.page.shape-replace .page-content'); }, showReorder: function () { this.showPage('#edit-shape-reorder'); + Common.Utils.addScrollIfNeed('.page.shape-reorder', '.page.shape-reorder .page-content'); }, showBorderColor: function () { diff --git a/apps/documenteditor/mobile/app/view/edit/EditTable.js b/apps/documenteditor/mobile/app/view/edit/EditTable.js index f81acea61..279ddd11d 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditTable.js +++ b/apps/documenteditor/mobile/app/view/edit/EditTable.js @@ -76,6 +76,7 @@ define([ $('#edit-table-bordercolor').single('click', _.bind(me.showBorderColor, me)); $('.edit-table-style .categories a').single('click', _.bind(me.showStyleCategory, me)); + Common.Utils.addScrollIfNeed('#edit-table .pages', '#edit-table .page'); me.initControls(); me.renderStyles(); }, @@ -158,6 +159,7 @@ define([ if ($(e.currentTarget).data('type') == 'fill') { this.fireEvent('page:show', [this, '#edit-table-style']); } + // this.fireEvent('page:show', [this, '#edit-table-style']); }, showPage: function (templateId, suspendEvent) { diff --git a/apps/documenteditor/mobile/app/view/edit/EditText.js b/apps/documenteditor/mobile/app/view/edit/EditText.js index a23226e38..bc299bd80 100644 --- a/apps/documenteditor/mobile/app/view/edit/EditText.js +++ b/apps/documenteditor/mobile/app/view/edit/EditText.js @@ -108,6 +108,7 @@ define([ $('#font-bullets').single('click', _.bind(me.showBullets, me)); $('#font-numbers').single('click', _.bind(me.showNumbers, me)); + Common.Utils.addScrollIfNeed('#edit-text .pages', '#edit-text .page'); me.initControls(); }, @@ -189,6 +190,8 @@ define([ }, 100)); } }); + + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-page]', '.page[data-page=edit-text-font-page] .page-content'); }, showFontColor: function () { @@ -198,6 +201,7 @@ define([ el: $('.page[data-page=edit-text-font-color] .page-content') }); + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-color]', '.page[data-page=edit-text-font-color] .page-content'); this.fireEvent('page:show', [this, '#edit-text-color']); }, @@ -209,15 +213,18 @@ define([ transparent: true }); + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-background]', '.page[data-page=edit-text-font-background] .page-content'); this.fireEvent('page:show', [this, '#edit-text-background']); }, showAdditional: function () { this.showPage('#edit-text-additional'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-additional]', '.page[data-page=edit-text-additional] .page-content'); }, showLineSpacing: function () { this.showPage('#edit-text-linespacing'); + Common.Utils.addScrollIfNeed('#page-text-linespacing', '#page-text-linespacing .page-content'); }, showBullets: function () { @@ -248,7 +255,11 @@ define([ textLineSpacing: 'Line Spacing', textBullets: 'Bullets', textNone: 'None', - textNumbers: 'Numbers' + textNumbers: 'Numbers', + textCharacterBold: 'B', + textCharacterItalic: 'I', + textCharacterUnderline: 'U', + textCharacterStrikethrough: 'S' } })(), DE.Views.EditText || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/mobile/index.html b/apps/documenteditor/mobile/index.html index adca9ea79..fd5359bda 100644 --- a/apps/documenteditor/mobile/index.html +++ b/apps/documenteditor/mobile/index.html @@ -246,6 +246,19 @@ + + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                        ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm index 198598dca..473a80ed9 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/About.htm @@ -18,8 +18,8 @@ and edit presentations directly in your browser.

                        Using 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 your computer hard disk drive - as PPTX, PDF, or ODP files.

                        -

                        To view the current software version and licensor details, click the About icon icon at the left sidebar.

                        + 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 at the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item at the left sidebar of the main program window.

                        \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm index 0b48f32d6..566ed416a 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm @@ -20,7 +20,7 @@
                      • Spell Checking is used to turn on/off the spell checking option.
                      • Alternate Input is used to turn on/off hieroglyphs.
                      • Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the slide precisely.
                      • -
                      • Autosave is used to turn on/off automatic saving of changes you make while editing.
                      • +
                      • Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing.
                      • Co-editing Mode is used to select the display of the changes made during the co-editing:
                        • By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users.
                        • diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm index 50ca0a6a0..f48fe1077 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm @@ -20,15 +20,27 @@
                        • visual indication of objects that are being edited by other users
                        • real-time changes display or synchronization of changes with one button click
                        • chat to share ideas concerning particular presentation parts
                        • -
                        • comments containing the description of a task or problem that should be solved
                        • +
                        • comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version)
                        +
                        +

                        Connecting to the online version

                        +

                        In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password.

                        +

                        Co-editing

                        -

                        Presentation Editor allows to select one of the two available co-editing modes. Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save Save icon icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon Co-editing Mode icon at the Collaboration tab of the top toolbar:

                        +

                        Presentation Editor allows to select one of the two available co-editing modes:

                        +
                          +
                        • Fast is used by default and shows the changes made by other users in real time.
                        • +
                        • Strict is selected to hide other user changes until you click the Save Save icon icon to save your own changes and accept the changes made by others.
                        • +
                        +

                        The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon Co-editing Mode icon at the Collaboration tab of the top toolbar:

                        Co-editing Mode menu

                        +

                        + Note: when you co-edit a presentation in the Fast mode, the possibility to Redo the last undone operation is not available. +

                        When a presentation is being edited by several users simultaneously in the Strict mode, the edited objects (autoshapes, text objects, tables, images, charts) are marked with dashed lines of different colors. The object that you are editing is surrounded by the green dashed line. Red dashed lines indicate that objects are being edited by other users. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text.

                        The number of users who are working at the current presentation is specified on the right side of the editor header - Number of users icon. If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users.

                        -

                        When no users are viewing or editing the file, the icon in the editor header will look like Manage document access rights icon allowing you to manage the users who have access to the file right from the document: invite new users giving them either full or read-only access, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like Number of users icon. It's also possible to set access rights using the Sharing icon Sharing icon at the Collaboration tab of the top toolbar.

                        +

                        When no users are viewing or editing the file, the icon in the editor header will look like Manage document access rights icon allowing you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read or comment the presentation, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like Number of users icon. It's also possible to set access rights using the Sharing icon Sharing icon at the Collaboration tab of the top toolbar.

                        As soon as one of the users saves his/her changes by clicking the Save icon icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the Save icon icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed.

                        Chat

                        You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which paragraph you are going to edit now etc.

                        @@ -46,6 +58,7 @@

                        To close the panel with chat messages, click the Chat icon icon at the left sidebar or the Chat icon Chat button at the top toolbar once again.

                        Comments

                        +

                        It's possible to work with comments in the offline mode, without connecting to the online version.

                        To leave a comment to a certain object (text box, shape etc.):

                        1. select an object where you think there is an error or problem,
                        2. diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index 05c8d246c..295df9768 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -7,6 +7,8 @@ + +
                          @@ -14,515 +16,618 @@

                          Keyboard Shortcuts

                          - +
                            +
                          • Windows/Linux
                          • Mac OS
                          • +
                          +
                          - + - - - + + + + - + + - + + - + + - + + - + + - + + - - + + + - + + - + + - - - + + + + + + + + + + - + + - - - - - - - - - - - + - + + - + + - + + - + + - + + - + + - + - + + - + + - + + - + + - + + - + + - + - - + + + - + + - + + - + + - + + - + + - + - + + - + + - + + - - + + + - + - + + - + + - + + - + + - + + - + + - - + - + + - + + - + + - + + - + - + + - + + - + - + + - + + - + + - + + - + + - + + - + - - + + + - + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + - + + - + + - + + + + + + + + - + + - + + - + + - + + - + + - + + - - - + + + + - - - + + + + - - - + + + + - + + - + + + + + + + + + + + + - + + - + + - + - + + - + + - + + - + + - + + - + + + + + + + + - + + - + + - + + - + +
                          Working with PresentationWorking with Presentation
                          Open 'File' panelAlt+FOpen the File panel to save, download, print the current presentation, view its info, create a new presentation or open an existing one, access Presentation Editor help or advanced settings.Open 'File' panelAlt+F⌥ Option+FOpen the File panel to save, download, print the current presentation, view its info, create a new presentation or open an existing one, access Presentation Editor help or advanced settings.
                          Open 'Search' dialog boxCtrl+FCtrl+F^ Ctrl+F,
                          ⌘ Cmd+F
                          Open the Search dialog box to start searching for a character/word/phrase in the currently edited presentation.
                          Open 'Comments' panelCtrl+Shift+HCtrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                          ⌘ Cmd+⇧ Shift+H
                          Open the Comments panel to add your own comment or reply to other users' comments.
                          Open comment fieldAlt+HAlt+H⌥ Option+H Open a data entry field where you can add the text of your comment.
                          Open 'Chat' panelAlt+QAlt+Q⌥ Option+Q Open the Chat panel and send a message.
                          Save presentationCtrl+SCtrl+S^ Ctrl+S,
                          ⌘ Cmd+S
                          Save all the changes to the presentation currently edited with Presentation Editor. The active file will be saved with its current file name, location, and file format.
                          Print presentationCtrl+PCtrl+P^ Ctrl+P,
                          ⌘ Cmd+P
                          Print the presentation with one of the available printers or save it to a file.
                          Download As...Ctrl+Shift+SOpen the Download as... panel to save the currently edited presentation to the computer hard disk drive in one of the supported formats: PPTX, PDF, ODP.Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                          ⌘ Cmd+⇧ Shift+S
                          Open the Download as... panel to save the currently edited presentation to the computer hard disk drive in one of the supported formats: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                          Full screenF11F11 Switch to the full screen view to fit Presentation Editor into your screen.
                          Help menuF1F1F1 Open Presentation Editor Help menu.
                          Open existing fileCtrl+OOn the Open local file tab in desktop editors, opens the standard dialog box that allows to select an existing file.Open existing file (Desktop Editors)Ctrl+OOn the Open local file tab in Desktop Editors, opens the standard dialog box that allows to select an existing file.
                          Close file (Desktop Editors)Ctrl+W,
                          Ctrl+F4
                          ^ Ctrl+W,
                          ⌘ Cmd+W
                          Close the current presentation window in Desktop Editors.
                          Element contextual menuShift+F10⇧ Shift+F10⇧ Shift+F10 Open the selected element contextual menu.
                          Close fileCtrl+WClose the selected presentation window.
                          Close the window (tab)Ctrl+F4Close the tab in a browser.
                          NavigationNavigation
                          The first slideHomeHomeHome,
                          Fn+
                          Go to the first slide of the currently edited presentation.
                          The last slideEndEndEnd,
                          Fn+
                          Go to the last slide of the currently edited presentation.
                          Next slidePage DownPage DownPage Down,
                          Fn+
                          Go to the next slide of the currently edited presentation.
                          Previous slidePage UpPage UpPage Up,
                          Fn+
                          Go to the previous slide of the currently edited presentation.
                          Zoom InCtrl+Plus sign (+)Ctrl++^ Ctrl+=,
                          ⌘ Cmd+=
                          Zoom in the currently edited presentation.
                          Zoom OutCtrl+Minus sign (-)Ctrl+-^ Ctrl+-,
                          ⌘ Cmd+-
                          Zoom out the currently edited presentation.
                          Performing Actions on SlidesPerforming Actions on Slides
                          New slideCtrl+MCtrl+M^ Ctrl+M Create a new slide and add it after the selected one in the list.
                          Duplicate slideCtrl+DCtrl+D⌘ Cmd+D Duplicate the selected slide in the list.
                          Move slide upCtrl+Up ArrowCtrl+⌘ Cmd+ Move the selected slide above the previous one in the list.
                          Move slide downCtrl+Down ArrowCtrl+⌘ Cmd+ Move the selected slide below the following one in the list.
                          Move slide to beginningCtrl+Shift+Up ArrowCtrl+⇧ Shift+⌘ Cmd+⇧ Shift+ Move the selected slide to the very first position in the list.
                          Move slide to endCtrl+Shift+Down ArrowCtrl+⇧ Shift+⌘ Cmd+⇧ Shift+ Move the selected slide to the very last position in the list.
                          Performing Actions on ObjectsPerforming Actions on Objects
                          Create a copyCtrl+drag or Ctrl+DHold down the Ctrl key when dragging the selected object or press Ctrl+D to create its copy.Ctrl + drag,
                          Ctrl+D
                          ^ Ctrl + drag,
                          ^ Ctrl+D,
                          ⌘ Cmd+D
                          Hold down the Ctrl key when dragging the selected object or press Ctrl+D (⌘ Cmd+D for Mac) to create its copy.
                          GroupCtrl+GCtrl+G⌘ Cmd+G Group the selected objects.
                          UngroupCtrl+Shift+GCtrl+⇧ Shift+G⌘ Cmd+⇧ Shift+G Ungroup the selected group of objects.
                          Select the next objectTab↹ Tab↹ Tab Select the next object after the currently selected one.
                          Select the previous objectShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Select the previous object before the currently selected one.
                          Draw straight line or arrowShift+drag (when drawing lines/arrows)⇧ Shift + drag (when drawing lines/arrows)⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow.
                          Modifying ObjectsModifying Objects
                          Constrain movementShift+drag⇧ Shift + drag⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically.
                          Set 15-degree-rotationShift+drag (when rotating)⇧ Shift + drag (when rotating)⇧ Shift + drag (when rotating) Constrain the rotation angle to 15 degree increments.
                          Maintain proportionsShift+drag (when resizing)⇧ Shift + drag (when resizing)⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing.
                          Movement pixel by pixelCtrl+Arrow keysHold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time.Ctrl+ ⌘ Cmd+ Hold down the Ctrl (⌘ Cmd for Mac) key and use the keybord arrows to move the selected object by one pixel at a time.
                          Working with TablesWorking with Tables
                          Move to the next cell in a rowTab↹ Tab↹ Tab Go to the next cell in a table row.
                          Move to the previous cell in a rowShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Go to the previous cell in a table row.
                          Move to the next rowDown arrow Go to the next row in a table.
                          Move to the previous rowUp arrow Go to the previous row in a table.
                          Start new paragraphEnter↵ Enter↵ Return Start a new paragraph within a cell.
                          Add new rowTab in the lower right table cell.↹ Tab in the lower right table cell.↹ Tab in the lower right table cell. Add a new row at the bottom of the table.
                          Previewing PresentationPreviewing Presentation
                          Start preview from the beginningCtrl+F5Ctrl+F5^ Ctrl+F5 Start a presentation from the beginning.
                          Navigate forwardEnter, Page Down, Right arrow, Down arrow, or Spacebar↵ Enter,
                          Page Down,
                          ,
                          ,
                          ␣ Spacebar
                          ↵ Return,
                          Page Down,
                          ,
                          ,
                          ␣ Spacebar
                          Display the next transition effect or advance to the next slide.
                          Navigate backwardPage Up, Left arrow, Up arrowPage Up,
                          ,
                          Page Up,
                          ,
                          Display the previous transition effect or return to the previous slide.
                          Close previewEscEscEsc End a presentation.
                          Undo and RedoUndo and Redo
                          UndoCtrl+ZCtrl+Z^ Ctrl+Z,
                          ⌘ Cmd+Z
                          Reverse the latest performed action.
                          RedoCtrl+YCtrl+Y^ Ctrl+Y,
                          ⌘ Cmd+Y
                          Repeat the latest undone action.
                          Cut, Copy, and PasteCut, Copy, and Paste
                          CutCtrl+X, Shift+DeleteCtrl+X,
                          ⇧ Shift+Delete
                          ⌘ Cmd+X Cut the selected object and send it to the computer clipboard memory. The cut object can be later inserted to another place in the same presentation.
                          CopyCtrl+C, Ctrl+InsertCtrl+C,
                          Ctrl+Insert
                          ⌘ Cmd+C Send the selected object to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation.
                          PasteCtrl+V, Shift+InsertCtrl+V,
                          ⇧ Shift+Insert
                          ⌘ Cmd+V Insert the previously copied object from the computer clipboard memory to the current cursor position. The object can be previously copied from the same presentation.
                          Insert hyperlinkCtrl+KCtrl+K^ Ctrl+K,
                          ⌘ Cmd+K
                          Insert a hyperlink which can be used to go to a web address or to a certain slide in the presentation.
                          Copy styleCtrl+Shift+CCtrl+⇧ Shift+C^ Ctrl+⇧ Shift+C,
                          ⌘ Cmd+⇧ Shift+C
                          Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same presentation.
                          Apply styleCtrl+Shift+VCtrl+⇧ Shift+V^ Ctrl+⇧ Shift+V,
                          ⌘ Cmd+⇧ Shift+V
                          Apply the previously copied formatting to the text in the currently edited text box.
                          Selecting with the MouseSelecting with the Mouse
                          Add to the selected fragmentShiftStart the selection, hold down the Shift key and click where you need to end the selection.⇧ Shift⇧ ShiftStart the selection, hold down the ⇧ Shift key and click where you need to end the selection.
                          Selecting using the KeyboardSelecting using the Keyboard
                          Select allCtrl+ACtrl+A^ Ctrl+A,
                          ⌘ Cmd+A
                          Select all the slides (in the slides list) or all the objects within the slide (in the slide editing area) or all the text (within the text box) - depending on where the mouse cursor is located.
                          Select text fragmentShift+Arrow⇧ Shift+ ⇧ Shift+ Select the text character by character.
                          Select text from cursor to beginning of lineShift+Home⇧ Shift+Home Select a text fragment from the cursor to the beginning of the current line.
                          Select text from cursor to end of lineShift+End⇧ Shift+End Select a text fragment from the cursor to the end of the current line.
                          Select one character to the rightShift+Right arrow⇧ Shift+⇧ Shift+ Select one character to the right of the cursor position.
                          Select one character to the leftShift+Left arrow⇧ Shift+⇧ Shift+ Select one character to the left of the cursor position.
                          Select to the end of a wordCtrl+Shift+Right arrowCtrl+⇧ Shift+ Select a text fragment from the cursor to the end of a word.
                          Select to the beginning of a wordCtrl+Shift+Left arrowCtrl+⇧ Shift+ Select a text fragment from the cursor to the beginning of a word.
                          Select one line upShift+Up arrow⇧ Shift+⇧ Shift+ Select one line up (with the cursor at the beginning of a line).
                          Select one line downShift+Down arrow⇧ Shift+⇧ Shift+ Select one line down (with the cursor at the beginning of a line).
                          Text StylingText Styling
                          BoldCtrl+BCtrl+B^ Ctrl+B,
                          ⌘ Cmd+B
                          Make the font of the selected text fragment bold giving it more weight.
                          ItalicCtrl+ICtrl+I^ Ctrl+I,
                          ⌘ Cmd+I
                          Make the font of the selected text fragment italicized giving it some right side tilt.
                          UnderlineCtrl+UCtrl+U^ Ctrl+U,
                          ⌘ Cmd+U
                          Make the selected text fragment underlined with the line going under the letters.
                          StrikeoutCtrl+5^ Ctrl+5,
                          ⌘ Cmd+5
                          Make the selected text fragment struck out with the line going through the letters.
                          SubscriptCtrl+dot (.)Ctrl+⇧ Shift+>⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas.
                          SuperscriptCtrl+comma (,)Ctrl+⇧ Shift+<⌘ Cmd+⇧ Shift+< Make the selected text fragment smaller and place it to the upper part of the text line, e.g. as in fractions.
                          Bulleted listCtrl+Shift+LCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                          ⌘ Cmd+⇧ Shift+L
                          Create an unordered bulleted list from the selected text fragment or start a new one.
                          Remove formattingCtrl+SpacebarCtrl+␣ Spacebar Remove formatting from the selected text fragment.
                          Increase fontCtrl+]Ctrl+]^ Ctrl+],
                          ⌘ Cmd+]
                          Increase the size of the font for the selected text fragment 1 point.
                          Decrease fontCtrl+[Ctrl+[^ Ctrl+[,
                          ⌘ Cmd+[
                          Decrease the size of the font for the selected text fragment 1 point.
                          Align center/leftCtrl+ESwitch a paragraph between centered and left-aligned.Align centerCtrl+ECenter the text between the left and the right edges.
                          Align justified/leftCtrl+JSwitch a paragraph between justified and left-aligned.Align justifiedCtrl+JJustify the text in the paragraph adding additional space between words so that the left and the right text edges were aligned with the paragraph margins.
                          Align right/leftCtrl+RSwitch a paragraph between right-aligned and left-aligned.Align rightCtrl+RAlign right with the text lined up by the right side of the text box, the left side remains unaligned.
                          Align leftCtrl+LCtrl+L Align left with the text lined up by the left side of the text box, the right side remains unaligned.
                          Increase left indentCtrl+M^ Ctrl+MIncrease the paragraph left indent by one tabulation position.
                          Decrease left indentCtrl+⇧ Shift+M^ Ctrl+⇧ Shift+MDecrease the paragraph left indent by one tabulation position.
                          Delete one character to the leftBackspace← Backspace← Backspace Delete one character to the left of the cursor.
                          Delete one character to the rightDeleteDeleteFn+Delete Delete one character to the right of the cursor.
                          Moving around in textMoving around in text
                          Move one character to the leftLeft arrow Move the cursor one character to the left.
                          Move one character to the rightRight arrow Move the cursor one character to the right.
                          Move one line upUp arrow Move the cursor one line up.
                          Move one line downDown arrow Move the cursor one line down.
                          Move to the beginning of a word or one word to the leftCtrl+Left arrowCtrl+⌘ Cmd+ Move the cursor to the beginning of a word or one word to the left.
                          Move one word to the rightCtrl+Right arrowCtrl+⌘ Cmd+ Move the cursor one word to the right.
                          Move to next placeholderCtrl+↵ Enter^ Ctrl+↵ Return,
                          ⌘ Cmd+↵ Return
                          Move to the next title or body text placeholder. If it is the last placeholder on a slide, this will insert a new slide with the same slide layout as the original slide
                          Jump to the beginning of the lineHomeHomeHome Put the cursor to the beginning of the currently edited line.
                          Jump to the end of the lineEndEndEnd Put the cursor to the end of the currently edited line.
                          Jump to the beginning of the text boxCtrl+HomeCtrl+Home Put the cursor to the beginning of the currently edited text box.
                          Jump to the end of the text boxCtrl+EndCtrl+End Put the cursor to the end of the currently edited text box.
                          diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/Search.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/Search.htm index bf5722add..146cec4aa 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/Search.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/Search.htm @@ -3,7 +3,7 @@ Search Function - + @@ -13,17 +13,33 @@
                          -

                          Search Function

                          +

                          Search and Replace Function

                          To search for the needed characters, words or phrases used in the currently edited presentation, click the Search icon icon situated at the left sidebar or use the Ctrl+F key combination.

                          -

                          The Search window will open:

                          - Search Window +

                          The Find and Replace window will open:

                          + Find and Replace Window
                          1. Type in your inquiry into the corresponding data entry field.
                          2. +
                          3. + Specify search parameters by clicking the Search options icon icon and checking the necessary options: +
                              +
                            • Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). To disable this option click it once again.
                            • + +
                            +
                          4. Click one of the arrow buttons on the right. - The search will be performed either towards the beginning of the presentation (if you click the Left arrow button button) or towards the end of the presentation (if you click the Right arrow button button) from the current position.
                          5. + The search will be performed either towards the beginning of the presentation (if you click the Left arrow button button) or towards the end of the presentation (if you click the Right arrow button button) from the current position. + +
                          -

                          The first slide in the selected direction that contains the characters you entered will be highlighted in the slide list and displayed in the working area with the required characters outlined. If it is not the slide you are looking for, click the selected button again to find the next slide containing the characters you entered.

                          +

                          The first slide in the selected direction that contains the characters you entered will be highlighted in the slide list and displayed in the working area with the required characters outlined. If it is not the slide you are looking for, click the selected button again to find the next slide containing the characters you entered.

                          +

                          To replace one or more occurrences of the found characters click the Replace link below the data entry field or use the Ctrl+H key combination. The Find and Replace window will change:

                          +

                          Find and Replace Window

                          +
                            +
                          1. Type in the replacement text into the bottom data entry field.
                          2. +
                          3. Click the Replace button to replace the currently selected occurrence or the Replace All button to replace all the found occurrences.
                          4. +
                          +

                          To hide the replace field, click the Hide Replace link.

                      • \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index c3389ed9b..ac2186b37 100644 --- a/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -24,20 +24,27 @@ Edit Download + + PPT + File format used by Microsoft PowerPoint + + + + + + PPTX Office Open XML Presentation
                        Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + - - - PPT - File format used by Microsoft PowerPoint - + - - - + + + POTX + PowerPoint Open XML Document Template
                        Zipped, XML-based file format developed by Microsoft for presentation templates. A POTX template contains formatting settings, styles etc. and can be used to create multiple presentations with the same formatting + + + + + + + ODP OpenDocument Presentation
                        File format that represents presentation document created by Impress application, which is a part of OpenOffice based office suites @@ -45,6 +52,13 @@ + + + + OTP + OpenDocument Presentation Template
                        OpenDocument file format for presentation templates. An OTP template contains formatting settings, styles etc. and can be used to create multiple presentations with the same formatting + + + + + in the online version + PDF Portable Document Format
                        File format used to represent documents in a manner independent of application software, hardware, and operating systems @@ -52,6 +66,13 @@ + + + PDF/A + Portable Document Format / A
                        An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + + + + + diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm index 7e888faca..c89032564 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm @@ -14,14 +14,21 @@

                        Collaboration tab

                        -

                        The Collaboration tab allows to organize collaborative work on the presentation: share the file, select a co-editing mode, manage comments.

                        -

                        Collaboration tab

                        +

                        The Collaboration tab allows to organize collaborative work on the presentation. In the online version, you can share the file, select a co-editing mode, manage comments. In the desktop version, you can manage comments.

                        +
                        +

                        Online Presentation Editor window:

                        +

                        Collaboration tab

                        +
                        +
                        +

                        Desktop Presentation Editor window:

                        +

                        Collaboration tab

                        +

                        Using this tab, you can:

                        diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/FileTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/FileTab.htm index 99b49a219..60d1e043d 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/FileTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/FileTab.htm @@ -15,15 +15,26 @@

                        File tab

                        The File tab allows to perform some basic operations on the current file.

                        -

                        File tab

                        +
                        +

                        Online Presentation Editor window:

                        +

                        File tab

                        +
                        +
                        +

                        Desktop Presentation Editor window:

                        +

                        File tab

                        +

                        Using this tab, you can:

                          -
                        • save the current file (in case the Autosave option is disabled), download, print or rename it,
                        • -
                        • create a new presentation or open a recently edited one,
                        • +
                        • + in the online version, save the current file (in case the Autosave option is disabled), download as (save the document in the selected format to the computer hard disk drive), save copy as (save a copy of the document in the selected format to the portal documents), print or rename it, + in the desktop version, save the current file keeping the current format and location using the Save option or save the current file with a different name, location or format using the Save as option, print the file. +
                        • +
                        • protect the file using a password, change or remove the password (available in the desktop version only);
                        • +
                        • create a new presentation or open a recently edited one (available in the online version only),
                        • view general information about the presentation,
                        • -
                        • manage access rights,
                        • +
                        • manage access rights (available in the online version only),
                        • access the editor Advanced Settings,
                        • -
                        • return to the Documents list.
                        • +
                        • in the desktop version, open the folder where the file is stored in the File explorer window. In the online version, open the folder of the Documents module where the file is stored in a new browser tab.
                        diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/HomeTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/HomeTab.htm index 8394c5eb8..ed09cb345 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/HomeTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/HomeTab.htm @@ -15,7 +15,14 @@

                        Home tab

                        The Home tab opens by default when you open a presentation. It allows to set general slide parameters, format text, insert some objects, align and arrange them.

                        -

                        Home tab

                        +
                        +

                        Online Presentation Editor window:

                        +

                        Home tab

                        +
                        +
                        +

                        Desktop Presentation Editor window:

                        +

                        Home tab

                        +

                        Using this tab, you can:

                        • manage slides and start slideshow,
                        • diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/InsertTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/InsertTab.htm index 117a5b688..9ccfde37a 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/InsertTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/InsertTab.htm @@ -15,7 +15,14 @@

                          Insert tab

                          The Insert tab allows to add visual objects and comments into your presentation.

                          -

                          Insert tab

                          +
                          +

                          Online Presentation Editor window:

                          +

                          Insert tab

                          +
                          +
                          +

                          Desktop Presentation Editor window:

                          +

                          Insert tab

                          +

                          Using this tab, you can:

                          • insert tables,
                          • diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm index 2f140a031..20a3304bd 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/PluginsTab.htm @@ -15,13 +15,23 @@

                            Plugins tab

                            The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations.

                            -

                            Plugins tab

                            +
                            +

                            Online Presentation Editor window:

                            +

                            Plugins tab

                            +
                            +
                            +

                            Desktop Presentation Editor window:

                            +

                            Plugins tab

                            +
                            +

                            The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones.

                            The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation.

                            Currently, the following plugins are available:

                            • ClipArt allows to add images from the clipart collection into your presentation,
                            • +
                            • Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color,
                            • PhotoEditor allows to edit images: crop, resize them, apply effects etc.,
                            • Symbol Table allows to insert special symbols into your text,
                            • +
                            • Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one,
                            • Translator allows to translate the selected text into other languages,
                            • YouTube allows to embed YouTube videos into your presentation.
                            diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index 6c3fc2ed5..a58e9e557 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -15,18 +15,40 @@

                            Introducing the Presentation Editor user interface

                            Presentation Editor uses a tabbed interface where editing commands are grouped into tabs by functionality.

                            -

                            Editor window

                            +
                            +

                            Online Presentation Editor window:

                            +

                            Online Presentation Editor window

                            +
                            +
                            +

                            Desktop Presentation Editor window:

                            +

                            Desktop Presentation Editor window

                            +

                            The editor interface consists of the following main elements:

                              -
                            1. Editor header displays the logo, menu tabs, presentation name as well as three icons on the right that allow to set access rights, return to the Documents list, adjust View Settings and access the editor Advanced Settings. -

                              Icons in the editor header

                              +
                            2. + Editor header displays the logo, opened documents tabs, presentation name and menu tabs. +

                              In the left part of the Editor header there are the Save, Print file, Undo and Redo buttons.

                              +

                              Icons in the editor header

                              +

                              In the right part of the Editor header the user name is displayed as well as the following icons:

                              +
                                +
                              • Open file location Open file location - in the desktop version, it allows to open the folder where the file is stored in the File explorer window. In the online version, it allows to open the folder of the Documents module where the file is stored in a new browser tab.
                              • +
                              • View Settings icon - allows to adjust View Settings and access the editor Advanced Settings.
                              • +
                              • Manage document access rights icon Manage document access rights - (available in the online version only) allows to set access rights for the documents stored in the cloud.
                              • +
                            3. -
                            4. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Collaboration, Plugins. -

                              The Print, Save, Copy, Paste, Undo and Redo options are always available at the left part of the Top toolbar regardless of the selected tab.

                              -

                              Icons on the top toolbar

                              +
                            5. + Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Collaboration, Protection, Plugins. +

                              The Copy icon Copy and Paste icon Paste options are always available at the left part of the Top toolbar regardless of the selected tab.

                            6. Status bar at the bottom of the editor window contains the Start slideshow icon, some navigation tools: slide number indicator and zoom buttons. The Status bar also displays some notifications (such as "All changes saved" etc.) and allows to set text language and enable spell checking.
                            7. -
                            8. Left sidebar contains icons that allow to use the Search tool, minimize/expand the slide list, open the Comments and Chat panel, contact our support team and view the information about the program.
                            9. +
                            10. + Left sidebar contains the following icons: +
                                +
                              • Search icon - allows to use the Search and Replace tool,
                              • +
                              • Comments icon - allows to open the Comments panel,
                              • +
                              • Chat icon - (available in the online version only) allows to open the Chat panel, as well as the icons that allow to contact our support team and view the information about the program.
                              • +
                              +
                            11. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar.
                            12. Horizontal and vertical Rulers help you place objects on a slide and allow to set up tab stops and paragraph indents within the text boxes.
                            13. Working area allows to view presentation content, enter and edit data.
                            14. diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm index 9d1e5f0c2..843114a5c 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/AlignArrangeObjects.htm @@ -15,34 +15,69 @@

                              Align and arrange objects on a slide

                              The added autoshapes, images, charts or text boxes can be aligned, grouped, ordered, distributed horizontally and vertically on a slide. To perform any of these actions, first select a separate object or several objects in the slide editing area. To select several objects, hold down the Ctrl key and left-click the necessary objects. To select a text box, click on its border, not the text within it. After that you can use either the icons at the Home tab of the top toolbar described below or the analogous options from the right-click menu.

                              -

                              Align objects

                              -

                              To align the selected object(s), click the Align shape Align shape icon icon at the Home tab of the top toolbar and select the necessary alignment type from the list:

                              -
                                -
                              • Align Left Align Left icon - to line up the object(s) horizontally by the left side of the slide,
                              • -
                              • Align Center Align Center icon - to line up the object(s) horizontally by the center of the slide,
                              • -
                              • Align Right Align Right icon - to line up the object(s) horizontally by the right side of the slide,
                              • -
                              • Align Top Align Top icon - to line up the object(s) vertically by the top side of the slide,
                              • -
                              • Align Middle Align Middle icon - to line up the object(s) vertically by the middle of the slide,
                              • -
                              • Align Bottom Align Bottom icon - to line up the object(s) vertically by the bottom side of the slide.
                              • -
                              -

                              To distribute two or more selected objects horizontally or vertically, click the Align shape Align shape icon icon at the Home tab of the top toolbar and select the necessary distribution type from the list:

                              -
                                -
                              • Distribute Horizontally Distribute Horizontally icon - to align the selected objects by their centers (from right to left edges) to the horizontal center of the slide
                              • -
                              • Distribute Vertically Distribute Vertically icon - to align the selected objects by their centers (from top to bottom edges) to the vertical center of the slide.
                              • -
                              -

                              Arrange objects

                              -

                              To arrange the selected object(s) (i.e. to change their order when several objects overlap each other), click the Arrange shape Arrange shape icon icon at the Home tab of the top toolbar and select the necessary arrangement type from the list:

                              -
                                -
                              • Bring To Foreground Bring To Front icon - to move the object(s) in front of all other objects,
                              • -
                              • Send To Background Send To Back icon - to move the object(s) behind all other objects,
                              • -
                              • Bring Forward Bring Forward icon - to move the selected object(s) by one level forward as related to other objects.
                              • -
                              • Send Backward Send Backward icon - to move the selected object(s) by one level backward as related to other objects.
                              • -
                              -

                              To group two or more selected objects or ungroup them, click the Arrange shape Arrange shape icon icon at the Home tab of the top toolbar and select the necessary option from the list:

                              -
                                -
                              • Group Group icon - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object.
                              • -
                              • Ungroup Ungroup icon - to ungroup the selected group of the previously joined objects.
                              • -
                              - + +

                              Align objects

                              +

                              To align two or more selected objects,

                              +
                                +
                              1. + Click the Align shape Align shape icon icon at the Home tab of the top toolbar and select one of the following options: +
                                  +
                                • Align to Slide to align objects relative to the edges of the slide,
                                • +
                                • Align Selected Objects (this option is selected by default) to align objects relative to each other,
                                • +
                                +
                              2. +
                              3. + Click the Align shape Align shape icon icon once again and select the necessary alignment type from the list: +
                                  +
                                • Align Left Align Left icon - to line up the objects horizontally by the left edge of the leftmost object/left edge of the slide,
                                • +
                                • Align Center Align Center icon - to line up the objects horizontally by their centers/center of the slide,
                                • +
                                • Align Right Align Right icon - to line up the objects horizontally by the right edge of the rightmost object/right edge of the slide,
                                • +
                                • Align Top Align Top icon - to line up the objects vertically by the top edge of the topmost object/top edge of the slide,
                                • +
                                • Align Middle Align Middle icon - to line up the objects vertically by their middles/middle of the slide,
                                • +
                                • Align Bottom Align Bottom icon - to line up the objects vertically by the bottom edge of the bottommost object/bottom edge of the slide.
                                • +
                                +
                              4. +
                              +

                              Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available alignment options.

                              +

                              If you want to align a single object, it can be aligned relative to the edges of the slide. The Align to Slide option is selected by default in this case.

                              +

                              Distribute objects

                              +

                              To distribute three or more selected objects horizontally or vertically so that the equal distance appears between them,

                              +
                                +
                              1. + Click the Align shape Align shape icon icon at the Home tab of the top toolbar and select one of the following options: +
                                  +
                                • Align to Slide to distribute objects between the edges of the slide,
                                • +
                                • Align Selected Objects (this option is selected by default) to distribute objects between two outermost selected objects,
                                • +
                                +
                              2. +
                              3. + Click the Align shape Align shape icon icon once again and select the necessary distribution type from the list: +
                                  +
                                • Distribute Horizontally Distribute Horizontally icon - to distribute objects evenly between the leftmost and rightmost selected objects/left and right edges of the slide.
                                • +
                                • Distribute Vertically Distribute Vertically icon - to distribute objects evenly between the topmost and bottommost selected objects/top and bottom edges of the slide.
                                • +
                                +
                              4. +
                              +

                              Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available distribution options.

                              +

                              Note: the distribution options are disabled if you select less than three objects.

                              + +

                              Group objects

                              +

                              To group two or more selected objects or ungroup them, click the Arrange shape Arrange shape icon icon at the Home tab of the top toolbar and select the necessary option from the list:

                              +
                                +
                              • Group Group icon - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object.
                              • +
                              • Ungroup Ungroup icon - to ungroup the selected group of the previously joined objects.
                              • +
                              +

                              Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option.

                              +

                              Note: the Group option is disabled if you select less than two objects. The Ungroup option is available only when a group of the previously joined objects is selected.

                              +

                              Arrange objects

                              +

                              To arrange the selected object(s) (i.e. to change their order when several objects overlap each other), click the Arrange shape Arrange shape icon icon at the Home tab of the top toolbar and select the necessary arrangement type from the list.

                              +
                                +
                              • Bring To Foreground Bring To Foreground icon - to move the object(s) in front of all other objects,
                              • +
                              • Bring Forward Bring Forward icon - to move the selected object(s) by one level forward as related to other objects.
                              • +
                              • Send To Background Send To Background icon - to move the object(s) behind all other objects,
                              • +
                              • Send Backward Send Backward icon - to move the selected object(s) by one level backward as related to other objects.
                              • +
                              +

                              Alternatively, you can right-click the selected object(s), choose the Arrange option from the contextual menu and then use one of the available arrangement options.

                              + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyClearFormatting.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyClearFormatting.htm index 6d0c04e91..81a462fbc 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyClearFormatting.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyClearFormatting.htm @@ -20,6 +20,13 @@
                            15. click the Copy style Copy style icon at the Home tab of the top toolbar (the mouse pointer will look like this Mouse pointer while pasting style),
                            16. select the text passage you want to apply the same formatting to.
                            +

                            To apply the copied formatting to multiple text passages,

                            +
                              +
                            1. select the text passage which formatting you need to copy with the mouse or using the keyboard,
                            2. +
                            3. double-click the Copy style Copy style icon at the Home tab of the top toolbar (the mouse pointer will look like this Mouse pointer while pasting style and the Copy style icon will remain selected: Multiple copying style),
                            4. +
                            5. select the necessary text passages one by one to apply the same formatting to each of them,
                            6. +
                            7. to exit this mode, click the Copy style Multiple copying style icon once again or press the Esc key on the keyboard.
                            8. +

                            To quickly remove the formatting that you have applied to a text passage,

                            1. select the text passage which formatting you want to remove,
                            2. diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm index 5bdd5c36b..5b58f394f 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/CopyPasteUndoRedo.htm @@ -17,11 +17,11 @@

                              Use basic clipboard operations

                              To cut, copy and paste selected objects (slides, text passages, autoshapes) in the current presentation or undo/redo your actions use the corresponding options from the right-click menu, or keyboard shortcuts, or icons available at any tab of the top toolbar:

                                -
                              • Cut – select an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same presentation.
                              • -
                              • Copy – select an object and use the Copy option from the right-click menu or the Copy Copy icon icon at the top toolbar to copy the selection to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation.
                              • -
                              • Paste – find the place in your presentation where you need to paste the previously copied object and use the Paste option from the right-click menu or the Paste Paste icon icon at the top toolbar. The object will be inserted at the current cursor position. The object can be previously copied from the same presentation.
                              • +
                              • Cut – select an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same presentation.
                              • +
                              • Copy – select an object and use the Copy option from the right-click menu or the Copy Copy icon icon at the top toolbar to copy the selection to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation.
                              • +
                              • Paste – find the place in your presentation where you need to paste the previously copied object and use the Paste option from the right-click menu or the Paste Paste icon icon at the top toolbar. The object will be inserted at the current cursor position. The object can be previously copied from the same presentation.
                              -

                              To copy or paste data from/into another presentation or some other program use the following key combinations:

                              +

                              In the online version, the following key combinations are only used to copy or paste data from/into another presentation or some other program, in the desktop version, both the corresponding buttons/menu options and key combinations can be used for any copy/paste operations:

                              • Ctrl+C key combination for copying;
                              • Ctrl+V key combination for pasting;
                              • @@ -43,7 +43,7 @@
                              • Picture - allows to paste the object as an image so that it cannot be edited.

                              Use the Undo/Redo operations

                              -

                              To perform the undo/redo operations, use the corresponding icons available at any tab of the top toolbar or keyboard shortcuts:

                              +

                              To perform the undo/redo operations, use the corresponding icons in the left part of the editor header or keyboard shortcuts:

                              • Undo – use the Undo Undo icon icon to undo the last operation you performed.
                              • @@ -51,6 +51,9 @@

                                You can also use the Ctrl+Z key combination for undoing or Ctrl+Y for redoing.

                              +

                              + Note: when you co-edit a presentation in the Fast mode, the possibility to Redo the last undone operation is not available. +

                              diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm index a1970c0c6..5cb07347a 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm @@ -50,11 +50,26 @@
                            3. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines).
                          +
                        • + Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: +
                            +
                          • Rotate counterclockwise icon to rotate the shape by 90 degrees counterclockwise
                          • +
                          • Rotate clockwise icon to rotate the shape by 90 degrees clockwise
                          • +
                          • Flip horizontally icon to flip the shape horizontally (left to right)
                          • +
                          • Flip vertically icon to flip the shape vertically (upside down)
                          • +
                          +

                        To change the advanced settings of the autoshape, right-click the shape and select the Shape Advanced Settings option from the contextual menu or left-click it and press the Show advanced settings link at the right sidebar. The shape properties window will be opened:

                        Shape Properties - Size tab

                        The Size tab allows to change the autoshape Width and/or Height. If the Constant proportions Constant proportions icon button is clicked (in this case it looks like this Constant proportions icon activated), the width and height will be changed together preserving the original autoshape aspect ratio.

                        +

                        Shape - Advanced Settings

                        +

                        The Rotation tab contains the following parameters:

                        +
                          +
                        • Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right.
                        • +
                        • Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down).
                        • +

                        Shape Properties - Weights & Arrows tab

                        The Weights & Arrows tab contains the following parameters:

                          @@ -99,7 +114,7 @@ select the Lines group from the menu,

                          Shapes - Lines

                          -
                        • click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely shape 10, 11 and 12),
                        • +
                        • click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely Curve, Scribble and Freeform),
                        • hover the mouse cursor over the first autoshape and click one of the connection points Connection point icon that appear on the shape outline,

                          Using connectors

                          diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm index d360f7d8c..3a362dfef 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertCharts.htm @@ -27,7 +27,7 @@ after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls:
                          • Copy and Paste for copying and pasting the copied data
                          • -
                          • Undo and Redo for undoing and redoing actions
                          • +
                          • Undo and Redo for undoing and redoing actions
                          • Insert function for inserting a function
                          • Decrease decimal and Increase decimal for decreasing and increasing decimal places
                          • Number format for changing the number format, i.e. the way the numbers you enter appear in cells
                          • diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm index 4f3f5d892..f5fc8113f 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertImages.htm @@ -24,6 +24,7 @@
                            • the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button
                            • the Image from URL option will open the window where you can enter the necessary image web address and click the OK button
                            • +
                            • the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button
                          • once the image is added you can change its size and position.
                          • @@ -33,7 +34,28 @@

                            The right sidebar is activated when you left-click an image and choose the Image settings Image settings icon icon on the right. It contains the following sections:

                            Image Settings tab

                            Size - is used to view the current image Width and Height or restore the image Default Size if necessary.

                            -

                            Replace Image - is used to load another image instead of the current one selecting the desired source. You can select one of the options: From File or From URL. The Replace image option is also available in the right-click menu.

                            + +

                            The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the Arrow icon and drag the area.

                            +
                              +
                            • To crop a single side, drag the handle located in the center of this side.
                            • +
                            • To simultaneously crop two adjacent sides, drag one of the corner handles.
                            • +
                            • To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides.
                            • +
                            • To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles.
                            • +
                            +

                            When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes.

                            +

                            After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need:

                            +
                              +
                            • If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed.
                            • +
                            • If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area.
                            • +
                            +

                            Replace Image - is used to load another image instead of the current one selecting the desired source. You can select one of the options: From File or From URL. The Replace image option is also available in the right-click menu.

                            +

                            Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons:

                            +
                              +
                            • Rotate counterclockwise icon to rotate the image by 90 degrees counterclockwise
                            • +
                            • Rotate clockwise icon to rotate the image by 90 degrees clockwise
                            • +
                            • Flip horizontally icon to flip the image horizontally (left to right)
                            • +
                            • Flip vertically icon to flip the image vertically (upside down)
                            • +

                            When the image is selected, the Shape settings Shape settings icon icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly.

                            Shape Settings tab


                            @@ -44,6 +66,12 @@
                          • Size - use this option to change the image width and/or height. If the Constant proportions Constant proportions icon button is clicked (in this case it looks like this Constant proportions icon activated), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button.
                          • Position - use this option to change the image position on the slide (the position is calculated from the top and the left side of the slide).
                          +

                          Image Properties: Rotation

                          +

                          The Rotation tab contains the following parameters:

                          +
                            +
                          • Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right.
                          • +
                          • Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down).
                          • +

                          Image Properties

                          The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image.


                          diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm index eca5a035d..a8763b298 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/InsertText.htm @@ -39,7 +39,7 @@
                          • to resize, move, rotate the text box use the special handles on the edges of the shape.
                          • to edit the text box fill, stroke, replace the rectangular box with a different shape, or access the shape advanced settings, click the Shape settings Shape settings icon icon on the right sidebar and use the corresponding options.
                          • -
                          • to align a text box on the slide or arrange text boxes as related to other objects, right-click on the text box border and use the contextual menu 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, 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

                          @@ -74,7 +74,7 @@

                          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 (is selected by default), Rotate at 90° (sets a vertical direction, from top to bottom) or Rotate at 270° (sets a vertical direction, from bottom to top).

                          +

                          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 (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets 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 at the Home tab of the top toolbar.

                          @@ -83,12 +83,12 @@ Font Font - Is used to select one of the fonts from the list of the available ones. + Is used to select one of the fonts from the list of the available ones. If a required font is not available in the list, you can download and install it on your operating system, after that the font will be available for use in the desktop version. Font size Font size - Is used to select among the preset font size values from the dropdown list, or can be entered manually to the font size field. + Is used to select among the preset font size values from 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 to the font size field and then press Enter. Font color @@ -169,7 +169,9 @@
                        • Subscript is used to make the text smaller and place it to 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.
                        • +
                        • 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.

                          +
                        Paragraph Properties - Tab tab

                        The Tab tab allows to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard.

                        diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm index 5d64cecc4..ccef95c68 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm @@ -32,7 +32,17 @@ To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging.

                        To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK.

                        Rotate objects

                        -

                        To rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle Rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating.

                        +

                        To manually rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle Rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating.

                        +

                        To rotate the object by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings Shape settings icon or the Image settings Image settings icon icon to the right. Click one of the buttons:

                        +
                          +
                        • Rotate counterclockwise icon to rotate the object by 90 degrees counterclockwise
                        • +
                        • Rotate clockwise icon to rotate the object by 90 degrees clockwise
                        • +
                        • Flip horizontally icon to flip the object horizontally (left to right)
                        • +
                        • Flip vertically icon to flip the object vertically (upside down)
                        • +
                        +

                        It's also possible to right-click the object, choose the Rotate option from the contextual menu and then use one of the available rotation options.

                        +

                        To rotate the object by an exactly specified angle, click the Show advanced settings link at the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK.

                        + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm index 8de448ae5..5628f3520 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm @@ -14,19 +14,52 @@

                        Create a new presentation or open an existing one

                        -

                        When Presentation Editor is open, you can immediately proceed to an already existing presentation that you have recently edited, create a new one, or return to the list of existing presentations.

                        -

                        To create a new presentation within Presentation Editor:

                        -
                          -
                        1. click the File tab of the top toolbar,
                        2. -
                        3. select the Create New option.
                        4. -
                        -

                        To open a recently edited presentation within Presentation Editor:

                        -
                          -
                        1. click the File tab of the top toolbar,
                        2. -
                        3. select the Open Recent option,
                        4. -
                        5. choose the presentation you need from the list of recently edited presentations.
                        6. -
                        -

                        To return to the list of existing documents, click the Go to Documents Go to Documents icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Go to Documents option.

                        +
                        To create a new presentation
                        +
                        +

                        In the online editor

                        +
                          +
                        1. click the File tab of the top toolbar,
                        2. +
                        3. select the Create New option.
                        4. +
                        +
                        +
                        +

                        In the desktop editor

                        +
                          +
                        1. in the main program window, select the Presentation menu item from the Create new section of the left sidebar - a new file will open in a new tab,
                        2. +
                        3. when all the necessary changes are made, click the Save Save icon icon in the upper left corner or switch to the File tab and choose the Save as menu item.
                        4. +
                        5. in the file manager window, select the file location, specify its name, choose the format you want to save the presentation to (PPTX, Presentation template, ODP, PDF or PDFA) and click the Save button.
                        6. +
                        +
                        + +
                        +
                        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. +
                        3. choose the necessary presentation from the file manager window and click the Open button.
                        4. +
                        +

                        You can also right-click the necessary presentation in the file manager window, select the Open with option and choose the necessary application from the menu. If the office documents files are associated with the application, you can also open presentations by double-clicking the file name in the file explorer window.

                        +

                        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
                        +
                        +

                        In the online editor

                        +
                          +
                        1. click the File tab of the top toolbar,
                        2. +
                        3. select the Open Recent... option,
                        4. +
                        5. choose the presentation you need from the list of recently edited documents.
                        6. +
                        +
                        +
                        +

                        In the desktop editor

                        +
                          +
                        1. in the main program window, select the Recent files menu item at the left sidebar,
                        2. +
                        3. choose the presentation you need from the list of recently edited documents.
                        4. +
                        +
                        + +

                        To open the folder where the file is stored in a new browser tab in the online version, in the file explorer window in the desktop version, click the Open file location Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Open file location option.

                        \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index 91f18af9d..a016fd042 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -14,28 +14,48 @@

                        Save/print/download your presentation

                        -

                        By default, Рresentation Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page.

                        -

                        To save your current presentation manually,

                        +

                        Saving

                        +

                        By default, online Рresentation Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page.

                        +

                        To save your presentation manually in the current format and location,

                          -
                        • press the Save Save icon icon at the top toolbar, or
                        • +
                        • press the Save Save icon icon in the left part of the editor header, or
                        • use the Ctrl+S key combination, or
                        • click the File tab of the top toolbar and select the Save option.
                        +

                        Note: in the desktop version, to prevent data loss in case of the unexpected program closing you can turn on the Autorecover option at the Advanced Settings page.

                        +
                        +

                        In the desktop version, you can save the presentation with another name, in a new location or format,

                        +
                          +
                        1. click the File tab of the top toolbar,
                        2. +
                        3. select the Save as... option,
                        4. +
                        5. choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDFA. You can also choose the Рresentation template (POTX) option.
                        6. +
                        +
                        +
                        +

                        Downloading

                        +

                        In the online version, you can download the resulting presentation onto your computer hard disk drive,

                        +
                          +
                        1. click the File tab of the top toolbar,
                        2. +
                        3. select the Download as... option,
                        4. +
                        5. choose one of the available formats depending on your needs: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                        6. +
                        +

                        Saving a copy

                        +

                        In the online version, you can save a copy of the file on your portal,

                        +
                          +
                        1. click the File tab of the top toolbar,
                        2. +
                        3. select the Save Copy as... option,
                        4. +
                        5. choose one of the available formats depending on your needs: PPTX, PDF, ODP, POTX, PDF/A, OTP,
                        6. +
                        7. select a location of the file on the portal and press Save.
                        8. +
                        +
                        +

                        Printing

                        To print out the current presentation,

                          -
                        • click the Print Print icon icon at the top toolbar, or
                        • +
                        • click the Print Print icon icon in the left part of the editor header, or
                        • use the Ctrl+P key combination, or
                        • click the File tab of the top toolbar and select the Print option.
                        -
                        -

                        After that a PDF file will be generated on the basis of the presentation. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later.

                        -

                        To download the resulting presentation onto your computer hard disk drive,

                        -
                          -
                        1. click the File tab of the top toolbar,
                        2. -
                        3. select the Download as option,
                        4. -
                        5. choose one of the available formats depending on your needs: PPTX, PDF, or ODP.
                        6. -
                        -
                        +

                        In the desktop version, the file will be printed directly.In the online version, a PDF file will be generated on the basis of the presentation. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing.

                        \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ViewPresentationInfo.htm b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ViewPresentationInfo.htm index cb48b5d99..3f774088b 100644 --- a/apps/presentationeditor/main/resources/help/en/UsageInstructions/ViewPresentationInfo.htm +++ b/apps/presentationeditor/main/resources/help/en/UsageInstructions/ViewPresentationInfo.htm @@ -16,12 +16,13 @@

                        View presentation information

                        To access the detailed information about the currently edited presentation, click the File tab of the top toolbar and select the Presentation Info option.

                        General Information

                        -

                        The presentation information includes presentation title, author, location and creation date.

                        +

                        The presentation information includes presentation title and the application the presentation was created with. In the online version, the following information is also displayed: author, location, creation date.

                        Note: Online Editors allow you to change the presentation title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK.

                        Permission Information

                        +

                        In the online version, you can view the information about permissions to the files stored in the cloud.

                        Note: this option is not available for users with the Read Only permissions.

                        To find out, who have rights to view or edit the presentation, select the Access Rights... option at the left sidebar.

                        You can also change currently selected access rights by pressing the Change access rights button in the Persons who have rights section.

                        diff --git a/apps/presentationeditor/main/resources/help/en/editor.css b/apps/presentationeditor/main/resources/help/en/editor.css index cf3e4f141..b715ff519 100644 --- a/apps/presentationeditor/main/resources/help/en/editor.css +++ b/apps/presentationeditor/main/resources/help/en/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 70%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/images/copystyle_selected.png b/apps/presentationeditor/main/resources/help/en/images/copystyle_selected.png new file mode 100644 index 000000000..c51b1a456 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/copystyle_selected.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/document_language_window.png b/apps/presentationeditor/main/resources/help/en/images/document_language_window.png index 664678731..d9c0f2b2f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/document_language_window.png and b/apps/presentationeditor/main/resources/help/en/images/document_language_window.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/fliplefttoright.png b/apps/presentationeditor/main/resources/help/en/images/fliplefttoright.png new file mode 100644 index 000000000..b6babc560 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/fliplefttoright.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/flipupsidedown.png b/apps/presentationeditor/main/resources/help/en/images/flipupsidedown.png new file mode 100644 index 000000000..b8ce45f8f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/flipupsidedown.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/image_properties.png b/apps/presentationeditor/main/resources/help/en/images/image_properties.png index 60af49c64..d69088f21 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/image_properties.png and b/apps/presentationeditor/main/resources/help/en/images/image_properties.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/image_properties1.png b/apps/presentationeditor/main/resources/help/en/images/image_properties1.png index 0b10e892d..7138f5b5f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/image_properties1.png and b/apps/presentationeditor/main/resources/help/en/images/image_properties1.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/image_properties2.png b/apps/presentationeditor/main/resources/help/en/images/image_properties2.png new file mode 100644 index 000000000..51d8d7e50 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/image_properties2.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/imagesettingstab.png b/apps/presentationeditor/main/resources/help/en/images/imagesettingstab.png index 07d1e4f0a..f0d772b2e 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/imagesettingstab.png and b/apps/presentationeditor/main/resources/help/en/images/imagesettingstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png index 57918bfec..a478d15d1 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png new file mode 100644 index 000000000..405995f4c Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png new file mode 100644 index 000000000..f6d28c9c0 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png new file mode 100644 index 000000000..a8ad0816f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png new file mode 100644 index 000000000..570516643 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png new file mode 100644 index 000000000..6c5161b23 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png new file mode 100644 index 000000000..f0e17fb1c Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png b/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png index fb11b3f6b..67610a2b2 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png and b/apps/presentationeditor/main/resources/help/en/images/interface/editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png b/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png index 5c899e00c..5d3bdf401 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png b/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png index 5bdf7d65d..abbca94ac 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png b/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png index f4bdc274c..2715b542c 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/leftpart.png b/apps/presentationeditor/main/resources/help/en/images/interface/leftpart.png index 2371ab024..68c56e973 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/leftpart.png and b/apps/presentationeditor/main/resources/help/en/images/interface/leftpart.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png index a5cd34f17..9020fc6c5 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/print.png b/apps/presentationeditor/main/resources/help/en/images/print.png index 03fd49783..62a4196ef 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/print.png and b/apps/presentationeditor/main/resources/help/en/images/print.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/redo.png b/apps/presentationeditor/main/resources/help/en/images/redo.png index 5002b4109..c3089900a 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/redo.png and b/apps/presentationeditor/main/resources/help/en/images/redo.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/redo1.png b/apps/presentationeditor/main/resources/help/en/images/redo1.png new file mode 100644 index 000000000..5002b4109 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/redo1.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/rotateclockwise.png b/apps/presentationeditor/main/resources/help/en/images/rotateclockwise.png new file mode 100644 index 000000000..d27f575b3 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/rotateclockwise.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/rotatecounterclockwise.png b/apps/presentationeditor/main/resources/help/en/images/rotatecounterclockwise.png new file mode 100644 index 000000000..43e6a1064 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/rotatecounterclockwise.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/save.png b/apps/presentationeditor/main/resources/help/en/images/save.png index e6a82d6ac..cef12bb18 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/save.png and b/apps/presentationeditor/main/resources/help/en/images/save.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/search_options.png b/apps/presentationeditor/main/resources/help/en/images/search_options.png new file mode 100644 index 000000000..65fde8764 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/search_options.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/search_replace_window.png b/apps/presentationeditor/main/resources/help/en/images/search_replace_window.png index 2ac147cef..ad1ccb4a9 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/search_replace_window.png and b/apps/presentationeditor/main/resources/help/en/images/search_replace_window.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/search_window.png b/apps/presentationeditor/main/resources/help/en/images/search_window.png index 3bbaed419..b40f86ded 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/search_window.png and b/apps/presentationeditor/main/resources/help/en/images/search_window.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shape_properties.png b/apps/presentationeditor/main/resources/help/en/images/shape_properties.png index 835021c16..b41a22036 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shape_properties.png and b/apps/presentationeditor/main/resources/help/en/images/shape_properties.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shape_properties1.png b/apps/presentationeditor/main/resources/help/en/images/shape_properties1.png index c7f86337e..13850d551 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shape_properties1.png and b/apps/presentationeditor/main/resources/help/en/images/shape_properties1.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shape_properties2.png b/apps/presentationeditor/main/resources/help/en/images/shape_properties2.png index 1cf9b86ba..a261b8480 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shape_properties2.png and b/apps/presentationeditor/main/resources/help/en/images/shape_properties2.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shape_properties3.png b/apps/presentationeditor/main/resources/help/en/images/shape_properties3.png index 4e31547ec..0baf0f404 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shape_properties3.png and b/apps/presentationeditor/main/resources/help/en/images/shape_properties3.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shape_properties4.png b/apps/presentationeditor/main/resources/help/en/images/shape_properties4.png index 82ed7956c..0e007185a 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shape_properties4.png and b/apps/presentationeditor/main/resources/help/en/images/shape_properties4.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shape_properties5.png b/apps/presentationeditor/main/resources/help/en/images/shape_properties5.png new file mode 100644 index 000000000..297db66d9 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/shape_properties5.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/shapesettingstab.png b/apps/presentationeditor/main/resources/help/en/images/shapesettingstab.png index 80c88abf9..3871aa7f8 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shapesettingstab.png and b/apps/presentationeditor/main/resources/help/en/images/shapesettingstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/slidesettingstab.png b/apps/presentationeditor/main/resources/help/en/images/slidesettingstab.png index f7e8c173a..2eaf7a661 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/slidesettingstab.png and b/apps/presentationeditor/main/resources/help/en/images/slidesettingstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/spellcheckactivated.png b/apps/presentationeditor/main/resources/help/en/images/spellcheckactivated.png index 14d99736a..65e7ed85c 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/spellcheckactivated.png and b/apps/presentationeditor/main/resources/help/en/images/spellcheckactivated.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/spellcheckdeactivated.png b/apps/presentationeditor/main/resources/help/en/images/spellcheckdeactivated.png index f55473551..2f324b661 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/spellcheckdeactivated.png and b/apps/presentationeditor/main/resources/help/en/images/spellcheckdeactivated.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/spellchecking_language.png b/apps/presentationeditor/main/resources/help/en/images/spellchecking_language.png index bf41db56c..ff704d56a 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/spellchecking_language.png and b/apps/presentationeditor/main/resources/help/en/images/spellchecking_language.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/undo.png b/apps/presentationeditor/main/resources/help/en/images/undo.png index bb7f9407d..30452593d 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/undo.png and b/apps/presentationeditor/main/resources/help/en/images/undo.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/undo1.png b/apps/presentationeditor/main/resources/help/en/images/undo1.png new file mode 100644 index 000000000..bb7f9407d Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/undo1.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/viewsettingsicon.png b/apps/presentationeditor/main/resources/help/en/images/viewsettingsicon.png index 50ce274cf..ee0fa9a72 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/viewsettingsicon.png and b/apps/presentationeditor/main/resources/help/en/images/viewsettingsicon.png differ diff --git a/apps/presentationeditor/main/resources/help/en/search/indexes.js b/apps/presentationeditor/main/resources/help/en/search/indexes.js index 7cdcd56d6..84a7124f6 100644 --- a/apps/presentationeditor/main/resources/help/en/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/en/search/indexes.js @@ -3,22 +3,22 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About Presentation Editor", - "body": "Presentation Editor is an online application that lets you look through and edit presentations directly in your browser . Using 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 your computer hard disk drive as PPTX, PDF, or ODP files. To view the current software version and licensor details, click the icon at the left sidebar." + "body": "Presentation Editor is an online application that lets you look through and edit presentations directly in your browser . Using 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 your computer hard disk drive 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 at the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item at the left sidebar of the main program window." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of Presentation Editor", - "body": "Presentation Editor lets you change its advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The advanced settings are: Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the slide precisely. Autosave is used to turn on/off automatic saving of changes you make while editing. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. You can also choose the Fit to Slide or Fit to Width option. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." + "body": "Presentation Editor lets you change its advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The advanced settings are: Spell Checking is used to turn on/off the spell checking option. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the slide precisely. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover documents in case of the unexpected program closing. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. You can also choose the Fit to Slide or Fit to Width option. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Collaborative Presentation Editing", - "body": "Presentation Editor offers you the possibility to work at a presentation collaboratively with other users. This feature includes: simultaneous multi-user access to the edited presentation visual indication of objects that are being edited by other users real-time changes display or synchronization of changes with one button click chat to share ideas concerning particular presentation parts comments containing the description of a task or problem that should be solved Co-editing Presentation Editor allows to select one of the two available co-editing modes. Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon at the Collaboration tab of the top toolbar: When a presentation is being edited by several users simultaneously in the Strict mode, the edited objects (autoshapes, text objects, tables, images, charts) are marked with dashed lines of different colors. The object that you are editing is surrounded by the green dashed line. Red dashed lines indicate that objects are being edited by other users. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text. The number of users who are working at the current presentation is specified on the right side of the editor header - . If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the document: invite new users giving them either full or read-only access, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which paragraph you are going to edit now etc. The chat messages are stored during one session only. To discuss the document content it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon at the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon at the left sidebar or the Chat button at the top toolbar once again. Comments To leave a comment to a certain object (text box, shape etc.): select an object where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or right-click the selected object and select the Add Сomment option from the menu, enter the needed text, click the Add Comment/Add button. The object you commented will be marked with the icon. To view the comment, just click on this icon. To add a comment to a certain slide, select the slide and use the Comment button at the Insert or Collaboration tab of the top toolbar. The added comment will be displayed in the upper left corner of the slide. To create a presentation-level comment which is not related to a certain object or slide, click the icon at the left sidebar to open the Comments panel and use the Add Comment to Document link. The presentation-level comments can be viewed at the Comments panel. Comments related to objects and slides are also available here. Any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment. You can manage the comments you added in the following way: edit them by clicking the icon, delete them by clicking the icon, close the discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. New comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. To close the panel with comments, click the icon at the left sidebar once again." + "body": "Presentation Editor offers you the possibility to work at a presentation collaboratively with other users. This feature includes: simultaneous multi-user access to the edited presentation visual indication of objects that are being edited by other users real-time changes display or synchronization of changes with one button click chat to share ideas concerning particular presentation parts comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version) Connecting to the online version In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password. Co-editing Presentation Editor allows to select one of the two available co-editing modes: Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon at the Collaboration tab of the top toolbar: Note: when you co-edit a presentation in the Fast mode, the possibility to Redo the last undone operation is not available. When a presentation is being edited by several users simultaneously in the Strict mode, the edited objects (autoshapes, text objects, tables, images, charts) are marked with dashed lines of different colors. The object that you are editing is surrounded by the green dashed line. Red dashed lines indicate that objects are being edited by other users. By hovering the mouse cursor over one of the edited passages, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text. The number of users who are working at the current presentation is specified on the right side of the editor header - . If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the document: invite new users giving them permissions to edit, read or comment the presentation, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the document at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note within the status bar stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. The updates will be highlighted for you to check what exactly has been changed. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which paragraph you are going to edit now etc. The chat messages are stored during one session only. To discuss the document content it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon at the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon at the left sidebar or the Chat button at the top toolbar once again. Comments It's possible to work with comments in the offline mode, without connecting to the online version. To leave a comment to a certain object (text box, shape etc.): select an object where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or right-click the selected object and select the Add Сomment option from the menu, enter the needed text, click the Add Comment/Add button. The object you commented will be marked with the icon. To view the comment, just click on this icon. To add a comment to a certain slide, select the slide and use the Comment button at the Insert or Collaboration tab of the top toolbar. The added comment will be displayed in the upper left corner of the slide. To create a presentation-level comment which is not related to a certain object or slide, click the icon at the left sidebar to open the Comments panel and use the Add Comment to Document link. The presentation-level comments can be viewed at the Comments panel. Comments related to objects and slides are also available here. Any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, click the Add Reply link situated under the comment. You can manage the comments you added in the following way: edit them by clicking the icon, delete them by clicking the icon, close the discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. New comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. To close the panel with comments, click the icon at the left sidebar once again." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Working with Presentation Open 'File' panel Alt+F Open the File panel to save, download, print the current presentation, view its info, create a new presentation or open an existing one, access Presentation Editor help or advanced settings. Open 'Search' dialog box Ctrl+F Open the Search dialog box to start searching for a character/word/phrase in the currently edited presentation. Open 'Comments' panel Ctrl+Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q Open the Chat panel and send a message. Save presentation Ctrl+S Save all the changes to the presentation currently edited with Presentation Editor. The active file will be saved with its current file name, location, and file format. Print presentation Ctrl+P Print the presentation with one of the available printers or save it to a file. Download As... Ctrl+Shift+S Open the Download as... panel to save the currently edited presentation to the computer hard disk drive in one of the supported formats: PPTX, PDF, ODP. Full screen F11 Switch to the full screen view to fit Presentation Editor into your screen. Help menu F1 Open Presentation Editor Help menu. Open existing file Ctrl+O On the Open local file tab in desktop editors, opens the standard dialog box that allows to select an existing file. Element contextual menu Shift+F10 Open the selected element contextual menu. Close file Ctrl+W Close the selected presentation window. Close the window (tab) Ctrl+F4 Close the tab in a browser. Navigation The first slide Home Go to the first slide of the currently edited presentation. The last slide End Go to the last slide of the currently edited presentation. Next slide Page Down Go to the next slide of the currently edited presentation. Previous slide Page Up Go to the previous slide of the currently edited presentation. Zoom In Ctrl+Plus sign (+) Zoom in the currently edited presentation. Zoom Out Ctrl+Minus sign (-) Zoom out the currently edited presentation. Performing Actions on Slides New slide Ctrl+M Create a new slide and add it after the selected one in the list. Duplicate slide Ctrl+D Duplicate the selected slide in the list. Move slide up Ctrl+Up Arrow Move the selected slide above the previous one in the list. Move slide down Ctrl+Down Arrow Move the selected slide below the following one in the list. Move slide to beginning Ctrl+Shift+Up Arrow Move the selected slide to the very first position in the list. Move slide to end Ctrl+Shift+Down Arrow Move the selected slide to the very last position in the list. Performing Actions on Objects Create a copy Ctrl+drag or Ctrl+D Hold down the Ctrl key when dragging the selected object or press Ctrl+D to create its copy. Group Ctrl+G Group the selected objects. Ungroup Ctrl+Shift+G Ungroup the selected group of objects. Select the next object Tab Select the next object after the currently selected one. Select the previous object Shift+Tab Select the previous object before the currently selected one. Draw straight line or arrow Shift+drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Modifying Objects Constrain movement Shift+drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree-rotation Shift+drag (when rotating) Constrain the rotation angle to 15 degree increments. Maintain proportions Shift+drag (when resizing) Maintain the proportions of the selected object when resizing. Movement pixel by pixel Ctrl+Arrow keys Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row Tab Go to the next cell in a table row. Move to the previous cell in a row Shift+Tab Go to the previous cell in a table row. Move to the next row Down arrow Go to the next row in a table. Move to the previous row Up arrow Go to the previous row in a table. Start new paragraph Enter Start a new paragraph within a cell. Add new row Tab in the lower right table cell. Add a new row at the bottom of the table. Previewing Presentation Start preview from the beginning Ctrl+F5 Start a presentation from the beginning. Navigate forward Enter, Page Down, Right arrow, Down arrow, or Spacebar Display the next transition effect or advance to the next slide. Navigate backward Page Up, Left arrow, Up arrow Display the previous transition effect or return to the previous slide. Close preview Esc End a presentation. Undo and Redo Undo Ctrl+Z Reverse the latest performed action. Redo Ctrl+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, Shift+Delete Cut the selected object and send it to the computer clipboard memory. The cut object can be later inserted to another place in the same presentation. Copy Ctrl+C, Ctrl+Insert Send the selected object to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation. Paste Ctrl+V, Shift+Insert Insert the previously copied object from the computer clipboard memory to the current cursor position. The object can be previously copied from the same presentation. Insert hyperlink Ctrl+K Insert a hyperlink which can be used to go to a web address or to a certain slide in the presentation. Copy style Ctrl+Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same presentation. Apply style Ctrl+Shift+V Apply the previously copied formatting to the text in the currently edited text box. Selecting with the Mouse Add to the selected fragment Shift Start the selection, hold down the Shift key and click where you need to end the selection. Selecting using the Keyboard Select all Ctrl+A Select all the slides (in the slides list) or all the objects within the slide (in the slide editing area) or all the text (within the text box) - depending on where the mouse cursor is located. Select text fragment Shift+Arrow Select the text character by character. Select text from cursor to beginning of line Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select text from cursor to end of line Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right Shift+Right arrow Select one character to the right of the cursor position. Select one character to the left Shift+Left arrow Select one character to the left of the cursor position. Select to the end of a word Ctrl+Shift+Right arrow Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+Shift+Left arrow Select a text fragment from the cursor to the beginning of a word. Select one line up Shift+Up arrow Select one line up (with the cursor at the beginning of a line). Select one line down Shift+Down arrow Select one line down (with the cursor at the beginning of a line). Text Styling Bold Ctrl+B Make the font of the selected text fragment bold giving it more weight. Italic Ctrl+I Make the font of the selected text fragment italicized giving it some right side tilt. Underline Ctrl+U Make the selected text fragment underlined with the line going under the letters. Subscript Ctrl+dot (.) Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+comma (,) Make the selected text fragment smaller and place it to the upper part of the text line, e.g. as in fractions. Bulleted list Ctrl+Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ Decrease the size of the font for the selected text fragment 1 point. Align center/left Ctrl+E Switch a paragraph between centered and left-aligned. Align justified/left Ctrl+J Switch a paragraph between justified and left-aligned. Align right/left Ctrl+R Switch a paragraph between right-aligned and left-aligned. Align left Ctrl+L Align left with the text lined up by the left side of the text box, the right side remains unaligned. Delete one character to the left Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Delete one character to the right of the cursor. Moving around in text Move one character to the left Left arrow Move the cursor one character to the left. Move one character to the right Right arrow Move the cursor one character to the right. Move one line up Up arrow Move the cursor one line up. Move one line down Down arrow Move the cursor one line down. Move to the beginning of a word or one word to the left Ctrl+Left arrow Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+Right arrow Move the cursor one word to the right. Jump to the beginning of the line Home Put the cursor to the beginning of the currently edited line. Jump to the end of the line End Put the cursor to the end of the currently edited line. Jump to the beginning of the text box Ctrl+Home Put the cursor to the beginning of the currently edited text box. Jump to the end of the text box Ctrl+End Put the cursor to the end of the currently edited text box." + "body": "Windows/LinuxMac OS Working with Presentation Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current presentation, view its info, create a new presentation or open an existing one, access Presentation Editor help or advanced settings. Open 'Search' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Search dialog box to start searching for a character/word/phrase in the currently edited presentation. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save presentation Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the presentation currently edited with Presentation Editor. The active file will be saved with its current file name, location, and file format. Print presentation Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print the presentation with one of the available printers or save it to a file. Download As... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited presentation to the computer hard disk drive in one of the supported formats: PPTX, PDF, ODP, POTX, PDF/A, OTP. Full screen F11 Switch to the full screen view to fit Presentation Editor into your screen. Help menu F1 F1 Open Presentation Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in Desktop Editors, opens the standard dialog box that allows to select an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current presentation window in Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Navigation The first slide Home Home, Fn+← Go to the first slide of the currently edited presentation. The last slide End End, Fn+→ Go to the last slide of the currently edited presentation. Next slide Page Down Page Down, Fn+↓ Go to the next slide of the currently edited presentation. Previous slide Page Up Page Up, Fn+↑ Go to the previous slide of the currently edited presentation. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited presentation. Zoom Out Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom out the currently edited presentation. Performing Actions on Slides New slide Ctrl+M ^ Ctrl+M Create a new slide and add it after the selected one in the list. Duplicate slide Ctrl+D ⌘ Cmd+D Duplicate the selected slide in the list. Move slide up Ctrl+↑ ⌘ Cmd+↑ Move the selected slide above the previous one in the list. Move slide down Ctrl+↓ ⌘ Cmd+↓ Move the selected slide below the following one in the list. Move slide to beginning Ctrl+⇧ Shift+↑ ⌘ Cmd+⇧ Shift+↑ Move the selected slide to the very first position in the list. Move slide to end Ctrl+⇧ Shift+↓ ⌘ Cmd+⇧ Shift+↓ Move the selected slide to the very last position in the list. Performing Actions on Objects Create a copy Ctrl + drag, Ctrl+D ^ Ctrl + drag, ^ Ctrl+D, ⌘ Cmd+D Hold down the Ctrl key when dragging the selected object or press Ctrl+D (⌘ Cmd+D for Mac) to create its copy. Group Ctrl+G ⌘ Cmd+G Group the selected objects. Ungroup Ctrl+⇧ Shift+G ⌘ Cmd+⇧ Shift+G Ungroup the selected group of objects. Select the next object ↹ Tab ↹ Tab Select the next object after the currently selected one. Select the previous object ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Select the previous object before the currently selected one. Draw straight line or arrow ⇧ Shift + drag (when drawing lines/arrows) ⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Modifying Objects Constrain movement ⇧ Shift + drag ⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree-rotation ⇧ Shift + drag (when rotating) ⇧ Shift + drag (when rotating) Constrain the rotation angle to 15 degree increments. Maintain proportions ⇧ Shift + drag (when resizing) ⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing. Movement pixel by pixel Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Hold down the Ctrl (⌘ Cmd for Mac) key and use the keybord arrows to move the selected object by one pixel at a time. Working with Tables Move to the next cell in a row ↹ Tab ↹ Tab Go to the next cell in a table row. Move to the previous cell in a row ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Go to the previous cell in a table row. Move to the next row ↓ ↓ Go to the next row in a table. Move to the previous row ↑ ↑ Go to the previous row in a table. Start new paragraph ↵ Enter ↵ Return Start a new paragraph within a cell. Add new row ↹ Tab in the lower right table cell. ↹ Tab in the lower right table cell. Add a new row at the bottom of the table. Previewing Presentation Start preview from the beginning Ctrl+F5 ^ Ctrl+F5 Start a presentation from the beginning. Navigate forward ↵ Enter, Page Down, →, ↓, ␣ Spacebar ↵ Return, Page Down, →, ↓, ␣ Spacebar Display the next transition effect or advance to the next slide. Navigate backward Page Up, ←, ↑ Page Up, ←, ↑ Display the previous transition effect or return to the previous slide. Close preview Esc Esc End a presentation. Undo and Redo Undo Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Reverse the latest performed action. Redo Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Cut the selected object and send it to the computer clipboard memory. The cut object can be later inserted to another place in the same presentation. Copy Ctrl+C, Ctrl+Insert ⌘ Cmd+C Send the selected object to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation. Paste Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Insert the previously copied object from the computer clipboard memory to the current cursor position. The object can be previously copied from the same presentation. Insert hyperlink Ctrl+K ^ Ctrl+K, ⌘ Cmd+K Insert a hyperlink which can be used to go to a web address or to a certain slide in the presentation. Copy style Ctrl+⇧ Shift+C ^ Ctrl+⇧ Shift+C, ⌘ Cmd+⇧ Shift+C Copy the formatting from the selected fragment of the currently edited text. The copied formatting can be later applied to another text fragment in the same presentation. Apply style Ctrl+⇧ Shift+V ^ Ctrl+⇧ Shift+V, ⌘ Cmd+⇧ Shift+V Apply the previously copied formatting to the text in the currently edited text box. Selecting with the Mouse Add to the selected fragment ⇧ Shift ⇧ Shift Start the selection, hold down the ⇧ Shift key and click where you need to end the selection. Selecting using the Keyboard Select all Ctrl+A ^ Ctrl+A, ⌘ Cmd+A Select all the slides (in the slides list) or all the objects within the slide (in the slide editing area) or all the text (within the text box) - depending on where the mouse cursor is located. Select text fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select the text character by character. Select text from cursor to beginning of line ⇧ Shift+Home Select a text fragment from the cursor to the beginning of the current line. Select text from cursor to end of line ⇧ Shift+End Select a text fragment from the cursor to the end of the current line. Select one character to the right ⇧ Shift+→ ⇧ Shift+→ Select one character to the right of the cursor position. Select one character to the left ⇧ Shift+← ⇧ Shift+← Select one character to the left of the cursor position. Select to the end of a word Ctrl+⇧ Shift+→ Select a text fragment from the cursor to the end of a word. Select to the beginning of a word Ctrl+⇧ Shift+← Select a text fragment from the cursor to the beginning of a word. Select one line up ⇧ Shift+↑ ⇧ Shift+↑ Select one line up (with the cursor at the beginning of a line). Select one line down ⇧ Shift+↓ ⇧ Shift+↓ Select one line down (with the cursor at the beginning of a line). Text Styling Bold Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Make the font of the selected text fragment bold giving it more weight. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized giving it some right side tilt. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with the line going under the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with the line going through the letters. Subscript Ctrl+⇧ Shift+> ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Superscript Ctrl+⇧ Shift+< ⌘ Cmd+⇧ Shift+< Make the selected text fragment smaller and place it to the upper part of the text line, e.g. as in fractions. Bulleted list Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Create an unordered bulleted list from the selected text fragment or start a new one. Remove formatting Ctrl+␣ Spacebar Remove formatting from the selected text fragment. Increase font Ctrl+] ^ Ctrl+], ⌘ Cmd+] Increase the size of the font for the selected text fragment 1 point. Decrease font Ctrl+[ ^ Ctrl+[, ⌘ Cmd+[ Decrease the size of the font for the selected text fragment 1 point. Align center Ctrl+E Center the text between the left and the right edges. Align justified Ctrl+J Justify the text in the paragraph adding additional space between words so that the left and the right text edges were aligned with the paragraph margins. Align right Ctrl+R Align right with the text lined up by the right side of the text box, the left side remains unaligned. Align left Ctrl+L Align left with the text lined up by the left side of the text box, the right side remains unaligned. Increase left indent Ctrl+M ^ Ctrl+M Increase the paragraph left indent by one tabulation position. Decrease left indent Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Decrease the paragraph left indent by one tabulation position. Delete one character to the left ← Backspace ← Backspace Delete one character to the left of the cursor. Delete one character to the right Delete Fn+Delete Delete one character to the right of the cursor. Moving around in text Move one character to the left ← ← Move the cursor one character to the left. Move one character to the right → → Move the cursor one character to the right. Move one line up ↑ ↑ Move the cursor one line up. Move one line down ↓ ↓ Move the cursor one line down. Move to the beginning of a word or one word to the left Ctrl+← ⌘ Cmd+← Move the cursor to the beginning of a word or one word to the left. Move one word to the right Ctrl+→ ⌘ Cmd+→ Move the cursor one word to the right. Move to next placeholder Ctrl+↵ Enter ^ Ctrl+↵ Return, ⌘ Cmd+↵ Return Move to the next title or body text placeholder. If it is the last placeholder on a slide, this will insert a new slide with the same slide layout as the original slide Jump to the beginning of the line Home Home Put the cursor to the beginning of the currently edited line. Jump to the end of the line End End Put the cursor to the end of the currently edited line. Jump to the beginning of the text box Ctrl+Home Put the cursor to the beginning of the currently edited text box. Jump to the end of the text box Ctrl+End Put the cursor to the end of the currently edited text box." }, { "id": "HelpfulHints/Navigation.htm", @@ -28,7 +28,7 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Search Function", - "body": "To search for the needed characters, words or phrases used in the currently edited presentation, click the icon situated at the left sidebar or use the Ctrl+F key combination. The Search window will open: Type in your inquiry into the corresponding data entry field. Click one of the arrow buttons on the right. The search will be performed either towards the beginning of the presentation (if you click the button) or towards the end of the presentation (if you click the button) from the current position. The first slide in the selected direction that contains the characters you entered will be highlighted in the slide list and displayed in the working area with the required characters outlined. If it is not the slide you are looking for, click the selected button again to find the next slide containing the characters you entered." + "body": "Search and Replace Function To search for the needed characters, words or phrases used in the currently edited presentation, click the icon situated at the left sidebar or use the Ctrl+F key combination. The Find and Replace window will open: Type in your inquiry into the corresponding data entry field. Specify search parameters by clicking the icon and checking the necessary options: Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). To disable this option click it once again. Click one of the arrow buttons on the right. The search will be performed either towards the beginning of the presentation (if you click the button) or towards the end of the presentation (if you click the button) from the current position. The first slide in the selected direction that contains the characters you entered will be highlighted in the slide list and displayed in the working area with the required characters outlined. If it is not the slide you are looking for, click the selected button again to find the next slide containing the characters you entered. To replace one or more occurrences of the found characters click the Replace link below the data entry field or use the Ctrl+H key combination. The Find and Replace window will change: Type in the replacement text into the bottom data entry field. Click the Replace button to replace the currently selected occurrence or the Replace All button to replace all the found occurrences. To hide the replace field, click the Hide Replace link." }, { "id": "HelpfulHints/SpellChecking.htm", @@ -38,37 +38,37 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Presentations", - "body": "Supported Formats of Electronic Presentation Presentation is a set of slides that may include different type of content such as images, media files, text, effects etc. Presentation Editor handles the following presentation formats: Formats Description View Edit Download PPTX Office Open XML Presentation Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + PPT File format used by Microsoft PowerPoint + ODP OpenDocument Presentation File format that represents presentation document created by Impress application, which is a part of OpenOffice based office suites + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems +" + "body": "Supported Formats of Electronic Presentation Presentation is a set of slides that may include different type of content such as images, media files, text, effects etc. Presentation Editor handles the following presentation formats: Formats Description View Edit Download PPT File format used by Microsoft PowerPoint + + PPTX Office Open XML Presentation Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + + POTX PowerPoint Open XML Document Template Zipped, XML-based file format developed by Microsoft for presentation templates. A POTX template contains formatting settings, styles etc. and can be used to create multiple presentations with the same formatting + + + ODP OpenDocument Presentation File format that represents presentation document created by Impress application, which is a part of OpenOffice based office suites + + + OTP OpenDocument Presentation Template OpenDocument file format for presentation templates. An OTP template contains formatting settings, styles etc. and can be used to create multiple presentations with the same formatting + + in the online version PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. +" }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Collaboration tab", - "body": "The Collaboration tab allows to organize collaborative work on the presentation: share the file, select a co-editing mode, manage comments. Using this tab, you can: specify sharing settings, switch between the Strict and Fast co-editing modes, add comments to the presentation, open the Chat panel." + "body": "The Collaboration tab allows to organize collaborative work on the presentation. In the online version, you can share the file, select a co-editing mode, manage comments. In the desktop version, you can manage comments. Online Presentation Editor window: Desktop Presentation Editor window: Using this tab, you can: specify sharing settings (available in the online version only), switch between the Strict and Fast co-editing modes (available in the online version only), add comments to the presentation, open the Chat panel (available in the online version only)." }, { "id": "ProgramInterface/FileTab.htm", "title": "File tab", - "body": "The File tab allows to perform some basic operations on the current file. Using this tab, you can: save the current file (in case the Autosave option is disabled), download, print or rename it, create a new presentation or open a recently edited one, view general information about the presentation, manage access rights, access the editor Advanced Settings, return to the Documents list." + "body": "The File tab allows to perform some basic operations on the current file. Online Presentation Editor window: Desktop Presentation Editor window: Using this tab, you can: in the online version, save the current file (in case the Autosave option is disabled), download as (save the document in the selected format to the computer hard disk drive), save copy as (save a copy of the document in the selected format to the portal documents), print or rename it, in the desktop version, save the current file keeping the current format and location using the Save option or save the current file with a different name, location or format using the Save as option, print the file. protect the file using a password, change or remove the password (available in the desktop version only); create a new presentation or open a recently edited one (available in the online version only), view general information about the presentation, manage access rights (available in the online version only), access the editor Advanced Settings, in the desktop version, open the folder where the file is stored in the File explorer window. In the online version, open the folder of the Documents module where the file is stored in a new browser tab." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Home tab", - "body": "The Home tab opens by default when you open a presentation. It allows to set general slide parameters, format text, insert some objects, align and arrange them. Using this tab, you can: manage slides and start slideshow, format text within a text box, insert text boxes, pictures, shapes, align and arrange objects on a slide, copy/clear text formatting, change a theme, color scheme or slide size." + "body": "The Home tab opens by default when you open a presentation. It allows to set general slide parameters, format text, insert some objects, align and arrange them. Online Presentation Editor window: Desktop Presentation Editor window: Using this tab, you can: manage slides and start slideshow, format text within a text box, insert text boxes, pictures, shapes, align and arrange objects on a slide, copy/clear text formatting, change a theme, color scheme or slide size." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Insert tab", - "body": "The Insert tab allows to add visual objects and comments into your presentation. Using this tab, you can: insert tables, insert text boxes and Text Art objects, pictures, shapes, charts, insert comments and hyperlinks, insert equations." + "body": "The Insert tab allows to add visual objects and comments into your presentation. Online Presentation Editor window: Desktop Presentation Editor window: Using this tab, you can: insert tables, insert text boxes and Text Art objects, pictures, shapes, charts, insert comments and hyperlinks, insert equations." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Plugins tab", - "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available: ClipArt allows to add images from the clipart collection into your presentation, PhotoEditor allows to edit images: crop, resize them, apply effects etc., Symbol Table allows to insert special symbols into your text, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your presentation. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." + "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. Online Presentation Editor window: Desktop Presentation Editor window: The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available: ClipArt allows to add images from the clipart collection into your presentation, Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, PhotoEditor allows to edit images: crop, resize them, apply effects etc., Symbol Table allows to insert special symbols into your text, Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your presentation. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the Presentation Editor user interface", - "body": "Presentation Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. The editor interface consists of the following main elements: Editor header displays the logo, menu tabs, presentation name as well as three icons on the right that allow to set access rights, return to the Documents list, adjust View Settings and access the editor Advanced Settings. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Collaboration, Plugins. The Print, Save, Copy, Paste, Undo and Redo options are always available at the left part of the Top toolbar regardless of the selected tab. Status bar at the bottom of the editor window contains the Start slideshow icon, some navigation tools: slide number indicator and zoom buttons. The Status bar also displays some notifications (such as \"All changes saved\" etc.) and allows to set text language and enable spell checking. Left sidebar contains icons that allow to use the Search tool, minimize/expand the slide list, open the Comments and Chat panel, contact our support team and view the information about the program. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar. Horizontal and vertical Rulers help you place objects on a slide and allow to set up tab stops and paragraph indents within the text boxes. Working area allows to view presentation content, enter and edit data. Scroll bar on the right allows to scroll the presentation up and down. For your convenience you can hide some components and display them again when it is necessary. To learn more on how to adjust view settings please refer to this page." + "body": "Presentation Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Online Presentation Editor window: Desktop Presentation Editor window: The editor interface consists of the following main elements: Editor header displays the logo, opened documents tabs, presentation name and menu tabs. In the left part of the Editor header there are the Save, Print file, Undo and Redo buttons. In the right part of the Editor header the user name is displayed as well as the following icons: Open file location - in the desktop version, it allows to open the folder where the file is stored in the File explorer window. In the online version, it allows to open the folder of the Documents module where the file is stored in a new browser tab. - allows to adjust View Settings and access the editor Advanced Settings. Manage document access rights - (available in the online version only) allows to set access rights for the documents stored in the cloud. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Collaboration, Protection, Plugins. The Copy and Paste options are always available at the left part of the Top toolbar regardless of the selected tab. Status bar at the bottom of the editor window contains the Start slideshow icon, some navigation tools: slide number indicator and zoom buttons. The Status bar also displays some notifications (such as \"All changes saved\" etc.) and allows to set text language and enable spell checking. Left sidebar contains the following icons: - allows to use the Search and Replace tool, - allows to open the Comments panel, - (available in the online version only) allows to open the Chat panel, as well as the icons that allow to contact our support team and view the information about the program. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar. Horizontal and vertical Rulers help you place objects on a slide and allow to set up tab stops and paragraph indents within the text boxes. Working area allows to view presentation content, enter and edit data. Scroll bar on the right allows to scroll the presentation up and down. For your convenience you can hide some components and display them again when it is necessary. To learn more on how to adjust view settings please refer to this page." }, { "id": "UsageInstructions/AddHyperlinks.htm", @@ -78,7 +78,7 @@ var indexes = { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Align and arrange objects on a slide", - "body": "The added autoshapes, images, charts or text boxes can be aligned, grouped, ordered, distributed horizontally and vertically on a slide. To perform any of these actions, first select a separate object or several objects in the slide editing area. To select several objects, hold down the Ctrl key and left-click the necessary objects. To select a text box, click on its border, not the text within it. After that you can use either the icons at the Home tab of the top toolbar described below or the analogous options from the right-click menu. Align objects To align the selected object(s), click the Align shape icon at the Home tab of the top toolbar and select the necessary alignment type from the list: Align Left - to line up the object(s) horizontally by the left side of the slide, Align Center - to line up the object(s) horizontally by the center of the slide, Align Right - to line up the object(s) horizontally by the right side of the slide, Align Top - to line up the object(s) vertically by the top side of the slide, Align Middle - to line up the object(s) vertically by the middle of the slide, Align Bottom - to line up the object(s) vertically by the bottom side of the slide. To distribute two or more selected objects horizontally or vertically, click the Align shape icon at the Home tab of the top toolbar and select the necessary distribution type from the list: Distribute Horizontally - to align the selected objects by their centers (from right to left edges) to the horizontal center of the slide Distribute Vertically - to align the selected objects by their centers (from top to bottom edges) to the vertical center of the slide. Arrange objects To arrange the selected object(s) (i.e. to change their order when several objects overlap each other), click the Arrange shape icon at the Home tab of the top toolbar and select the necessary arrangement type from the list: Bring To Foreground - to move the object(s) in front of all other objects, Send To Background - to move the object(s) behind all other objects, Bring Forward - to move the selected object(s) by one level forward as related to other objects. Send Backward - to move the selected object(s) by one level backward as related to other objects. To group two or more selected objects or ungroup them, click the Arrange shape icon at the Home tab of the top toolbar and select the necessary option from the list: Group - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object. Ungroup - to ungroup the selected group of the previously joined objects." + "body": "The added autoshapes, images, charts or text boxes can be aligned, grouped, ordered, distributed horizontally and vertically on a slide. To perform any of these actions, first select a separate object or several objects in the slide editing area. To select several objects, hold down the Ctrl key and left-click the necessary objects. To select a text box, click on its border, not the text within it. After that you can use either the icons at the Home tab of the top toolbar described below or the analogous options from the right-click menu. Align objects To align two or more selected objects, Click the Align shape icon at the Home tab of the top toolbar and select one of the following options: Align to Slide to align objects relative to the edges of the slide, Align Selected Objects (this option is selected by default) to align objects relative to each other, Click the Align shape icon once again and select the necessary alignment type from the list: Align Left - to line up the objects horizontally by the left edge of the leftmost object/left edge of the slide, Align Center - to line up the objects horizontally by their centers/center of the slide, Align Right - to line up the objects horizontally by the right edge of the rightmost object/right edge of the slide, Align Top - to line up the objects vertically by the top edge of the topmost object/top edge of the slide, Align Middle - to line up the objects vertically by their middles/middle of the slide, Align Bottom - to line up the objects vertically by the bottom edge of the bottommost object/bottom edge of the slide. Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available alignment options. If you want to align a single object, it can be aligned relative to the edges of the slide. The Align to Slide option is selected by default in this case. Distribute objects To distribute three or more selected objects horizontally or vertically so that the equal distance appears between them, Click the Align shape icon at the Home tab of the top toolbar and select one of the following options: Align to Slide to distribute objects between the edges of the slide, Align Selected Objects (this option is selected by default) to distribute objects between two outermost selected objects, Click the Align shape icon once again and select the necessary distribution type from the list: Distribute Horizontally - to distribute objects evenly between the leftmost and rightmost selected objects/left and right edges of the slide. Distribute Vertically - to distribute objects evenly between the topmost and bottommost selected objects/top and bottom edges of the slide. Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available distribution options. Note: the distribution options are disabled if you select less than three objects. Group objects To group two or more selected objects or ungroup them, click the Arrange shape icon at the Home tab of the top toolbar and select the necessary option from the list: Group - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object. Ungroup - to ungroup the selected group of the previously joined objects. Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option. Note: the Group option is disabled if you select less than two objects. The Ungroup option is available only when a group of the previously joined objects is selected. Arrange objects To arrange the selected object(s) (i.e. to change their order when several objects overlap each other), click the Arrange shape icon at the Home tab of the top toolbar and select the necessary arrangement type from the list. Bring To Foreground - to move the object(s) in front of all other objects, Bring Forward - to move the selected object(s) by one level forward as related to other objects. Send To Background - to move the object(s) behind all other objects, Send Backward - to move the selected object(s) by one level backward as related to other objects. Alternatively, you can right-click the selected object(s), choose the Arrange option from the contextual menu and then use one of the available arrangement options." }, { "id": "UsageInstructions/ApplyTransitions.htm", @@ -88,12 +88,12 @@ var indexes = { "id": "UsageInstructions/CopyClearFormatting.htm", "title": "Copy/clear formatting", - "body": "To copy a certain text formatting, select the text passage which formatting you need to copy with the mouse or using the keyboard, click the Copy style icon at the Home tab of the top toolbar (the mouse pointer will look like this ), select the text passage you want to apply the same formatting to. To quickly remove the formatting that you have applied to a text passage, select the text passage which formatting you want to remove, click the Clear style icon at the Home tab of the top toolbar." + "body": "To copy a certain text formatting, select the text passage which formatting you need to copy with the mouse or using the keyboard, click the Copy style icon at the Home tab of the top toolbar (the mouse pointer will look like this ), select the text passage you want to apply the same formatting to. To apply the copied formatting to multiple text passages, select the text passage which formatting you need to copy with the mouse or using the keyboard, double-click the Copy style icon at the Home tab of the top toolbar (the mouse pointer will look like this and the Copy style icon will remain selected: ), select the necessary text passages one by one to apply the same formatting to each of them, to exit this mode, click the Copy style icon once again or press the Esc key on the keyboard. To quickly remove the formatting that you have applied to a text passage, select the text passage which formatting you want to remove, click the Clear style icon at the Home tab of the top toolbar." }, { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Copy/paste data, undo/redo your actions", - "body": "Use basic clipboard operations To cut, copy and paste selected objects (slides, text passages, autoshapes) in the current presentation or undo/redo your actions use the corresponding options from the right-click menu, or keyboard shortcuts, or icons available at any tab of the top toolbar: Cut – select an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same presentation. Copy – select an object and use the Copy option from the right-click menu or the Copy icon at the top toolbar to copy the selection to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation. Paste – find the place in your presentation where you need to paste the previously copied object and use the Paste option from the right-click menu or the Paste icon at the top toolbar. The object will be inserted at the current cursor position. The object can be previously copied from the same presentation. To copy or paste data from/into another presentation or some other program use the following key combinations: Ctrl+C key combination for copying; Ctrl+V key combination for pasting; Ctrl+X key combination for cutting. Use the Paste Special feature Once the copied data is pasted, the Paste Special button appears next to the inserted text passage/object. Click this button to select the necessary paste option. When pasting text passages, the following options are available: Use destination theme - allows to apply the formatting specified by the theme of the current presentation. This option is used by default. Keep source formatting - allows to keep the source formatting of the copied text. Picture - allows to paste the text as an image so that it cannot be edited. Keep text only - allows to paste the text without its original formatting. When pasting objects (autoshapes, charts, tables) the following options are available: Use destination theme - allows to apply the formatting specified by the theme of the current presentation. This option is used by default. Picture - allows to paste the object as an image so that it cannot be edited. Use the Undo/Redo operations To perform the undo/redo operations, use the corresponding icons available at any tab of the top toolbar or keyboard shortcuts: Undo – use the Undo icon to undo the last operation you performed. Redo – use the Redo icon to redo the last undone operation. You can also use the Ctrl+Z key combination for undoing or Ctrl+Y for redoing." + "body": "Use basic clipboard operations To cut, copy and paste selected objects (slides, text passages, autoshapes) in the current presentation or undo/redo your actions use the corresponding options from the right-click menu, or keyboard shortcuts, or icons available at any tab of the top toolbar: Cut – select an object and use the Cut option from the right-click menu to delete the selection and send it to the computer clipboard memory. The cut data can be later inserted to another place in the same presentation. Copy – select an object and use the Copy option from the right-click menu or the Copy icon at the top toolbar to copy the selection to the computer clipboard memory. The copied object can be later inserted to another place in the same presentation. Paste – find the place in your presentation where you need to paste the previously copied object and use the Paste option from the right-click menu or the Paste icon at the top toolbar. The object will be inserted at the current cursor position. The object can be previously copied from the same presentation. In the online version, the following key combinations are only used to copy or paste data from/into another presentation or some other program, in the desktop version, both the corresponding buttons/menu options and key combinations can be used for any copy/paste operations: Ctrl+C key combination for copying; Ctrl+V key combination for pasting; Ctrl+X key combination for cutting. Use the Paste Special feature Once the copied data is pasted, the Paste Special button appears next to the inserted text passage/object. Click this button to select the necessary paste option. When pasting text passages, the following options are available: Use destination theme - allows to apply the formatting specified by the theme of the current presentation. This option is used by default. Keep source formatting - allows to keep the source formatting of the copied text. Picture - allows to paste the text as an image so that it cannot be edited. Keep text only - allows to paste the text without its original formatting. When pasting objects (autoshapes, charts, tables) the following options are available: Use destination theme - allows to apply the formatting specified by the theme of the current presentation. This option is used by default. Picture - allows to paste the object as an image so that it cannot be edited. Use the Undo/Redo operations To perform the undo/redo operations, use the corresponding icons in the left part of the editor header or keyboard shortcuts: Undo – use the Undo icon to undo the last operation you performed. Redo – use the Redo icon to redo the last undone operation. You can also use the Ctrl+Z key combination for undoing or Ctrl+Y for redoing. Note: when you co-edit a presentation in the Fast mode, the possibility to Redo the last undone operation is not available." }, { "id": "UsageInstructions/CreateLists.htm", @@ -108,7 +108,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insert and format autoshapes", - "body": "Insert an autoshape To add an autoshape on a slide, in the slide list on the left, select the slide you want to add the autoshape to, click the Shape icon at the Home or Insert tab of the top toolbar, select one of the available autoshape groups: Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines, click on the necessary autoshape within the selected group, in the slide editing area, place the mouse cursor where you want the shape to be put, Note: you can click and drag to stretch the shape. once the autoshape is added you can change its size, position and properties. Note: to add a caption within the autoshape make sure the shape is selected on the slide and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). Adjust autoshape settings Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the autoshape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - to specify the solid color you want to apply to the selected shape. Gradient Fill - to fill the shape with two colors which smoothly change from one to another. Picture or Texture - to use an image or a predefined texture as the shape background. Pattern - to fill the shape with a two-colored design composed of regularly repeated elements. No Fill - select this option if you don't want to use any fill. For more detailed information on these options please refer to the Fill objects and select colors section. Stroke - use this section to change the autoshape stroke width, color or type. To change the stroke width, select one of the available options from the Size drop-down list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Or select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. You can use the selected theme color, a standard color or choose a custom color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). To change the advanced settings of the autoshape, right-click the shape and select the Shape Advanced Settings option from the contextual menu or left-click it and press the Show advanced settings link at the right sidebar. The shape properties window will be opened: The Size tab allows to change the autoshape Width and/or Height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original autoshape aspect ratio. The Weights & Arrows tab contains the following parameters: Line Style - this option group allows to specify the following parameters: Cap Type - this option allows to set the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows to set the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows to set the arrow Start and End Style and Size by selecting the appropriate option from the drop-down lists. The Text Padding tab allows to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Columns tab allows to add columns of text within the autoshape specifying the necessary Number of columns (up to 16) and Spacing between columns. Once you click OK, the text that already exists or any other text you enter within the autoshape will appear in columns and will flow from one column to another. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the shape. To replace the added autoshape, left-click it and use the Change Autoshape drop-down list at the Shape settings tab of the right sidebar. To delete the added autoshape, left-click it and press the Delete key on the keyboard. To learn how to align an autoshape on the slide or arrange several autoshapes, refer to the Align and arrange objects on a slide section. Join autoshapes using connectors You can connect autoshapes using lines with connection points to demonstrate dependencies between the objects (e.g. if you want to create a flowchart). To do that, click the Shape icon at the Home or Insert tab of the top toolbar, select the Lines group from the menu, click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely shape 10, 11 and 12), hover the mouse cursor over the first autoshape and click one of the connection points that appear on the shape outline, drag the mouse cursor towards the second autoshape and click the necessary connection point on its outline. If you move the joined autoshapes, the connector remains attached to the shapes and moves together with them. You can also detach the connector from the shapes and then attach it to any other connection points." + "body": "Insert an autoshape To add an autoshape on a slide, in the slide list on the left, select the slide you want to add the autoshape to, click the Shape icon at the Home or Insert tab of the top toolbar, select one of the available autoshape groups: Basic Shapes, Figured Arrows, Math, Charts, Stars & Ribbons, Callouts, Buttons, Rectangles, Lines, click on the necessary autoshape within the selected group, in the slide editing area, place the mouse cursor where you want the shape to be put, Note: you can click and drag to stretch the shape. once the autoshape is added you can change its size, position and properties. Note: to add a caption within the autoshape make sure the shape is selected on the slide and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). Adjust autoshape settings Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar. To activate it click the autoshape and choose the Shape settings icon on the right. Here you can change the following properties: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - to specify the solid color you want to apply to the selected shape. Gradient Fill - to fill the shape with two colors which smoothly change from one to another. Picture or Texture - to use an image or a predefined texture as the shape background. Pattern - to fill the shape with a two-colored design composed of regularly repeated elements. No Fill - select this option if you don't want to use any fill. For more detailed information on these options please refer to the Fill objects and select colors section. Stroke - use this section to change the autoshape stroke width, color or type. To change the stroke width, select one of the available options from the Size drop-down list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Or select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. You can use the selected theme color, a standard color or choose a custom color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) To change the advanced settings of the autoshape, right-click the shape and select the Shape Advanced Settings option from the contextual menu or left-click it and press the Show advanced settings link at the right sidebar. The shape properties window will be opened: The Size tab allows to change the autoshape Width and/or Height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original autoshape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Weights & Arrows tab contains the following parameters: Line Style - this option group allows to specify the following parameters: Cap Type - this option allows to set the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows to set the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows to set the arrow Start and End Style and Size by selecting the appropriate option from the drop-down lists. The Text Padding tab allows to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Columns tab allows to add columns of text within the autoshape specifying the necessary Number of columns (up to 16) and Spacing between columns. Once you click OK, the text that already exists or any other text you enter within the autoshape will appear in columns and will flow from one column to another. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the shape. To replace the added autoshape, left-click it and use the Change Autoshape drop-down list at the Shape settings tab of the right sidebar. To delete the added autoshape, left-click it and press the Delete key on the keyboard. To learn how to align an autoshape on the slide or arrange several autoshapes, refer to the Align and arrange objects on a slide section. Join autoshapes using connectors You can connect autoshapes using lines with connection points to demonstrate dependencies between the objects (e.g. if you want to create a flowchart). To do that, click the Shape icon at the Home or Insert tab of the top toolbar, select the Lines group from the menu, click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely Curve, Scribble and Freeform), hover the mouse cursor over the first autoshape and click one of the connection points that appear on the shape outline, drag the mouse cursor towards the second autoshape and click the necessary connection point on its outline. If you move the joined autoshapes, the connector remains attached to the shapes and moves together with them. You can also detach the connector from the shapes and then attach it to any other connection points." }, { "id": "UsageInstructions/InsertCharts.htm", @@ -123,7 +123,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insert and adjust images", - "body": "Insert an image In Presentation Editor, you can insert images in the most popular formats into your presentation. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. To add an image on a slide, in the slide list on the left, select the slide you want to add the image to, click the Image icon at the Home or Insert tab of the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button the Image from URL option will open the window where you can enter the necessary image web address and click the OK button once the image is added you can change its size and position. Adjust image settings The right sidebar is activated when you left-click an image and choose the Image settings icon on the right. It contains the following sections: Size - is used to view the current image Width and Height or restore the image Default Size if necessary. Replace Image - is used to load another image instead of the current one selecting the desired source. You can select one of the options: From File or From URL. The Replace image option is also available in the right-click menu. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. To change the advanced settings of the image, right-click the image and select the Image Advanced Settings option from the contextual menu or left-click the image and press the Show advanced settings link at the right sidebar. The image properties window will be opened: The Placement tab allows you to set the following image properties: Size - use this option to change the image width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button. Position - use this option to change the image position on the slide (the position is calculated from the top and the left side of the slide). The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image. To delete the inserted image, left-click it and press the Delete key on the keyboard. To learn how to align an image on the slide or arrange several images, refer to the Align and arrange objects on a slide section." + "body": "Insert an image In Presentation Editor, you can insert images in the most popular formats into your presentation. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. To add an image on a slide, in the slide list on the left, select the slide you want to add the image to, click the Image icon at the Home or Insert tab of the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button the Image from URL option will open the window where you can enter the necessary image web address and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button once the image is added you can change its size and position. Adjust image settings The right sidebar is activated when you left-click an image and choose the Image settings icon on the right. It contains the following sections: Size - is used to view the current image Width and Height or restore the image Default Size if necessary. The Crop button is used to crop the image. Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. Replace Image - is used to load another image instead of the current one selecting the desired source. You can select one of the options: From File or From URL. The Replace image option is also available in the right-click menu. Rotation is used to rotate the image by 90 degrees clockwise or counterclockwise as well as to flip the image horizontally or vertically. Click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. To change the advanced settings of the image, right-click the image and select the Image Advanced Settings option from the contextual menu or left-click the image and press the Show advanced settings link at the right sidebar. The image properties window will be opened: The Placement tab allows you to set the following image properties: Size - use this option to change the image width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button. Position - use this option to change the image position on the slide (the position is calculated from the top and the left side of the slide). The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image. To delete the inserted image, left-click it and press the Delete key on the keyboard. To learn how to align an image on the slide or arrange several images, refer to the Align and arrange objects on a slide section." }, { "id": "UsageInstructions/InsertTables.htm", @@ -133,7 +133,7 @@ var indexes = { "id": "UsageInstructions/InsertText.htm", "title": "Insert and format your text", - "body": "Insert your text You can add a new text in three different ways: Add a text passage within the corresponding text placeholder provided 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 in place of the according default text. Add a text passage anywhere on a slide. You can insert a text box (a rectangular frame that allows to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows 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 at 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. Note: it's also possible to insert a text box by clicking the Shape icon at the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon at 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 on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box clicking on its border to be able 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, stroke, 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 or 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, 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 be able 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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion 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 at 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 by the left side of the text box (the right side remains unaligned). the Align text center option allows you to line up your text by 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 by the right side of the text box (the left side remains unaligned). the Justify option allows you to line up your text by both the left and the right sides of the text box (additional spacing is added where necessary to keep the alignment). 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 at 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 by the top of the text box. the Align text to the middle option allows you to line up your text by the center of the text box. the Align text to the bottom option allows you to line up your text by 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 (is selected by default), Rotate at 90° (sets a vertical direction, from top to bottom) or Rotate at 270° (sets 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 at 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 Is used to select one of the fonts from the list of the available ones. Font size Is used to select among the preset font size values from the dropdown list, or can be entered manually to the font size field. Font color Is 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 Is used to make the font bold giving it more weight. Italic Is used to make the font italicized giving it some right side tilt. Underline Is used to make the text underlined with the line going under the letters. Strikeout Is used to make the text struck out with the line going through the letters. Superscript Is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript Is used to make the text smaller and place it to 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 preceding or the subsequent paragraph. To do that, put the cursor within the paragraph you need, or select several paragraphs with the mouse, use the corresponding fields of the Text settings tab at 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. To quickly change the current paragraph line spacing, you can also use the Line spacing icon at the Home tab of the top toolbar selecting the needed 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 paragraph you need, or select several paragraphs with the mouse and use the respective icons at the Home tab of the top toolbar: Decrease indent and Increase indent . You can also change the advanced settings of the paragraph. Put the cursor within the paragraph you need - the Text settings tab will be activated at the right sidebar. Press the Show advanced settings link. The paragraph properties window will be opened: The Indents & Placement tab allows to change the first line offset from the left internal margin of the text box as well as the paragraph offset from the left and right internal margins of the text box. 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 the line going through the letters. Double strikethrough is used to make the text struck out with the double line going through the letters. Superscript is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller and place it to 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. The Tab tab allows to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard. 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. Default Tab is set at 1.25 cm. You can decrease or increase this value using the arrow buttons or enter the necessary one in the box. 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 radiobutton and press the Specify button. Left - lines up your text by 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 by 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 stroke. 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 You can add a new text in three different ways: Add a text passage within the corresponding text placeholder provided 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 in place of the according default text. Add a text passage anywhere on a slide. You can insert a text box (a rectangular frame that allows to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows 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 at 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. Note: it's also possible to insert a text box by clicking the Shape icon at the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon at 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 on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box clicking on its border to be able 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, stroke, 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, 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 be able 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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion 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 at 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 by the left side of the text box (the right side remains unaligned). the Align text center option allows you to line up your text by 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 by the right side of the text box (the left side remains unaligned). the Justify option allows you to line up your text by both the left and the right sides of the text box (additional spacing is added where necessary to keep the alignment). 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 at 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 by the top of the text box. the Align text to the middle option allows you to line up your text by the center of the text box. the Align text to the bottom option allows you to line up your text by 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 (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets 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 at 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 Is used to select one of the fonts from the list of the available ones. If a required font is not available in the list, you can download and install it on your operating system, after that the font will be available for use in the desktop version. Font size Is used to select among the preset font size values from 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 to the font size field and then press Enter. Font color Is 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 Is used to make the font bold giving it more weight. Italic Is used to make the font italicized giving it some right side tilt. Underline Is used to make the text underlined with the line going under the letters. Strikeout Is used to make the text struck out with the line going through the letters. Superscript Is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript Is used to make the text smaller and place it to 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 preceding or the subsequent paragraph. To do that, put the cursor within the paragraph you need, or select several paragraphs with the mouse, use the corresponding fields of the Text settings tab at 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. To quickly change the current paragraph line spacing, you can also use the Line spacing icon at the Home tab of the top toolbar selecting the needed 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 paragraph you need, or select several paragraphs with the mouse and use the respective icons at the Home tab of the top toolbar: Decrease indent and Increase indent . You can also change the advanced settings of the paragraph. Put the cursor within the paragraph you need - the Text settings tab will be activated at the right sidebar. Press the Show advanced settings link. The paragraph properties window will be opened: The Indents & Placement tab allows to change the first line offset from the left internal margin of the text box as well as the paragraph offset from the left and right internal margins of the text box. 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 the line going through the letters. Double strikethrough is used to make the text struck out with the double line going through the letters. Superscript is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller and place it to 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 to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard. 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. Default Tab is set at 1.25 cm. You can decrease or increase this value using the arrow buttons or enter the necessary one in the box. 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 radiobutton and press the Specify button. Left - lines up your text by 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 by 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 stroke. 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", @@ -143,12 +143,12 @@ var indexes = { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Manipulate objects on a slide", - "body": "You can resize, move, rotate different objects on a slide manually using the special handles. You can also specify the dimensions and position of some objects exactly using the right sidebar or Advanced Settings window. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Resize objects To change the autoshape/image/chart/table/text box size, drag small squares situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons. To specify the precise width and height of a chart, select it on a slide and use the Size section of the right sidebar that will be activated. To specify the precise dimensions of an image or autoshape, right-click the necessary object on the slide and select the Image/Shape Advanced Settings option from the menu. Specify necessary values on the Size tab of the Advanced Settings window and press OK. Reshape autoshapes When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped icon is also available. It allows to adjust some aspects of the shape, for example, the length of the head of an arrow. Move objects To alter the autoshape/image/chart/table/text box position, use the icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK. Rotate objects To rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating." + "body": "You can resize, move, rotate different objects on a slide manually using the special handles. You can also specify the dimensions and position of some objects exactly using the right sidebar or Advanced Settings window. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Resize objects To change the autoshape/image/chart/table/text box size, drag small squares situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons. To specify the precise width and height of a chart, select it on a slide and use the Size section of the right sidebar that will be activated. To specify the precise dimensions of an image or autoshape, right-click the necessary object on the slide and select the Image/Shape Advanced Settings option from the menu. Specify necessary values on the Size tab of the Advanced Settings window and press OK. Reshape autoshapes When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped icon is also available. It allows to adjust some aspects of the shape, for example, the length of the head of an arrow. Move objects To alter the autoshape/image/chart/table/text box position, use the icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. To specify the precise position of an image, right-click it on a slide and select the Image Advanced Settings option from the menu. Specify necessary values in the Position section of the Advanced Settings window and press OK. Rotate objects To manually rotate an autoshape/image/text box, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. To rotate the object by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings or the Image settings icon to the right. Click one of the buttons: to rotate the object by 90 degrees counterclockwise to rotate the object by 90 degrees clockwise to flip the object horizontally (left to right) to flip the object vertically (upside down) It's also possible to right-click the object, choose the Rotate option from the contextual menu and then use one of the available rotation options. To rotate the object by an exactly specified angle, click the Show advanced settings link at the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK." }, { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Create a new presentation or open an existing one", - "body": "When Presentation Editor is open, you can immediately proceed to an already existing presentation that you have recently edited, create a new one, or return to the list of existing presentations. To create a new presentation within Presentation Editor: click the File tab of the top toolbar, select the Create New option. To open a recently edited presentation within Presentation Editor: click the File tab of the top toolbar, select the Open Recent option, choose the presentation you need from the list of recently edited presentations. To return to the list of existing documents, click the Go to Documents icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Go to Documents option." + "body": "To create a new presentation In the online editor click the File tab of the top toolbar, select the Create New option. In the desktop editor in the main program window, select the Presentation menu item from the Create new section of the left sidebar - a new file will open in a new tab, when all the necessary changes are made, click the Save icon in the upper left corner or switch to the File tab and choose the Save as menu item. in the file manager window, select the file location, specify its name, choose the format you want to save the presentation to (PPTX, Presentation template, ODP, PDF or PDFA) and click the Save button. To open an existing presentation In the desktop editor in the main program window, select the Open local file menu item at the left sidebar, choose the necessary presentation from the file manager window and click the Open button. You can also right-click the necessary presentation in the file manager window, select the Open with option and choose the necessary application from the menu. If the office documents files are associated with the application, you can also open presentations by double-clicking the file name in the file explorer window. 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 In the online editor click the File tab of the top toolbar, select the Open Recent... option, choose the presentation you need from the list of recently edited documents. In the desktop editor in the main program window, select the Recent files menu item at the left sidebar, choose the presentation you need from the list of recently edited documents. To open the folder where the file is stored in a new browser tab in the online version, in the file explorer window in the desktop version, click the Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Open file location option." }, { "id": "UsageInstructions/PreviewPresentation.htm", @@ -158,7 +158,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Save/print/download your presentation", - "body": "By default, Рresentation Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your current presentation manually, press the Save icon at the top toolbar, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. To print out the current presentation, click the Print icon at the top toolbar, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. After that a PDF file will be generated on the basis of the presentation. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. To download the resulting presentation onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as option, choose one of the available formats depending on your needs: PPTX, PDF, or ODP." + "body": "Saving By default, online Рresentation Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your presentation manually in the current format and location, press the Save icon in the left part of the editor header, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. Note: in the desktop version, to prevent data loss in case of the unexpected program closing you can turn on the Autorecover option at the Advanced Settings page. In the desktop version, you can save the presentation with another name, in a new location or format, click the File tab of the top toolbar, select the Save as... option, choose one of the available formats depending on your needs: PPTX, ODP, PDF, PDFA. You can also choose the Рresentation template (POTX) option. Downloading In the online version, you can download the resulting presentation onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as... option, choose one of the available formats depending on your needs: PPTX, PDF, ODP, POTX, PDF/A, OTP. Saving a copy In the online version, you can save a copy of the file on your portal, click the File tab of the top toolbar, select the Save Copy as... option, choose one of the available formats depending on your needs: PPTX, PDF, ODP, POTX, PDF/A, OTP, select a location of the file on the portal and press Save. Printing To print out the current presentation, click the Print icon in the left part of the editor header, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. In the desktop version, the file will be printed directly. In the online version, a PDF file will be generated on the basis of the presentation. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing." }, { "id": "UsageInstructions/SetSlideParameters.htm", @@ -168,6 +168,6 @@ var indexes = { "id": "UsageInstructions/ViewPresentationInfo.htm", "title": "View presentation information", - "body": "To access the detailed information about the currently edited presentation, click the File tab of the top toolbar and select the Presentation Info option. General Information The presentation information includes presentation title, author, location and creation date. Note: Online Editors allow you to change the presentation title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK. Permission Information Note: this option is not available for users with the Read Only permissions. To find out, who have rights to view or edit the presentation, select the Access Rights... option at the left sidebar. You can also change currently selected access rights by pressing the Change access rights button in the Persons who have rights section. To close the File pane and return to presentation editing, select the Close Menu option." + "body": "To access the detailed information about the currently edited presentation, click the File tab of the top toolbar and select the Presentation Info option. General Information The presentation information includes presentation title and the application the presentation was created with. In the online version, the following information is also displayed: author, location, creation date. Note: Online Editors allow you to change the presentation title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK. Permission Information In the online version, you can view the information about permissions to the files stored in the cloud. Note: this option is not available for users with the Read Only permissions. To find out, who have rights to view or edit the presentation, select the Access Rights... option at the left sidebar. You can also change currently selected access rights by pressing the Change access rights button in the Persons who have rights section. To close the File pane and return to presentation editing, select the Close Menu option." } ] \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/search/js/keyboard-switch.js b/apps/presentationeditor/main/resources/help/en/search/js/keyboard-switch.js new file mode 100644 index 000000000..267160c5e --- /dev/null +++ b/apps/presentationeditor/main/resources/help/en/search/js/keyboard-switch.js @@ -0,0 +1,30 @@ +$(function(){ + function shortcutToggler(enabled,disabled,enabled_opt,disabled_opt){ + var selectorTD_en = '.keyboard_shortcuts_table tr td:nth-child(' + enabled + ')', + selectorTD_dis = '.keyboard_shortcuts_table tr td:nth-child(' + disabled + ')'; + $(disabled_opt).removeClass('enabled').addClass('disabled'); + $(enabled_opt).removeClass('disabled').addClass('enabled'); + $(selectorTD_dis).hide(); + $(selectorTD_en).show().each(function() { + if($(this).text() == ''){ + $(this).parent('tr').hide(); + } else { + $(this).parent('tr').show(); + } + }); + } + if (navigator.platform.toUpperCase().indexOf('MAC') >= 0) { + shortcutToggler(3,2,'.mac_option','.pc_option'); + $('.mac_option').removeClass('right_option').addClass('left_option'); + $('.pc_option').removeClass('left_option').addClass('right_option'); + } else { + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + $('.shortcut_toggle').on('click', function() { + if($(this).hasClass('mac_option')){ + shortcutToggler(3,2,'.mac_option','.pc_option'); + } else if ($(this).hasClass('pc_option')){ + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + }); +}); \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/en/search/search.html b/apps/presentationeditor/main/resources/help/en/search/search.html index 97576e91e..9efeae6f4 100644 --- a/apps/presentationeditor/main/resources/help/en/search/search.html +++ b/apps/presentationeditor/main/resources/help/en/search/search.html @@ -5,6 +5,7 @@ + @@ -89,7 +90,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                        ').text(info.body.substring(0, 250) + "...")) @@ -123,7 +125,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -133,7 +135,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/presentationeditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm index 8126ba302..b96837a88 100644 --- a/apps/presentationeditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm @@ -14,29 +14,29 @@

                        Edición de presentación en colaboración

                        -

                        El editor de presentaciones le ofrece la posibilidad de trabajar en una presentación en colaboración con otros usuarios. Esta característica incluye:

                        +

                        El editor de presentaciones le ofrece la posibilidad de trabajar en una presentación en colaboración con otros usuarios. Esta función incluye:

                        • acceso simultáneo de varios usuarios a la presentación editada
                        • indicación visual de objetos que otros usuarios están editando
                        • -
                        • sincronización de los cambios al hacer clic e un botón
                        • +
                        • visualización de cambios en tiempo real o sincronización de cambios al pulsar un botón
                        • chat para compartir ideas sobre partes en concreto de una presentación
                        • -
                        • comentarios que contienen la descripción de una tarea o un problema que debe resolverse
                        • +
                        • comentarios que contienen la descripción de una tarea o un problema que hay que resolver

                        Co-edición

                        -

                        El Editor de Presentación permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios a tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar Icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Icono del modo de Co-edición Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior:

                        +

                        El Editor de Presentación permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar Icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Icono del modo de Co-edición Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior:

                        Menú del modo de Co-edición

                        -

                        Cuando una presentación se está editando por varios usuarios simultáneamente en el modo Estricto, los objetos editados (autoformas, objetos de texto, tablas, imágenes, gráficos) aparecen marcados con línea discontinua de diferentes colores. El objeto que está editando se rodea con una línea discontinua de color verde. Las líneas rojas discontinuas indican que los objetos se están editando por otros usuarios. Al poner el cursor del ratón sobre uno de los pasajes editados, se muestra el nombre del usuario que está editando ese objeto en este momento. El modo Rápido mostrará las acciones y los nombres de los co-editores cuando estos estén editando el texto.

                        -

                        El número de usuarios que están trabajando en la presentación actual se especifica en la parte derecha del encabezado de editor -Icono Número de usuarios . Si quiere ver de forma exacta quién está editando la presentación, puede hacer clic ene ste icono o abrir el panel Chat con la lista completa de los usuarios.

                        -

                        Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así Icono gestionar derechos de acceso de documentos, y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde el documento: invitar a nuevos usuarios y otorgarles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para organizar el acceso al archivo; esto se puede realizar cuando no hay otros usuarios que están viendo o co-editando el documento en este momento y cuando hay otros usuarios y el icono aparece como Icono Número de usuarios. También es posible establecer derechos de acceso utilizando el icono Icono de comparitr Compartir en la pestaña Colaboración de la barra de herramientas superior:

                        -

                        Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono Icono Guardar, los otros verán una nota dentro de la barra de estado indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono Icono Guardar en la esquina superior izquierda de la barra de herramientas. Las actualizaciones se resaltarán para que usted pueda verificar qué se ha cambiado de forma concreta.

                        +

                        Cuando una presentación se está editando por varios usuarios simultáneamente en el modo Estricto, los objetos editados (autoformas, objetos de texto, tablas, imágenes, gráficos) aparecen marcados con línea discontinua de diferentes colores. El objeto que está editando se rodea con una línea discontinua de color verde. Las líneas rojas discontinuas indican que los objetos se están editando por otros usuarios. Al poner el cursor del ratón sobre uno de los pasajes editados se muestra el nombre del usuario que está editandolo en este momento. El modo Rápido mostrará las acciones y los nombres de los coeditores cuando ellos están editando el texto.

                        +

                        El número de usuarios que están trabajando en la presentación actual se especifica en la parte derecha del encabezado de editor -Icono Número de usuarios . Si quiere ver quién está editando el archivo en ese preciso momento, pulse este icono o abrir el panel Chat con la lista completa de los usuarios.

                        +

                        Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así Gestionar derechos de acceso de documentos, y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde el documento: invitar a nuevos usuarios y otorgarles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para manejar acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando el documento en este momento y cuando hay otros usuarios y el icono parece como Icono Número de usuarios. También es posible establecer derechos de acceso utilizando el icono Icono de comparitr Compartir en la pestaña Colaboración de la barra de herramientas superior:

                        +

                        Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono Icono Guardar, los otros verán una nota dentro de la barra de estado indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono Icono Guardar en la esquina superior izquierda de la barra de herramientas superior. Las actualizaciones se resaltarán para que usted pueda verificar qué se ha cambiado de forma concreta.

                        Chat

                        -

                        Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para asignar los párrafos a cada compañero de trabajo y especificar, que párrafo va a editar ahora usted, etc.

                        -

                        Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido del documento es mejor usar comentarios que se almacenan hasta que decida eliminarlos.

                        +

                        Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para asignar los párrafos a cada compañero de trabajo y especificar, que párrafo va a editar ahora usted.

                        +

                        Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido del documento es mejor usar comentarios que se almacenen hasta que decida eliminarlos.

                        Para acceder al chat y dejar un mensaje para otros usuarios,

                          -
                        1. haga clic en el Icono Chat ícono en la barra de herramientas de la izquierda, o
                          cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Icono Chat Chat,
                        2. -
                        3. introduzca su texto en el campo correspondiente de debajo,
                        4. +
                        5. Haga clic en el Icono Chat ícono en la barra de herramientas de la izquierda, o
                          cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Icono Chat Chat,
                        6. +
                        7. introduzca su texto en el campo correspondiente debajo,
                        8. pulse el botón Enviar.

                        Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - Icono Chat.

                        @@ -46,22 +46,22 @@

                        Para dejar un comentario a un objeto determinado (cuadro de texto, forma, etc.):

                        1. seleccione un objeto que en su opinión tiene un error o problema,
                        2. -
                        3. cambie a la pestaña Insertar o Colaboración de la barra de herramientas superior y haga clic en el botón Icono Comentario Comentario, o haga
                          clic derecho en el objeto seleccioando y seleccione la opción Añadir Comentario del menú,
                        4. +
                        5. cambie a la pestaña Insertar o Colaboración de la barra de herramientas superior y haga clic en el botón Icono de Comentario Comentario, o haga
                          clic derecho en el objeto seleccioando y seleccione la opción Añadir Comentario del menú,
                        6. introduzca el texto necesario,
                        7. -
                        8. haga clic en el botón Añadir comentario/Añadir.
                        9. +
                        10. Haga clic en el botón Añadir comentario/Añadir.

                        El objeto que usted ha comentado será marcado con el icono Icono objeto comentado. Para ver el comentario, solo pulse este icono.

                        -

                        Para agregar un comentario a una determinada diapositiva, seleccione la diapositiva y utilice el botón Icono Comentario Comentario en la pestaña Insertar o Colaborar de la barra de herramientas superior. El comentario agregado se mostrará en la esquina superior izquierda de la diapositiva.

                        +

                        Para agregar un comentario a una determinada diapositiva, seleccione la diapositiva y utilice el botón Icono de Comentario Comentario en la pestaña Insertar o Colaborar de la barra de herramientas superior. El comentario agregado se mostrará en la esquina superior izquierda de la diapositiva.

                        Para crear un comentario a nivel de presentación que no esté relacionado con un determinado objeto o diapositiva, haga clic en el icono Icono Comentarios en la barra de herramientas izquierda para abrir el panel Comentarios y usar el enlace Añadir Comentario al Documento. Los comentarios a nivel de presentación se pueden ver en el panel Comentarios. Los comentarios relacionados con objetos y diapositivas también están disponibles aquí.

                        -

                        Cualquier otro usuario puede contestar al comentario añadido haciendo preguntas o informando sobre el trabajo realizado. Para hacerlo, pulse el enlace Añadir respuesta que se sitúa debajo del comentario.

                        -

                        Usted puede gestionar sus comentarios añadidos de la siguiente manera:

                        +

                        Otro usuario puede contestar al comentario añadido haciendo preguntas o informando sobre el trabajo realizado. Para hacerlo, pulse el enlace Añadir respuesta que se sitúa debajo del comentario.

                        +

                        Puede gestionar sus comentarios añadidos de esta manera:

                        • editar los comentarios pulsando en el icono Icono Editar,
                        • eliminar los comentarios pulsando en el icono Icono Borrar,
                        • -
                        • cierre la discusión pulsando en el icono Icono Resuelto si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelto. Para abrir la discusión de nuevo, haga clic en el icono Icono Abrir de nuevo.
                        • +
                        • cierre la discusión haciendo clic en el icono Icono resolver si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono Icono Abrir de nuevo.

                        Nuevos comentarios añadidos por otros usuarios se harán visibles solo después de hacer clic en el icono Icono Guardar en la esquina superior izquierda de la barra superior de herramientas.

                        -

                        Para cerrar el panel con comentarios, pulse el icono Icono Comentarios situado en la barra de herramientas izquierda una vez más.

                        +

                        Para cerrar el panel con comentarios, haga clic en el icono Icono Comentarios situado en la barra de herramientas izquierda una vez más.

                        \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/es/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/es/UsageInstructions/InsertImages.htm index c8a28e91a..8fa918a31 100644 --- a/apps/presentationeditor/main/resources/help/es/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/es/UsageInstructions/InsertImages.htm @@ -21,28 +21,28 @@
                      • en la lista de diapositivas a la izquierda, seleccione la diapositiva a la que usted quiere añadir una imagen,
                      • haga clic en el icono Icono Imagen Imagen en la pestaña de Inicio o Insertar en la barra de herramientas superior,
                      • seleccione una de las opciones siguientes para cargar la imagen:
                          -
                        • la opción Imagen desde archivo abrirá la ventana de diálogo Windows para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir
                        • +
                        • la opción Imagen desde Archivo abrirá la ventana de diálogo para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir
                        • la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK
                      • una vez que la imagen esté añadida, usted puede cambiar su tamaño y posición.

                      • -

                        Ajustes de imagen

                        -

                        Al hacer clic izquierdo en una imagen y elegir el icono Icono ajustes de imagen Ajustes de imagen a la derecha, la barra derecha lateral se activa. Esta incluye las siguientes secciones:

                        Pestaña de Ajustes de Imagen

                        Tamaño - se usa para ver el Ancho y Altura de la imagen actual o para restaurar el tamaño predeterminado si es necesario.

                        -

                        Reemplazar imagen - se usa para cargar otra imagen en vez de la actual seleccionando la fuente deseada. Usted puede seleccionar una de las siguientes opciones: De archivo o De URL.

                        -

                        Cuando se selecciona la imagen, el icono Ajustes de forma Icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente.

                        +

                        Ajustes de ajuste de imagen

                        +

                        Al hacer clic izquierdo en una imagen y elegir el icono Icono Ajustes de imagen Ajustes de imagen a la derecha, la barra derecha lateral se activa. Esta incluye las siguientes secciones:

                        Pestaña de ajustes de imagen

                        Tamaño - se usa para ver el Ancho y Altura de la imagen actual o para restaurar el tamaño predeterminado si es necesario.

                        +

                        Reemplazar imagen - se usa para cargar otra imagen en vez de la actual seleccionando la fuente deseada. Usted puede seleccionar una de las siguientes opciones: De archivo o De URL. La opción Reemplazar Imagen también está disponible en el menú de clic derecho.

                        +

                        Cuando se selecciona la imagen, el icono Ajustes de forma Icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente.

                        Pestaña Ajustes de forma


                        Para cambiar los ajustes avanzados de la imagen, haga clic con el botón derecho en la imagen y seleccione la opción Ajustes avanzados de imagen en el menú contextual o haga clic izquierdo sobre la imagen y pulse el enlace Mostrar ajustes avanzados en la barra lateral de la derecha. Se abrirá la ventana con propiedades de la imagen:

                        Propiedades de imagen

                        La pestaña Posición le permite ajustar las siguientes propiedades de imagen:

                          -
                        • Tamaño - use esta opción para cambiar el ancho/altura de la imagen. Si hace clic en el botón Icono Proporciones constantes proporciones constantes (en este caso estará así Icono de proporciones constantes activado), el ancho y altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, haga clic en el botón Tamaño Predeterminado.
                        • +
                        • Tamaño - use esta opción para cambiar el ancho/altura de la imagen. Si hace clic en el botón proporciones constantes (en este caso estará así Icono de proporciones constantes activado), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado.
                        • Posición - use esta opción para cambiar la posición de imagen en la diapositiva (la posición se calcula respecto a las partes superior e izquierda de la diapositiva).

                        Propiedades de imagen

                        -

                        La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerá a las personas con deficiencias de visión o cognitivas para ayudarles a entender mejor la información que hay en la imagen.

                        +

                        La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma.


                        Para borrar la imagen que se añadido, haga clic izquierdo sobre la imagen y pulse la tecla Delete en el teclado.

                        Para saber como alinear una imagen en la diapositiva u organizar varias imágenes, consulte la sección Alinee y organice objetos en una diapositiva.

                        diff --git a/apps/presentationeditor/main/resources/help/es/editor.css b/apps/presentationeditor/main/resources/help/es/editor.css index cf3e4f141..465b9fbe1 100644 --- a/apps/presentationeditor/main/resources/help/es/editor.css +++ b/apps/presentationeditor/main/resources/help/es/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 35%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,16 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; } \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/es/search/indexes.js b/apps/presentationeditor/main/resources/help/es/search/indexes.js index f5da591ba..cad6b389f 100644 --- a/apps/presentationeditor/main/resources/help/es/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/es/search/indexes.js @@ -13,7 +13,7 @@ var indexes = { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Edición de presentación en colaboración", - "body": "El editor de presentaciones le ofrece la posibilidad de trabajar en una presentación en colaboración con otros usuarios. Esta característica incluye: acceso simultáneo de varios usuarios a la presentación editada indicación visual de objetos que otros usuarios están editando sincronización de los cambios al hacer clic e un botón chat para compartir ideas sobre partes en concreto de una presentación comentarios que contienen la descripción de una tarea o un problema que debe resolverse Co-edición El Editor de Presentación permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios a tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior: Cuando una presentación se está editando por varios usuarios simultáneamente en el modo Estricto, los objetos editados (autoformas, objetos de texto, tablas, imágenes, gráficos) aparecen marcados con línea discontinua de diferentes colores. El objeto que está editando se rodea con una línea discontinua de color verde. Las líneas rojas discontinuas indican que los objetos se están editando por otros usuarios. Al poner el cursor del ratón sobre uno de los pasajes editados, se muestra el nombre del usuario que está editando ese objeto en este momento. El modo Rápido mostrará las acciones y los nombres de los co-editores cuando estos estén editando el texto. El número de usuarios que están trabajando en la presentación actual se especifica en la parte derecha del encabezado de editor - . Si quiere ver de forma exacta quién está editando la presentación, puede hacer clic ene ste icono o abrir el panel Chat con la lista completa de los usuarios. Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así , y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde el documento: invitar a nuevos usuarios y otorgarles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para organizar el acceso al archivo; esto se puede realizar cuando no hay otros usuarios que están viendo o co-editando el documento en este momento y cuando hay otros usuarios y el icono aparece como . También es posible establecer derechos de acceso utilizando el icono Compartir en la pestaña Colaboración de la barra de herramientas superior: Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono , los otros verán una nota dentro de la barra de estado indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono en la esquina superior izquierda de la barra de herramientas. Las actualizaciones se resaltarán para que usted pueda verificar qué se ha cambiado de forma concreta. Chat Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para asignar los párrafos a cada compañero de trabajo y especificar, que párrafo va a editar ahora usted, etc. Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido del documento es mejor usar comentarios que se almacenan hasta que decida eliminarlos. Para acceder al chat y dejar un mensaje para otros usuarios, haga clic en el ícono en la barra de herramientas de la izquierda, o cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Chat, introduzca su texto en el campo correspondiente de debajo, pulse el botón Enviar. Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - . Para cerrar el panel con mensajes de chat, haga clic en el ícono en la barra de herramientas de la izquierda o el botón Chat en la barra de herramientas superior una vez más. Comentarios Para dejar un comentario a un objeto determinado (cuadro de texto, forma, etc.): seleccione un objeto que en su opinión tiene un error o problema, cambie a la pestaña Insertar o Colaboración de la barra de herramientas superior y haga clic en el botón Comentario, o haga clic derecho en el objeto seleccioando y seleccione la opción Añadir Comentario del menú, introduzca el texto necesario, haga clic en el botón Añadir comentario/Añadir. El objeto que usted ha comentado será marcado con el icono . Para ver el comentario, solo pulse este icono. Para agregar un comentario a una determinada diapositiva, seleccione la diapositiva y utilice el botón Comentario en la pestaña Insertar o Colaborar de la barra de herramientas superior. El comentario agregado se mostrará en la esquina superior izquierda de la diapositiva. Para crear un comentario a nivel de presentación que no esté relacionado con un determinado objeto o diapositiva, haga clic en el icono en la barra de herramientas izquierda para abrir el panel Comentarios y usar el enlace Añadir Comentario al Documento. Los comentarios a nivel de presentación se pueden ver en el panel Comentarios. Los comentarios relacionados con objetos y diapositivas también están disponibles aquí. Cualquier otro usuario puede contestar al comentario añadido haciendo preguntas o informando sobre el trabajo realizado. Para hacerlo, pulse el enlace Añadir respuesta que se sitúa debajo del comentario. Usted puede gestionar sus comentarios añadidos de la siguiente manera: editar los comentarios pulsando en el icono , eliminar los comentarios pulsando en el icono , cierre la discusión pulsando en el icono si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelto. Para abrir la discusión de nuevo, haga clic en el icono . Nuevos comentarios añadidos por otros usuarios se harán visibles solo después de hacer clic en el icono en la esquina superior izquierda de la barra superior de herramientas. Para cerrar el panel con comentarios, pulse el icono situado en la barra de herramientas izquierda una vez más." + "body": "El editor de presentaciones le ofrece la posibilidad de trabajar en una presentación en colaboración con otros usuarios. Esta función incluye: acceso simultáneo de varios usuarios a la presentación editada indicación visual de objetos que otros usuarios están editando visualización de cambios en tiempo real o sincronización de cambios al pulsar un botón chat para compartir ideas sobre partes en concreto de una presentación comentarios que contienen la descripción de una tarea o un problema que hay que resolver Co-edición El Editor de Presentación permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior: Cuando una presentación se está editando por varios usuarios simultáneamente en el modo Estricto, los objetos editados (autoformas, objetos de texto, tablas, imágenes, gráficos) aparecen marcados con línea discontinua de diferentes colores. El objeto que está editando se rodea con una línea discontinua de color verde. Las líneas rojas discontinuas indican que los objetos se están editando por otros usuarios. Al poner el cursor del ratón sobre uno de los pasajes editados se muestra el nombre del usuario que está editandolo en este momento. El modo Rápido mostrará las acciones y los nombres de los coeditores cuando ellos están editando el texto. El número de usuarios que están trabajando en la presentación actual se especifica en la parte derecha del encabezado de editor - . Si quiere ver quién está editando el archivo en ese preciso momento, pulse este icono o abrir el panel Chat con la lista completa de los usuarios. Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así , y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde el documento: invitar a nuevos usuarios y otorgarles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para manejar acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando el documento en este momento y cuando hay otros usuarios y el icono parece como . También es posible establecer derechos de acceso utilizando el icono Compartir en la pestaña Colaboración de la barra de herramientas superior: Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono , los otros verán una nota dentro de la barra de estado indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Las actualizaciones se resaltarán para que usted pueda verificar qué se ha cambiado de forma concreta. Chat Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para asignar los párrafos a cada compañero de trabajo y especificar, que párrafo va a editar ahora usted. Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido del documento es mejor usar comentarios que se almacenen hasta que decida eliminarlos. Para acceder al chat y dejar un mensaje para otros usuarios, Haga clic en el ícono en la barra de herramientas de la izquierda, o cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Chat, introduzca su texto en el campo correspondiente debajo, pulse el botón Enviar. Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - . Para cerrar el panel con mensajes de chat, haga clic en el ícono en la barra de herramientas de la izquierda o el botón Chat en la barra de herramientas superior una vez más. Comentarios Para dejar un comentario a un objeto determinado (cuadro de texto, forma, etc.): seleccione un objeto que en su opinión tiene un error o problema, cambie a la pestaña Insertar o Colaboración de la barra de herramientas superior y haga clic en el botón Comentario, o haga clic derecho en el objeto seleccioando y seleccione la opción Añadir Comentario del menú, introduzca el texto necesario, Haga clic en el botón Añadir comentario/Añadir. El objeto que usted ha comentado será marcado con el icono . Para ver el comentario, solo pulse este icono. Para agregar un comentario a una determinada diapositiva, seleccione la diapositiva y utilice el botón Comentario en la pestaña Insertar o Colaborar de la barra de herramientas superior. El comentario agregado se mostrará en la esquina superior izquierda de la diapositiva. Para crear un comentario a nivel de presentación que no esté relacionado con un determinado objeto o diapositiva, haga clic en el icono en la barra de herramientas izquierda para abrir el panel Comentarios y usar el enlace Añadir Comentario al Documento. Los comentarios a nivel de presentación se pueden ver en el panel Comentarios. Los comentarios relacionados con objetos y diapositivas también están disponibles aquí. Otro usuario puede contestar al comentario añadido haciendo preguntas o informando sobre el trabajo realizado. Para hacerlo, pulse el enlace Añadir respuesta que se sitúa debajo del comentario. Puede gestionar sus comentarios añadidos de esta manera: editar los comentarios pulsando en el icono , eliminar los comentarios pulsando en el icono , cierre la discusión haciendo clic en el icono si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono . Nuevos comentarios añadidos por otros usuarios se harán visibles solo después de hacer clic en el icono en la esquina superior izquierda de la barra superior de herramientas. Para cerrar el panel con comentarios, haga clic en el icono situado en la barra de herramientas izquierda una vez más." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -123,7 +123,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Inserte y ajuste imágenes", - "body": "Inserte una imagen En el editor de presentaciones, usted puede insertar las imágenes en su presentación con los formatos más populares. Los siguientes formatos de imágenes son compatibles: BMP, GIF, JPEG, JPG, PNG. Para añadir una imagen a una diapositiva, en la lista de diapositivas a la izquierda, seleccione la diapositiva a la que usted quiere añadir una imagen, haga clic en el icono Imagen en la pestaña de Inicio o Insertar en la barra de herramientas superior, seleccione una de las opciones siguientes para cargar la imagen: la opción Imagen desde archivo abrirá la ventana de diálogo Windows para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK una vez que la imagen esté añadida, usted puede cambiar su tamaño y posición. Ajustes de imagen Al hacer clic izquierdo en una imagen y elegir el icono Ajustes de imagen a la derecha, la barra derecha lateral se activa. Esta incluye las siguientes secciones:Tamaño - se usa para ver el Ancho y Altura de la imagen actual o para restaurar el tamaño predeterminado si es necesario. Reemplazar imagen - se usa para cargar otra imagen en vez de la actual seleccionando la fuente deseada. Usted puede seleccionar una de las siguientes opciones: De archivo o De URL. Cuando se selecciona la imagen, el icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente. Para cambiar los ajustes avanzados de la imagen, haga clic con el botón derecho en la imagen y seleccione la opción Ajustes avanzados de imagen en el menú contextual o haga clic izquierdo sobre la imagen y pulse el enlace Mostrar ajustes avanzados en la barra lateral de la derecha. Se abrirá la ventana con propiedades de la imagen: La pestaña Posición le permite ajustar las siguientes propiedades de imagen: Tamaño - use esta opción para cambiar el ancho/altura de la imagen. Si hace clic en el botón proporciones constantes (en este caso estará así ), el ancho y altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, haga clic en el botón Tamaño Predeterminado. Posición - use esta opción para cambiar la posición de imagen en la diapositiva (la posición se calcula respecto a las partes superior e izquierda de la diapositiva). La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerá a las personas con deficiencias de visión o cognitivas para ayudarles a entender mejor la información que hay en la imagen. Para borrar la imagen que se añadido, haga clic izquierdo sobre la imagen y pulse la tecla Delete en el teclado. Para saber como alinear una imagen en la diapositiva u organizar varias imágenes, consulte la sección Alinee y organice objetos en una diapositiva." + "body": "Inserte una imagen En el editor de presentaciones, usted puede insertar las imágenes en su presentación con los formatos más populares. Los siguientes formatos de imágenes son compatibles: BMP, GIF, JPEG, JPG, PNG. Para añadir una imagen a una diapositiva, en la lista de diapositivas a la izquierda, seleccione la diapositiva a la que usted quiere añadir una imagen, haga clic en el icono Imagen en la pestaña de Inicio o Insertar en la barra de herramientas superior, seleccione una de las opciones siguientes para cargar la imagen: la opción Imagen desde Archivo abrirá la ventana de diálogo para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK una vez que la imagen esté añadida, usted puede cambiar su tamaño y posición. Ajustes de ajuste de imagen Al hacer clic izquierdo en una imagen y elegir el icono Ajustes de imagen a la derecha, la barra derecha lateral se activa. Esta incluye las siguientes secciones:Tamaño - se usa para ver el Ancho y Altura de la imagen actual o para restaurar el tamaño predeterminado si es necesario. Reemplazar imagen - se usa para cargar otra imagen en vez de la actual seleccionando la fuente deseada. Usted puede seleccionar una de las siguientes opciones: De archivo o De URL. La opción Reemplazar Imagen también está disponible en el menú de clic derecho. Cuando se selecciona la imagen, el icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente. Para cambiar los ajustes avanzados de la imagen, haga clic con el botón derecho en la imagen y seleccione la opción Ajustes avanzados de imagen en el menú contextual o haga clic izquierdo sobre la imagen y pulse el enlace Mostrar ajustes avanzados en la barra lateral de la derecha. Se abrirá la ventana con propiedades de la imagen: La pestaña Posición le permite ajustar las siguientes propiedades de imagen: Tamaño - use esta opción para cambiar el ancho/altura de la imagen. Si hace clic en el botón proporciones constantes (en este caso estará así ), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado. Posición - use esta opción para cambiar la posición de imagen en la diapositiva (la posición se calcula respecto a las partes superior e izquierda de la diapositiva). La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma. Para borrar la imagen que se añadido, haga clic izquierdo sobre la imagen y pulse la tecla Delete en el teclado. Para saber como alinear una imagen en la diapositiva u organizar varias imágenes, consulte la sección Alinee y organice objetos en una diapositiva." }, { "id": "UsageInstructions/InsertTables.htm", diff --git a/apps/presentationeditor/main/resources/help/es/search/search.html b/apps/presentationeditor/main/resources/help/es/search/search.html index 318efd8e2..5ecef254f 100644 --- a/apps/presentationeditor/main/resources/help/es/search/search.html +++ b/apps/presentationeditor/main/resources/help/es/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                        ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index 46f435960..c1bfdff0a 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -18,7 +18,7 @@

                        @@ -29,7 +29,7 @@

                        Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés (formes automatiques, objets textuels, tableaux, images, graphiques) sont marqués avec des lignes pointillées de couleurs différentes. L'objet que vous modifiez actuellement est entouré d'une ligne pointillée verte. Les lignes pointillées rouges indiquent les objets en train d'être modifiés par d'autres utilisateurs. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte.

                        Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - Icône Nombre d'utilisateurs. S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

                        Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence Icône Gérer les droits d'accès au document et vous permettra de gérer les utilisateurs qui ont accès au fichier depuis le document: inviter de nouveaux utilisateurs en leur donnant un accès complet ou en lecture seule ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier ; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci Icône Nombre d'utilisateurs. Il est également possible de définir des droits d'accès à l'aide de l'icône Icône Partage Partage dans l'onglet Collaboration de la barre d'outils supérieure.

                        -

                        Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône Icône Enregistrer, les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et installer des mises à jour cliquez sur l'icône Icône Enregistrer dans le coin gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié.

                        +

                        Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône Icône Enregistrer, les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône Icône Enregistrer dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié.

                        Chat

                        Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc.

                        Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer.

                        diff --git a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm index 4755c748e..29456cf06 100644 --- a/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/fr/UsageInstructions/InsertImages.htm @@ -19,10 +19,10 @@

                        Pour ajouter une image à une diapositive,

                        1. sélectionnez la diapositive à laquelle vous voulez ajouter une image dans la liste des diapositives à gauche,
                        2. -
                        3. cliquez sur l'icône icône Insérer une image Image dans l'onglet Accueil ou Insertion de la barre d'outils supérieure,
                        4. +
                        5. cliquez sur l'icône icône Image Image dans l'onglet Accueil ou Insertion de la barre d'outils supérieure,
                        6. sélectionnez l'une des options suivantes pour charger l'image :
                            -
                          • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue Windows standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir
                          • -
                          • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image. Saisissez l'adresse Web souhaitée et cliquez sur le bouton OK
                          • +
                          • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir
                          • +
                          • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK
                        7. une fois l'image ajoutée, vous pouvez modifier sa taille et sa position.
                        8. @@ -30,7 +30,7 @@

                          Ajuster les paramètres de l'image

                          La barre latérale droite est activée lorsque vous cliquez avec le bouton gauche sur une image et sélectionnez l'icône Paramètres de l'image Paramètres de l'image à droite. Elle comporte les sections suivantes :

                          Onglet Paramètres de l'image

                          Taille - permet d'afficher la Largeur et la Hauteur de l'image actuelle ou de restaurer la Taille par défaut de l'image si nécessaire.

                          -

                          Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes : A partir du fichier ou A partir de l'URL.

                          +

                          Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes : A partir du fichier ou A partir de l'URL. L'option Remplacer l'image est également disponible dans le menu contextuel.

                          Lorsque l'image est sélectionnée, l'icône Paramètres de la forme Paramètres de forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type de contour, la taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence.

                          Onglet Paramètres de la forme


                          @@ -38,7 +38,7 @@

                          Propriétés de l'image

                          L'onglet Placement vous permet de régler les paramètres suivants :

                            -
                          • Taille - utilisez cette options pour modifier la largeur/hauteur de l'image. Si le bouton Proportions constantes Icône Proportions constantes est cliqué(auquel cas il ressemble à ceci Icône Proportions constantes activée), les proportions d'image originales seront préservées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut.
                          • +
                          • Taille - utilisez cette options pour modifier la largeur/hauteur de l'image. Si le bouton Proportions constantes Icône Proportions constantes est cliqué(auquel cas il ressemble à ceci Icône Proportions constantes activée), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut.
                          • Position - utilisez cette option pour modifier la position de l'image sur la diapositive (la position est calculée à partir des côtés supérieur et gauche de la diapositive).

                          Propriétés de l'image

                          diff --git a/apps/presentationeditor/main/resources/help/fr/editor.css b/apps/presentationeditor/main/resources/help/fr/editor.css index 0b550e306..d6676f168 100644 --- a/apps/presentationeditor/main/resources/help/fr/editor.css +++ b/apps/presentationeditor/main/resources/help/fr/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 35%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,16 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; } \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/search/indexes.js b/apps/presentationeditor/main/resources/help/fr/search/indexes.js index b66ab15c0..93ccea26e 100644 --- a/apps/presentationeditor/main/resources/help/fr/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/fr/search/indexes.js @@ -13,7 +13,7 @@ var indexes = { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Edition collaborative des présentations", - "body": "Presentation Editor vous offre la possibilité de travailler sur votre présentation simultanément avec d'autres utilisateurs. Cette fonction inclut : accès simultané à la présentation éditée par plusieurs utilisateurs indication visuelle des objets qui sont en train d'être édités par d'autres utilisateurs synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties de la présentation commentaires avec la description d'une tâche ou d'un problème à résoudre Edition collaborative Presentation Editor permet de sélectionner l'un des deux modes de coédition disponibles. Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés (formes automatiques, objets textuels, tableaux, images, graphiques) sont marqués avec des lignes pointillées de couleurs différentes. L'objet que vous modifiez actuellement est entouré d'une ligne pointillée verte. Les lignes pointillées rouges indiquent les objets en train d'être modifiés par d'autres utilisateurs. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence et vous permettra de gérer les utilisateurs qui ont accès au fichier depuis le document: inviter de nouveaux utilisateurs en leur donnant un accès complet ou en lecture seule ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier ; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et installer des mises à jour cliquez sur l'icône dans le coin gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs : cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône dans la barre latérale gauche ou sur le bouton Chat dans la barre d'outils supérieure. Commentaires Pour laisser un commentaire à un certain objet (zone de texte, forme etc.): sélectionnez l'objet que vous voulez commenter, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou cliquez avec le bouton droit sur l'objet sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. L'objet que vous commentez sera marqué par l'icône . Pour lire le commentaire, il suffit de cliquer sur cette icône. Pour ajouter un commentaire à une diapositive donnée, sélectionnez la diapositive et utilisez le bouton Commentaire dans l'onglet Insertion ou Collaboration de la barre d'outils supérieure. Le commentaire ajouté sera affiché dans le coin supérieur gauche de la diapositive. Pour créer un commentaire de niveau présentation qui n'est pas lié à un objet ou une diapositive spécifique, cliquez sur l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et utilisez le lien Ajouter un commentaire au document. Les commentaires au niveau de la présentation peuvent être consultés dans le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives y sont également disponibles. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire. Pour gérer les commentaires ajoutés, procédez de la manière suivante : pour les modifier, cliquez sur l'icône , pour les supprimer, cliquez sur l'icône , fermez la discussion en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin gauche de la barre supérieure. Pour fermer le panneau avec les commentaires cliquez sur l'icône encore une fois." + "body": "Presentation Editor vous offre la possibilité de travailler sur votre présentation simultanément avec d'autres utilisateurs. Cette fonction inclut : accès simultané à la présentation éditée par plusieurs utilisateurs indication visuelle des objets qui sont en train d'être édités par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties de la présentation commentaires avec la description d'une tâche ou d'un problème à résoudre Edition collaborative Presentation Editor permet de sélectionner l'un des deux modes de coédition disponibles. Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés (formes automatiques, objets textuels, tableaux, images, graphiques) sont marqués avec des lignes pointillées de couleurs différentes. L'objet que vous modifiez actuellement est entouré d'une ligne pointillée verte. Les lignes pointillées rouges indiquent les objets en train d'être modifiés par d'autres utilisateurs. Pour voir qui est en train d'éditer le fichier au présent, placez le curseur de la souris sur cette icône - les noms des utilisateurs seront affichés dans la fenêtre contextuelle. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte. Le nombre d'utilisateurs qui travaillent sur le document actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Quand aucun utilisateur ne consulte ou ne modifie le fichier, l'icône dans l'en-tête de l'éditeur aura cette apparence et vous permettra de gérer les utilisateurs qui ont accès au fichier depuis le document: inviter de nouveaux utilisateurs en leur donnant un accès complet ou en lecture seule ou refuser à certains utilisateurs des droits d'accès au fichier. Cliquez sur cette icône pour gérer l'accès au fichier ; cela peut être fait aussi bien lorsqu'il n'y a pas d'autres utilisateurs qui voient ou co-éditent le document pour le moment que quand il y a d'autres utilisateurs. L'icône ressemble à ceci . Il est également possible de définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs : cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône dans la barre latérale gauche ou sur le bouton Chat dans la barre d'outils supérieure. Commentaires Pour laisser un commentaire à un certain objet (zone de texte, forme etc.): sélectionnez l'objet que vous voulez commenter, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou cliquez avec le bouton droit sur l'objet sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. L'objet que vous commentez sera marqué par l'icône . Pour lire le commentaire, il suffit de cliquer sur cette icône. Pour ajouter un commentaire à une diapositive donnée, sélectionnez la diapositive et utilisez le bouton Commentaire dans l'onglet Insertion ou Collaboration de la barre d'outils supérieure. Le commentaire ajouté sera affiché dans le coin supérieur gauche de la diapositive. Pour créer un commentaire de niveau présentation qui n'est pas lié à un objet ou une diapositive spécifique, cliquez sur l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et utilisez le lien Ajouter un commentaire au document. Les commentaires au niveau de la présentation peuvent être consultés dans le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives y sont également disponibles. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire. Pour gérer les commentaires ajoutés, procédez de la manière suivante : pour les modifier, cliquez sur l'icône , pour les supprimer, cliquez sur l'icône , fermez la discussion en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin gauche de la barre supérieure. Pour fermer le panneau avec les commentaires cliquez sur l'icône encore une fois." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -123,7 +123,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer et modifier des images", - "body": "Insérer une image Presentation Editor vous permet d'insérer des images aux formats populaires dans votre présentation. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Pour ajouter une image à une diapositive, sélectionnez la diapositive à laquelle vous voulez ajouter une image dans la liste des diapositives à gauche, cliquez sur l'icône Image dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue Windows standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image. Saisissez l'adresse Web souhaitée et cliquez sur le bouton OK une fois l'image ajoutée, vous pouvez modifier sa taille et sa position. Ajuster les paramètres de l'image La barre latérale droite est activée lorsque vous cliquez avec le bouton gauche sur une image et sélectionnez l'icône Paramètres de l'image à droite. Elle comporte les sections suivantes :Taille - permet d'afficher la Largeur et la Hauteur de l'image actuelle ou de restaurer la Taille par défaut de l'image si nécessaire. Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes : A partir du fichier ou A partir de l'URL. Lorsque l'image est sélectionnée, l'icône Paramètres de forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type de contour, la taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Pour changer les paramètres avancés de l'image, cliquez sur celle ci avec le bouton droit et sélectionnez l'option Paramètres avancés dans le menu ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre des propriétés de l'image sera ouverte : L'onglet Placement vous permet de régler les paramètres suivants : Taille - utilisez cette options pour modifier la largeur/hauteur de l'image. Si le bouton Proportions constantes est cliqué(auquel cas il ressemble à ceci ), les proportions d'image originales seront préservées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. Position - utilisez cette option pour modifier la position de l'image sur la diapositive (la position est calculée à partir des côtés supérieur et gauche de la diapositive). 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 de l'image. Pour supprimer une image insérée, sélectionnez-la avec la souris et appuyez sur la touche Suppr. Pour apprendre à aligner une image sur la diapositive ou à organiser plusieurs images, reportez-vous à la section Aligner et organiser les objets dans une diapositive." + "body": "Insérer une image Presentation Editor vous permet d'insérer des images aux formats populaires dans votre présentation. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Pour ajouter une image à une diapositive, sélectionnez la diapositive à laquelle vous voulez ajouter une image dans la liste des diapositives à gauche, cliquez sur l'icône Image dans l'onglet Accueil ou Insertion de la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK une fois l'image ajoutée, vous pouvez modifier sa taille et sa position. Ajuster les paramètres de l'image La barre latérale droite est activée lorsque vous cliquez avec le bouton gauche sur une image et sélectionnez l'icône Paramètres de l'image à droite. Elle comporte les sections suivantes :Taille - permet d'afficher la Largeur et la Hauteur de l'image actuelle ou de restaurer la Taille par défaut de l'image si nécessaire. Remplacer l'image - est utilisé pour charger une autre image à la place de celle en cours en sélectionnant la source désirée. Vous pouvez choisir parmi les options suivantes : A partir du fichier ou A partir de l'URL. L'option Remplacer l'image est également disponible dans le menu contextuel. Lorsque l'image est sélectionnée, l'icône Paramètres de forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type de contour, la taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Pour changer les paramètres avancés de l'image, cliquez sur celle ci avec le bouton droit et sélectionnez l'option Paramètres avancés dans le menu ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre des propriétés de l'image sera ouverte : L'onglet Placement vous permet de régler les paramètres suivants : Taille - utilisez cette options pour modifier la largeur/hauteur de l'image. Si le bouton Proportions constantes est cliqué(auquel cas il ressemble à ceci ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. Position - utilisez cette option pour modifier la position de l'image sur la diapositive (la position est calculée à partir des côtés supérieur et gauche de la diapositive). 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 de l'image. Pour supprimer une image insérée, sélectionnez-la avec la souris et appuyez sur la touche Suppr. Pour apprendre à aligner une image sur la diapositive ou à organiser plusieurs images, reportez-vous à la section Aligner et organiser les objets dans une diapositive." }, { "id": "UsageInstructions/InsertTables.htm", diff --git a/apps/presentationeditor/main/resources/help/fr/search/search.html b/apps/presentationeditor/main/resources/help/fr/search/search.html index ac32537c0..4dc05a3f9 100644 --- a/apps/presentationeditor/main/resources/help/fr/search/search.html +++ b/apps/presentationeditor/main/resources/help/fr/search/search.html @@ -5,6 +5,7 @@ + @@ -89,7 +90,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                          ').text(info.body.substring(0, 250) + "...")) @@ -123,7 +125,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -133,7 +135,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm index 9fc0595ba..6dd634f00 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/About.htm @@ -16,9 +16,8 @@

                          О редакторе презентаций

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

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

                          -

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

                          + сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF, ODP, POTX, PDF/A, OTP.

                          +

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

                          \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm index 9ff9a71ea..05dad654a 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm @@ -19,7 +19,7 @@
                          • Альтернативный ввод - используется для включения/отключения иероглифов.
                          • Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на слайде.
                          • -
                          • Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании.
                          • +
                          • Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы.
                          • Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования:
                              diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm index 1895eafba..45a012493 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm @@ -14,21 +14,33 @@

                              Совместное редактирование презентаций

                              -

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

                              +

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

                              • одновременный многопользовательский доступ к редактируемой презентации
                              • визуальная индикация объектов, которые редактируются другими пользователями
                              • мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки
                              • чат для обмена идеями по поводу отдельных частей презентации
                              • -
                              • комментарии, содержащие описание задачи или проблемы, которую необходимо решить
                              • +
                              • комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии)
                              +
                              +

                              Подключение к онлайн-версии

                              +

                              В десктопном редакторе необходимо открыть пункт меню {{COEDITING_DESKTOP}} на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи.

                              +

                              Совместное редактирование

                              -

                              В редакторе презентаций можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить Значок Сохранить, чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Значок Режим совместного редактирования Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов:

                              +

                              В редакторе презентаций можно выбрать один из двух доступных режимов совместного редактирования.

                              +
                                +
                              • Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени.
                              • +
                              • Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить Значок Сохранить, чтобы сохранить ваши изменения и принять изменения, внесенные другими.
                              • +
                              +

                              Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Значок Режим совместного редактирования Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов:

                              Меню Режим совместного редактирования

                              +

                              + Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие. +

                              Когда презентацию редактируют одновременно несколько пользователей в Строгом режиме, редактируемые объекты (автофигуры, текстовые объекты, таблицы, изображения, диаграммы) помечаются пунктирными линиями разных цветов. Объект, который редактируете Вы, окружен зеленой пунктирной линией. Красные пунктирные линии означают, что объекты редактируются другими пользователями. При наведении курсора мыши на один из редактируемых объектов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования.

                              Количество пользователей, которые в данный момент работают над текущей презентацией, отображается в правой части шапки редактора - Значок Количество пользователей. Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей.

                              -

                              Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: Значок Управление правами доступа к документу. С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им полный доступ или доступ только для чтения, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: Значок Количество пользователей. Права доступа также можно задать, используя значок Значок Совместный доступ Совместный доступ на вкладке Совместная работа верхней панели инструментов.

                              +

                              Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: Значок Управление правами доступа к документу. С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование презентации, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: Значок Количество пользователей. Права доступа также можно задать, используя значок Значок Совместный доступ Совместный доступ на вкладке Совместная работа верхней панели инструментов.

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

                              Чат

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

                              @@ -46,6 +58,7 @@

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

                              Комментарии

                              +

                              Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии.

                              Чтобы оставить комментарий к определенному объекту (текстовому полю, фигуре и так далее):

                              1. выделите объект, в котором, по Вашему мнению, содержится какая-то ошибка или проблема,
                              2. diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm index 87df74811..a54f99c2d 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/KeyboardShortcuts.htm @@ -7,6 +7,8 @@ + +
                                @@ -14,517 +16,621 @@

                                Сочетания клавиш

                                - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - +
                                  +
                                • Windows/Linux
                                • + +
                                • Mac OS
                                • +
                                +
                                Работа с презентацией
                                Открыть панель 'Файл'Alt+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущую презентацию, просмотреть сведения о ней, создать новую презентацию или открыть существующую, получить доступ к Справке по онлайн-редактору презентаций или дополнительным параметрам.
                                Открыть окно 'Поиск'Ctrl+FОткрыть диалоговое окно Поиск, чтобы начать поиск символа/слова/фразы в редактируемой презентации.
                                Открыть панель 'Комментарии'Ctrl+Shift+HОткрыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                                Открыть поле комментарияAlt+HОткрыть поле ввода данных, в котором можно добавить текст комментария.
                                Открыть панель 'Чат'Alt+QОткрыть панель Чат и отправить сообщение.
                                Сохранить презентациюCtrl+SСохранить все изменения в редактируемой презентации. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                                Печать презентацииCtrl+PРаспечатать презентацию на одном из доступных принтеров или сохранить в файл.
                                Скачать как...Ctrl+Shift+SОткрыть панель Скачать как..., чтобы сохранить редактируемую презентацию на жестком диске компьютера в одном из поддерживаемых форматов: PPTX, PDF, ODP.
                                Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор презентаций на весь экран.
                                + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - - + + + + + + + + + - + + - - - + - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - + + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - + + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + - + + - + + - + + - + + - + + - + + - + + + + + + - + + - + + - + + - + + -
                                Работа с презентацией
                                Открыть панель 'Файл'Alt+F⌥ Option+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущую презентацию, просмотреть сведения о ней, создать новую презентацию или открыть существующую, получить доступ к Справке по онлайн-редактору презентаций или дополнительным параметрам.
                                Открыть окно 'Поиск'Ctrl+F^ Ctrl+F,
                                ⌘ Cmd+F
                                Открыть диалоговое окно Поиск, чтобы начать поиск символа/слова/фразы в редактируемой презентации.
                                Открыть панель 'Комментарии'Ctrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                                ⌘ Cmd+⇧ Shift+H
                                Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                                Открыть поле комментарияAlt+H⌥ Option+HОткрыть поле ввода данных, в котором можно добавить текст комментария.
                                Открыть панель 'Чат'Alt+Q⌥ Option+QОткрыть панель Чат и отправить сообщение.
                                Сохранить презентациюCtrl+S^ Ctrl+S,
                                ⌘ Cmd+S
                                Сохранить все изменения в редактируемой презентации. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                                Печать презентацииCtrl+P^ Ctrl+P,
                                ⌘ Cmd+P
                                Распечатать презентацию на одном из доступных принтеров или сохранить в файл.
                                Скачать как...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                                ⌘ Cmd+⇧ Shift+S
                                Открыть панель Скачать как..., чтобы сохранить редактируемую презентацию на жестком диске компьютера в одном из поддерживаемых форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                                Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор презентаций на весь экран.
                                Вызов справкиF1F1F1 Открыть меню Справка онлайн-редактора презентаций.
                                Открыть существующий файлCtrl+OОткрыть существующий файл (десктопные редакторы)Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла.
                                Закрыть файл (десктопные редакторы)Ctrl+W,
                                Ctrl+F4
                                ^ Ctrl+W,
                                ⌘ Cmd+W
                                Закрыть выбранную презентацию в десктопных редакторах.
                                Контекстное меню элементаShift+F10⇧ Shift+F10⇧ Shift+F10 Открыть контекстное меню выбранного элемента.
                                Закрыть файлCtrl+WЗакрыть выбранную презентацию.Навигация
                                Закрыть окно (вкладку)Ctrl+F4Закрыть вкладку в браузере.Первый слайдHomeHome,
                                Fn+
                                Перейти к первому слайду редактируемой презентации.
                                Последний слайдEndEnd,
                                Fn+
                                Перейти к последнему слайду редактируемой презентации.
                                Следующий слайдPage DownPage Down,
                                Fn+
                                Перейти к следующему слайду редактируемой презентации.
                                Предыдущий слайдPage UpPage Up,
                                Fn+
                                Перейти к предыдущему слайду редактируемой презентации.
                                Увеличить масштабCtrl++^ Ctrl+=,
                                ⌘ Cmd+=
                                Увеличить масштаб редактируемой презентации.
                                Уменьшить масштабCtrl+-^ Ctrl+-,
                                ⌘ Cmd+-
                                Уменьшить масштаб редактируемой презентации.
                                Навигация
                                Первый слайдHomeПерейти к первому слайду редактируемой презентации.
                                Последний слайдEndПерейти к последнему слайду редактируемой презентации.
                                Следующий слайдPage DownПерейти к следующему слайду редактируемой презентации.
                                Предыдущий слайдPage UpПерейти к предыдущему слайду редактируемой презентации.
                                Увеличить масштабCtrl+Знак "Плюс" (+)Увеличить масштаб редактируемой презентации.
                                Уменьшить масштабCtrl+Знак "Минус" (-)Уменьшить масштаб редактируемой презентации.
                                Выполнение действий со слайдамиВыполнение действий со слайдами
                                Новый слайдCtrl+M^ Ctrl+MСоздать новый слайд и добавить его после выделенного в списке слайдов.
                                Дублировать слайдCtrl+D⌘ Cmd+DДублировать выделенный в списке слайд.
                                Переместить слайд вверхCtrl+⌘ Cmd+Поместить выделенный слайд над предыдущим в списке.
                                Переместить слайд внизCtrl+⌘ Cmd+Поместить выделенный слайд под последующим в списке.
                                Переместить слайд в началоCtrl+⇧ Shift+⌘ Cmd+⇧ Shift+Переместить выделенный слайд в самое начало списка.
                                Переместить слайд в конецCtrl+⇧ Shift+⌘ Cmd+⇧ Shift+Переместить выделенный слайд в самый конец списка.
                                Выполнение действий с объектами
                                Создать копиюCtrl + перетаскивание,
                                Ctrl+D
                                ^ Ctrl + перетаскивание,
                                ^ Ctrl+D,
                                ⌘ Cmd+D
                                Удерживайте клавишу Ctrl при перетаскивании выбранного объекта или нажмите Ctrl+D (⌘ Cmd+D для Mac), чтобы создать копию объекта.
                                СгруппироватьCtrl+G⌘ Cmd+GСгруппировать выделенные объекты.
                                РазгруппироватьCtrl+⇧ Shift+G⌘ Cmd+⇧ Shift+GРазгруппировать выбранную группу объектов.
                                Новый слайдCtrl+MСоздать новый слайд и добавить его после выделенного в списке слайдов.
                                Дублировать слайдCtrl+DДублировать выделенный в списке слайд.
                                Переместить слайд вверхCtrl+Стрелка вверхПоместить выделенный слайд над предыдущим в списке.
                                Переместить слайд внизCtrl+Стрелка внизПоместить выделенный слайд под последующим в списке.
                                Переместить слайд в началоCtrl+Shift+Стрелка вверхПереместить выделенный слайд в самое начало списка.
                                Переместить слайд в конецCtrl+Shift+Стрелка внизПереместить выделенный слайд в самый конец списка.
                                Выполнение действий с объектами
                                Создать копиюCtrl+перетаскивание или Ctrl+DУдерживайте клавишу Ctrl при перетаскивании выбранного объекта или нажмите Ctrl+D, чтобы создать копию объекта.
                                СгруппироватьCtrl+GСгруппировать выделенные объекты.
                                РазгруппироватьCtrl+Shift+GРазгруппировать выбранную группу объектов.
                                Выделить следующий объектTab↹ Tab↹ Tab Выделить следующий объект после выбранного в данный момент.
                                Выделить предыдущий объектShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Выделить предыдущий объект перед выбранным в данный момент.
                                Нарисовать прямую линию или стрелкуShift+перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов.
                                Модификация объектов
                                Ограничить движениеShift+перетаскиваниеОграничить перемещение выбранного объекта по горизонтали или вертикали.
                                Задать угол поворота в 15 градусовShift+перетаскивание (при поворачивании)Ограничить угол поворота шагом в 15 градусов.
                                Сохранять пропорцииShift+перетаскивание (при изменении размера)Сохранять пропорции выбранного объекта при изменении размера.
                                Попиксельное перемещениеCtrl+Клавиши со стрелкамиУдерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.
                                Работа с таблицамиМодификация объектов
                                Ограничить движение⇧ Shift + перетаскивание⇧ Shift + перетаскиваниеОграничить перемещение выбранного объекта по горизонтали или вертикали.
                                Задать угол поворота в 15 градусов⇧ Shift + перетаскивание (при поворачивании)⇧ Shift + перетаскивание (при поворачивании)Ограничить угол поворота шагом в 15 градусов.
                                Сохранять пропорции⇧ Shift + перетаскивание (при изменении размера)⇧ Shift + перетаскивание (при изменении размера)Сохранять пропорции выбранного объекта при изменении размера.
                                Попиксельное перемещениеCtrl+ ⌘ Cmd+ Удерживайте клавишу Ctrl (⌘ Cmd для Mac) и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.
                                Работа с таблицами
                                Перейти к следующей ячейке в строкеTab↹ Tab↹ Tab Перейти к следующей ячейке в строке таблицы.
                                Перейти к предыдущей ячейке в строкеShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Перейти к предыдущей ячейке в строке таблицы.
                                Перейти к следующей строкеСтрелка вниз Перейти к следующей строке таблицы.
                                Перейти к предыдущей строкеСтрелка вверх Перейти к предыдущей строке таблицы.
                                Начать новый абзацEnter↵ Enter↵ Return Начать новый абзац внутри ячейки.
                                Добавить новую строкуTab в правой нижней ячейке таблицы.↹ Tab в правой нижней ячейке таблицы.↹ Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы.
                                Просмотр презентации
                                Начать просмотр с началаCtrl+F5Запустить презентацию с начала.
                                Перейти впередEnter, Page Down, Стрелка вправо, Стрелка вниз или ПробелПоказать следующий эффект перехода или перейти к следующему слайду.
                                Перейти назадPage Up, Стрелка влево, Стрелка вверхПоказать предыдущий эффект перехода или вернуться к предыдущему слайду.
                                Закрыть просмотрEscЗакончить просмотр слайдов.
                                Отмена и повтор
                                ОтменитьCtrl+ZОтменить последнее выполненное действие.
                                ПовторитьCtrl+YПовторить последнее отмененное действие.
                                Вырезание, копирование и вставка
                                ВырезатьCtrl+X, Shift+DeleteВырезать выделенный объект и отправить его в буфер обмена компьютера. Вырезанный объект можно затем вставить в другое место этой же презентации.
                                КопироватьCtrl+C, Ctrl+InsertОтправить выделенный объект и в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации.
                                ВставитьCtrl+V, Shift+InsertВставить ранее скопированный объект из буфера обмена компьютера в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации.
                                Вставить гиперссылкуCtrl+KВставить гиперссылку, которую можно использовать для перехода по веб-адресу или для перехода на определенный слайд этой презентации.
                                Копировать форматированиеCtrl+Shift+CСкопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этой же презентации.
                                Применить форматированиеCtrl+Shift+VПрименить ранее скопированное форматирование к тексту редактируемого текстового поля.
                                Выделение с помощью мыши
                                Добавить в выделенный фрагментShiftНачните выделение, удерживайте клавишу Shift и щелкните там, где требуется закончить выделение.
                                Выделение с помощью клавиатуры
                                Выделить всеCtrl+AВыделить все слайды (в списке слайдов), или все объекты на слайде (в области редактирования слайда), или весь текст (внутри текстового поля) - в зависимости от того, где установлен курсор мыши.
                                Выделить фрагмент текстаShift+СтрелкаВыделить текст посимвольно.
                                Выделить текст с позиции курсора до начала строкиShift+HomeВыделить фрагмент текста с позиции курсора до начала текущей строки.
                                Выделить текст с позиции курсора до конца строкиShift+EndВыделить фрагмент текста с позиции курсора до конца текущей строки.
                                Просмотр презентации
                                Начать просмотр с началаCtrl+F5^ Ctrl+F5Запустить презентацию с начала.
                                Перейти вперед↵ Enter,
                                Page Down,
                                ,
                                ,
                                ␣ Spacebar
                                ↵ Return,
                                Page Down,
                                ,
                                ,
                                ␣ Spacebar
                                Показать следующий эффект перехода или перейти к следующему слайду.
                                Перейти назадPage Up,
                                ,
                                Page Up,
                                ,
                                Показать предыдущий эффект перехода или вернуться к предыдущему слайду.
                                Закрыть просмотрEscEscЗакончить просмотр слайдов.
                                Отмена и повтор
                                ОтменитьCtrl+Z^ Ctrl+Z,
                                ⌘ Cmd+Z
                                Отменить последнее выполненное действие.
                                ПовторитьCtrl+Y^ Ctrl+Y,
                                ⌘ Cmd+Y
                                Повторить последнее отмененное действие.
                                Вырезание, копирование и вставка
                                ВырезатьCtrl+X,
                                ⇧ Shift+Delete
                                ⌘ Cmd+XВырезать выделенный объект и отправить его в буфер обмена компьютера. Вырезанный объект можно затем вставить в другое место этой же презентации.
                                КопироватьCtrl+C,
                                Ctrl+Insert
                                ⌘ Cmd+CОтправить выделенный объект и в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации.
                                ВставитьCtrl+V,
                                ⇧ Shift+Insert
                                ⌘ Cmd+VВставить ранее скопированный объект из буфера обмена компьютера в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации.
                                Вставить гиперссылкуCtrl+K^ Ctrl+K,
                                ⌘ Cmd+K
                                Вставить гиперссылку, которую можно использовать для перехода по веб-адресу или для перехода на определенный слайд этой презентации.
                                Копировать форматированиеCtrl+⇧ Shift+C^ Ctrl+⇧ Shift+C,
                                ⌘ Cmd+⇧ Shift+C
                                Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этой же презентации.
                                Применить форматированиеCtrl+⇧ Shift+V^ Ctrl+⇧ Shift+V,
                                ⌘ Cmd+⇧ Shift+V
                                Применить ранее скопированное форматирование к тексту редактируемого текстового поля.
                                Выделение с помощью мыши
                                Добавить в выделенный фрагмент⇧ Shift⇧ ShiftНачните выделение, удерживайте клавишу ⇧ Shift и щелкните там, где требуется закончить выделение.
                                Выделение с помощью клавиатуры
                                Выделить всеCtrl+A^ Ctrl+A,
                                ⌘ Cmd+A
                                Выделить все слайды (в списке слайдов), или все объекты на слайде (в области редактирования слайда), или весь текст (внутри текстового поля) - в зависимости от того, где установлен курсор мыши.
                                Выделить фрагмент текста⇧ Shift+ ⇧ Shift+ Выделить текст посимвольно.
                                Выделить текст с позиции курсора до начала строки⇧ Shift+HomeВыделить фрагмент текста с позиции курсора до начала текущей строки.
                                Выделить текст с позиции курсора до конца строки⇧ Shift+EndВыделить фрагмент текста с позиции курсора до конца текущей строки.
                                Выделить один символ справаShift+Стрелка вправо⇧ Shift+⇧ Shift+ Выделить один символ справа от позиции курсора.
                                Выделить один символ слеваShift+Стрелка влево⇧ Shift+⇧ Shift+ Выделить один символ слева от позиции курсора.
                                Выделить до конца словаCtrl+Shift+Стрелка вправоCtrl+⇧ Shift+ Выделить фрагмент текста с позиции курсора до конца слова.
                                Выделить до начала словаCtrl+Shift+Стрелка влевоCtrl+⇧ Shift+ Выделить фрагмент текста с позиции курсора до начала слова.
                                Выделить одну строку вышеShift+Стрелка вверх⇧ Shift+⇧ Shift+ Выделить одну строку выше (курсор находится в начале строки).
                                Выделить одну строку нижеShift+Стрелка вниз⇧ Shift+⇧ Shift+ Выделить одну строку ниже (курсор находится в начале строки).
                                Оформление текста
                                Жирный шрифтCtrl+BСделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность.
                                КурсивCtrl+IСделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо.
                                Подчеркнутый шрифтCtrl+UПодчеркнуть выделенный фрагмент текста чертой, проведенной под буквами.
                                Подстрочные знакиCtrl+точка (.)Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах.
                                Надстрочные знакиCtrl+запятая (,)Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях.
                                Маркированный списокCtrl+Shift+LСоздать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список.
                                Убрать форматированиеCtrl+ПробелУбрать форматирование из выделенного фрагмента текста.
                                Увеличить шрифтCtrl+]Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста.
                                Уменьшить шрифтCtrl+[Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста.
                                Выровнять по центру/левому краюCtrl+EПереключать абзац между выравниванием по центру и по левому краю.
                                Выровнять по ширине/левому краюCtrl+JПереключать абзац между выравниванием по ширине и по левому краю.
                                Выровнять по правому краю/левому краюCtrl+RПереключать абзац между выравниванием по правому краю и по левому краю.
                                Выровнять по левому краюCtrl+LВыровнять текст по левому краю текстового поля (правый край остается невыровненным).
                                Оформление текста
                                Жирный шрифтCtrl+B^ Ctrl+B,
                                ⌘ Cmd+B
                                Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность.
                                КурсивCtrl+I^ Ctrl+I,
                                ⌘ Cmd+I
                                Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо.
                                Подчеркнутый шрифтCtrl+U^ Ctrl+U,
                                ⌘ Cmd+U
                                Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами.
                                Зачеркнутый шрифтCtrl+5^ Ctrl+5,
                                ⌘ Cmd+5
                                Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам.
                                Подстрочные знакиCtrl+⇧ Shift+>⌘ Cmd+⇧ Shift+>Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах.
                                Надстрочные знакиCtrl+⇧ Shift+<⌘ Cmd+⇧ Shift+<Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях.
                                Маркированный списокCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                                ⌘ Cmd+⇧ Shift+L
                                Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список.
                                Убрать форматированиеCtrl+␣ SpacebarУбрать форматирование из выделенного фрагмента текста.
                                Увеличить шрифтCtrl+]^ Ctrl+],
                                ⌘ Cmd+]
                                Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста.
                                Уменьшить шрифтCtrl+[^ Ctrl+[,
                                ⌘ Cmd+[
                                Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста.
                                Выровнять по центруCtrl+EВыровнять текст по центру между правым и левым краем текстового поля.
                                Выровнять по ширинеCtrl+JВыровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо).
                                Выровнять по правому краюCtrl+RВыровнять текст по правому краю текстового поля (левый край остается невыровненным).
                                Выровнять по левому краюCtrl+LВыровнять текст по левому краю текстового поля (правый край остается невыровненным).
                                Увеличить отступ слеваCtrl+M^ Ctrl+MУвеличить отступ абзаца слева на одну позицию табуляции.
                                Уменьшить отступ слеваCtrl+⇧ Shift+M^ Ctrl+⇧ Shift+MУменьшить отступ абзаца слева на одну позицию табуляции.
                                Удалить один символ слеваBackspace← Backspace← Backspace Удалить один символ слева от курсора.
                                Удалить один символ справаDeleteDeleteFn+Delete Удалить один символ справа от курсора.
                                Перемещение по текстуПеремещение по тексту
                                Перейти на один символ влевоСтрелка влево Переместить курсор на один символ влево.
                                Перейти на один символ вправоСтрелка вправо Переместить курсор на один символ вправо.
                                Перейти на одну строку вверхСтрелка вверх Переместить курсор на одну строку вверх.
                                Перейти на одну строку внизСтрелка вниз Переместить курсор на одну строку вниз.
                                Перейти в начало слова или на одно слово влевоCtrl+Стрелка влевоCtrl+⌘ Cmd+ Переместить курсор в начало слова или на одно слово влево.
                                Перейти на одно слово вправоCtrl+Стрелка вправоCtrl+⌘ Cmd+ Переместить курсор на одно слово вправо.
                                Перейти к следующему текстовому заполнителюCtrl+↵ Enter^ Ctrl+↵ Return,
                                ⌘ Cmd+↵ Return
                                Перейти к следующему текстовому заполнителю с заголовком или основным текстом слайда. Если это последний текстовый заполнитель на слайде, будет вставлен новый слайд с таким же макетом, как у исходного.
                                Перейти в начало строкиHomeHomeHome Установить курсор в начале редактируемой строки.
                                Перейти в конец строкиEndEndEnd Установить курсор в конце редактируемой строки.
                                Перейти в начало текстового поляCtrl+HomeCtrl+Home Установить курсор в начале редактируемого текстового поля.
                                Перейти в конец текстового поляCtrl+EndCtrl+End Установить курсор в конце редактируемого текстового поля.
                                + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Search.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Search.htm index fc151f485..162c7e54b 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Search.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/Search.htm @@ -3,7 +3,7 @@ Функция поиска - + @@ -13,17 +13,33 @@
                                -

                                Функция поиска

                                +

                                Функция поиска и замены

                                Чтобы найти нужные символы, слова или фразы, которые используются в редактируемой презентации, щелкните по значку Значок Поиск, расположенному на левой боковой панели, или используйте сочетание клавиш Ctrl+F.

                                -

                                Откроется окно Поиск:

                                - Окно Поиск +

                                Откроется окно Поиск и замена:

                                + Окно Поиск и замена
                                1. Введите запрос в соответствующее поле ввода данных.
                                2. +
                                3. + Задайте параметры поиска, нажав на значок Значок Параметры поиска и отметив нужные опции: +
                                    +
                                  • С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз.
                                  • + +
                                  +
                                4. Нажмите на одну из кнопок со стрелками справа. - Поиск будет выполняться или по направлению к началу презентации (если нажата кнопка Кнопка Стрелка влево), или по направлению к концу презентации (если нажата кнопка Кнопка Стрелка вправо), начиная с текущей позиции.
                                5. + Поиск будет выполняться или по направлению к началу презентации (если нажата кнопка Кнопка Стрелка влево), или по направлению к концу презентации (если нажата кнопка Кнопка Стрелка вправо), начиная с текущей позиции. + +
                                -

                                Первый слайд в в выбранном направлении, содержащий заданные символы, будет выделен в списке слайдов и отображен в рабочей области. Нужные символы будут подсвечены. Если это не тот слайд, который вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующий слайд, содержащий заданные символы.

                                +

                                Первый слайд в в выбранном направлении, содержащий заданные символы, будет выделен в списке слайдов и отображен в рабочей области. Нужные символы будут подсвечены. Если это не тот слайд, который вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующий слайд, содержащий заданные символы.

                                +

                                Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится:

                                +

                                Окно Поиск и замена

                                +
                                  +
                                1. Введите текст для замены в нижнее поле ввода данных.
                                2. +
                                3. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений.
                                4. +
                                +

                                Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены.

                                \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index ffea0ea32..8bb5d79c0 100644 --- a/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -24,20 +24,27 @@ Редактирование Скачивание + + PPT + Формат файлов, используемый программой Microsoft PowerPoint + + + + + + PPTX Office Open XML Presentation
                                разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + - - - PPT - Формат файлов, используемый программой Microsoft PowerPoint - + - - - + + + POTX + PowerPoint Open XML Document Template
                                разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов презентаций. Шаблон POTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + + + + + ODP OpenDocument Presentation
                                Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice @@ -45,6 +52,13 @@ + + + + OTP + OpenDocument Presentation Template
                                Формат текстовых файлов OpenDocument для шаблонов презентаций. Шаблон OTP содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + + + в онлайн-версии + PDF Portable Document Format
                                Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем @@ -52,6 +66,13 @@ + + + PDF/A + Portable Document Format / A
                                Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + + + + diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm index 6533c2003..1a98610db 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm @@ -14,14 +14,21 @@

                                Вкладка Совместная работа

                                -

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

                                -

                                Вкладка Совместная работа

                                +

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

                                +
                                +

                                Окно онлайн-редактора презентаций:

                                +

                                Вкладка Совместная работа

                                +
                                +
                                +

                                Окно десктопного редактора презентаций:

                                +

                                Вкладка Совместная работа

                                +

                                С помощью этой вкладки вы можете выполнить следующие действия:

                                diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/FileTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/FileTab.htm index 3fda62199..a55114891 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/FileTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/FileTab.htm @@ -15,15 +15,26 @@

                                Вкладка Файл

                                Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом.

                                -

                                Вкладка Файл

                                +
                                +

                                Окно онлайн-редактора презентаций:

                                +

                                Вкладка Файл

                                +
                                +
                                +

                                Окно десктопного редактора презентаций:

                                +

                                Вкладка Файл

                                +

                                С помощью этой вкладки вы можете выполнить следующие действия:

                                  -
                                • сохранить текущий файл (если отключена опция Автосохранение), скачать, распечатать или переименовать его,
                                • -
                                • создать новую презентацию или открыть недавно отредактированную,
                                • +
                                • + в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить документ в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию документа в выбранном формате на портале), распечатать или переименовать его, + в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, +
                                • +
                                • защитить файл с помощью пароля, изменить или удалить пароль (доступно только в десктопной версии);
                                • +
                                • создать новую презентацию или открыть недавно отредактированную (доступно только в онлайн-версии),
                                • просмотреть общие сведения о презентации,
                                • -
                                • управлять правами доступа,
                                • +
                                • управлять правами доступа (доступно только в онлайн-версии),
                                • открыть дополнительные параметры редактора,
                                • -
                                • вернуться в список документов.
                                • +
                                • в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
                                diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/HomeTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/HomeTab.htm index 3cc1c3f83..dff76cef9 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/HomeTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/HomeTab.htm @@ -15,7 +15,14 @@

                                Вкладка Главная

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

                                -

                                Вкладка Главная

                                +
                                +

                                Окно онлайн-редактора презентаций:

                                +

                                Вкладка Главная

                                +
                                +
                                +

                                Окно десктопного редактора презентаций:

                                +

                                Вкладка Главная

                                +

                                С помощью этой вкладки вы можете выполнить следующие действия:

                                • управлять слайдами и начать показ слайдов,
                                • diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm index 68d82eacd..41c19af0d 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/InsertTab.htm @@ -15,7 +15,14 @@

                                  Вкладка Вставка

                                  Вкладка Вставка позволяет добавлять в презентацию визуальные объекты и комментарии.

                                  -

                                  Вкладка Вставка

                                  +
                                  +

                                  Окно онлайн-редактора презентаций:

                                  +

                                  Вкладка Вставка

                                  +
                                  +
                                  +

                                  Окно десктопного редактора презентаций:

                                  +

                                  Вкладка Вставка

                                  +

                                  С помощью этой вкладки вы можете выполнить следующие действия:

                                  • вставлять таблицы,
                                  • diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index 8e4306394..216718eda 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -15,17 +15,30 @@

                                    Вкладка Плагины

                                    Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач.

                                    -

                                    Вкладка Плагины

                                    -

                                    Кнопка Macros позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API.

                                    +
                                    +

                                    Окно онлайн-редактора презентаций:

                                    +

                                    Вкладка Плагины

                                    +
                                    +
                                    +

                                    Окно десктопного редактора презентаций:

                                    +

                                    Вкладка Плагины

                                    +
                                    +

                                    Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные.

                                    +

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

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

                                      -
                                    • ClipArt позволяет добавлять в презентацию изображения из коллекции картинок,
                                    • -
                                    • PhotoEditor позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее,
                                    • -
                                    • Symbol Table позволяет вставлять в текст специальные символы,
                                    • -
                                    • Translator позволяет переводить выделенный текст на другие языки,
                                    • +
                                    • Отправить - позволяет отправить презентацию по электронной почте с помощью десктопного почтового клиента по умолчанию,
                                    • +
                                    • Аудио - позволяет вставлять в презентацию аудиозаписи, сохраненные на жестком диске,
                                    • +
                                    • Видео - позволяет вставлять в презентацию видеозаписи, сохраненные на жестком диске,
                                    • +
                                    • Клипарт позволяет добавлять в презентацию изображения из коллекции картинок,
                                    • +
                                    • Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона,
                                    • +
                                    • Фоторедактор позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее,
                                    • +
                                    • Таблица символов позволяет вставлять в текст специальные символы,
                                    • +
                                    • Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант,
                                    • +
                                    • Переводчик позволяет переводить выделенный текст на другие языки,
                                    • YouTube позволяет встраивать в презентацию видео с YouTube.
                                    -

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

                                    +

                                    Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API.

                                    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm index 56fcb03f1..44e044423 100644 --- a/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -15,18 +15,40 @@

                                    Знакомство с пользовательским интерфейсом редактора презентаций

                                    В редакторе презентаций используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности.

                                    -

                                    Окно редактора

                                    +
                                    +

                                    Окно онлайн-редактора презентаций:

                                    +

                                    Окно онлайн-редактора презентаций

                                    +
                                    +
                                    +

                                    Окно десктопного редактора презентаций:

                                    +

                                    Окно десктопного редактора презентаций

                                    +

                                    Интерфейс редактора состоит из следующих основных элементов:

                                      -
                                    1. В Шапке редактора отображается логотип, вкладки меню, название презентации. Cправа также находятся три значка, с помощью которых можно задать права доступа, вернуться в список документов, настраивать параметры представления и получать доступ к дополнительным параметрам редактора. -

                                      Значки в шапке редактора

                                      +
                                    2. + В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. +

                                      В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить.

                                      +

                                      Значки в шапке редактора

                                      +

                                      В правой части Шапки редактора отображается имя пользователя и находятся следующие значки:

                                      +
                                        +
                                      • Открыть расположение файла Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
                                      • +
                                      • Значок Параметры представления Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора.
                                      • +
                                      • Значок управления правами доступа Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке.
                                      • +
                                    3. -
                                    4. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Совместная работа, Плагины. -

                                      Опции Печать, Сохранить, Копировать, Вставить, Отменить и Повторить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки.

                                      -

                                      Значки на верхней панели инструментов

                                      +
                                    5. + На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Совместная работа, Защита, Плагины. +

                                      Опции Значок Копировать Копировать и Значок Вставить Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки.

                                    6. В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, "Все изменения сохранены" и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии.
                                    7. -
                                    8. На Левой боковой панели находятся значки, позволяющие использовать инструмент поиска, свернуть или развернуть список слайдов, открыть панель Комментариев и Чата, обратиться в службу технической поддержки и посмотреть информацию о программе.
                                    9. +
                                    10. + На Левой боковой панели находятся следующие значки: +
                                        +
                                      • Значок Поиск - позволяет использовать инструмент поиска и замены,
                                      • +
                                      • Значок Комментариев - позволяет открыть панель Комментариев
                                      • +
                                      • Значок Чата (доступно только в онлайн-версии) - позволяет открыть панель Чата, а также значки, позволяющие обратиться в службу технической поддержки и посмотреть информацию о программе.
                                      • +
                                      +
                                    11. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на слайде определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель.
                                    12. Горизонтальная и вертикальная Линейки помогают располагать объекты на слайде и позволяют настраивать позиции табуляции и отступы абзацев внутри текстовых полей.
                                    13. В Рабочей области вы можете просматривать содержимое презентации, вводить и редактировать данные.
                                    14. diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm index 610621b35..265b0ef49 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/AlignArrangeObjects.htm @@ -15,34 +15,70 @@

                                      Выравнивание и упорядочивание объектов на слайде

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

                                      -

                                      Выравнивание объектов

                                      -

                                      Чтобы выровнять выбранный объект или объекты, щелкните по значку Выравнивание фигур Значок Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип выравнивания:

                                      -
                                        -
                                      • Выровнять по левому краю Значок Выровнять по левому краю - чтобы выровнять объект (объекты) по горизонтали по левому краю слайда,
                                      • -
                                      • Выровнять по центру Значок Выровнять по центру - чтобы выровнять объект (объекты) по горизонтали по центру слайда,
                                      • -
                                      • Выровнять по правому краю Значок Выровнять по правому краю - чтобы выровнять объект (объекты) по горизонтали по правому краю слайда,
                                      • -
                                      • Выровнять по верхнему краю Значок Выровнять по верхнему краю - чтобы выровнять объект (объекты) по вертикали по верхнему краю слайда,
                                      • -
                                      • Выровнять по середине Значок Выровнять по середине - чтобы выровнять объект (объекты) по вертикали по середине слайда,
                                      • -
                                      • Выровнять по нижнему краю Значок Выровнять по нижнему краю - чтобы выровнять объект (объекты) по вертикали по нижнему краю слайда.
                                      • -
                                      -

                                      Чтобы распределить два или более выбранных объекта по горизонтали или вертикали, щелкните по значку Выравнивание фигур Значок Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип распределения:

                                      -
                                        -
                                      • Распределить по горизонтали Значок Распределить по горизонтали - чтобы выровнять выбранные объекты по их центрам (между правым и левым краем) по горизонтальному центру слайда
                                      • -
                                      • Распределить по вертикали Значок Распределить по вертикали - чтобы выровнять выбранные объекты по их центрам (между верхним и нижним краем) по вертикальному центру слайда.
                                      • -
                                      -

                                      Упорядочивание объектов

                                      -

                                      Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), щелкните по значку Порядок фигур Значок Порядок фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип расположения:

                                      -
                                        -
                                      • Перенести на передний план Значок Перенести на передний план - чтобы переместить выбранный объект (объекты), так что он будет находиться перед всеми остальными объектами,
                                      • -
                                      • Перенести на задний план Значок Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов,
                                      • -
                                      • Перенести вперед Значок Перенести вперед - чтобы переместить выбранный объект (объекты) на один уровень вперед по отношению к другим объектам.
                                      • -
                                      • Перенести назад Значок Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам.
                                      • -
                                      -

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

                                      -
                                        -
                                      • Сгруппировать Значок Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект.
                                      • -
                                      • Разгруппировать Значок Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов.
                                      • -
                                      - + +

                                      Выравнивание объектов

                                      +

                                      Чтобы выровнять два или более выделенных объектов,

                                      + +
                                        +
                                      1. + Щелкните по значку Выравнивание фигур Значок Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите один из следующих вариантов: +
                                          +
                                        • Выровнять относительно слайда чтобы выровнять объекты относительно краев слайда,
                                        • +
                                        • Выровнять выделенные объекты (эта опция выбрана по умолчанию) чтобы выровнять объекты относительно друг друга,
                                        • +
                                        +
                                      2. +
                                      3. + Еще раз нажмите на значок Выравнивание фигур Значок Выравнивание фигур и выберите из списка нужный тип выравнивания: +
                                          +
                                        • Выровнять по левому краю Значок Выровнять по левому краю - чтобы выровнять объекты по горизонтали по левому краю самого левого объекта/по левому краю слайда,
                                        • +
                                        • Выровнять по центру Значок Выровнять по центру - чтобы выровнять объекты по горизонтали по их центру/по центру слайда,
                                        • +
                                        • Выровнять по правому краю Значок Выровнять по правому краю - чтобы выровнять объекты по горизонтали по правому краю самого правого объекта/по правому краю слайда,
                                        • +
                                        • Выровнять по верхнему краю Значок Выровнять по верхнему краю - чтобы выровнять объекты по вертикали по верхнему краю самого верхнего объекта/по верхнему краю слайда,
                                        • +
                                        • Выровнять по середине Значок Выровнять по середине - чтобы выровнять объекты по вертикали по их середине/по середине слайда,
                                        • +
                                        • Выровнять по нижнему краю Значок Выровнять по нижнему краю - чтобы выровнять объекты по вертикали по нижнему краю самого нижнего объекта/по нижнему краю слайда.
                                        • +
                                        +
                                      4. +
                                      +

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

                                      +

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

                                      +

                                      Распределение объектов

                                      +

                                      Чтобы распределить три или более выбранных объектов по горизонтали или вертикали таким образом, чтобы между ними было равное расстояние,

                                      + +
                                        +
                                      1. + Щелкните по значку Выравнивание фигур Значок Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите один из следующих вариантов: +
                                          +
                                        • Выровнять относительно слайда - чтобы распределить объекты между краями слайда,
                                        • +
                                        • Выровнять выделенные объекты (эта опция выбрана по умолчанию) - чтобы распределить объекты между двумя крайними выделенными объектами,
                                        • +
                                        +
                                      2. +
                                      3. + Еще раз нажмите на значок Выравнивание фигур Значок Выравнивание фигур и выберите из списка нужный тип распределения: +
                                          +
                                        • Распределить по горизонтали Значок Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом/левым и правым краем слайда.
                                        • +
                                        • Распределить по вертикали Значок Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом/верхним и нижним краем слайда.
                                        • +
                                        +
                                      4. +
                                      +

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

                                      +

                                      Примечание: параметры распределения неактивны, если выделено менее трех объектов.

                                      +

                                      Группировка объектов

                                      +

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

                                      +
                                        +
                                      • Сгруппировать Значок Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект.
                                      • +
                                      • Разгруппировать Значок Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов.
                                      • +
                                      +

                                      Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать.

                                      +

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

                                      +

                                      Упорядочивание объектов

                                      +

                                      Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), щелкните по значку Порядок фигур Значок Порядок фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип расположения:

                                      +
                                        +
                                      • Перенести на передний план Значок Перенести на передний план - чтобы переместить выбранный объект (объекты), так что он будет находиться перед всеми остальными объектами,
                                      • +
                                      • Перенести на задний план Значок Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов,
                                      • +
                                      • Перенести вперед Значок Перенести вперед - чтобы переместить выбранный объект (объекты) на один уровень вперед по отношению к другим объектам.
                                      • +
                                      • Перенести назад Значок Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам.
                                      • +
                                      +

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

                                      + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyClearFormatting.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyClearFormatting.htm index 1765f497f..9ba1d5903 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyClearFormatting.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyClearFormatting.htm @@ -20,6 +20,13 @@
                                    15. нажмите значок Копировать стиль Копировать стиль на вкладке Главная верхней панели инструментов (указатель мыши будет при этом выглядеть так: Указатель мыши при вставке стиля),
                                    16. выделите фрагмент текста, к которому требуется применить то же самое форматирование.
                                    +

                                    Чтобы применить скопированное форматирование ко множеству фрагментов текста,

                                    +
                                      +
                                    1. с помощью мыши или клавиатуры выделите фрагмент текста, форматирование которого надо скопировать,
                                    2. +
                                    3. дважды нажмите значок Копировать стиль Копировать стиль на вкладке Главная верхней панели инструментов (указатель мыши будет при этом выглядеть так: Указатель мыши при вставке стиля, а значок Копировать стиль будет оставаться нажатым: Множественное копирование стиля),
                                    4. +
                                    5. поочередно выделяйте нужные фрагменты текста, чтобы применить одинаковое форматирование к каждому из них,
                                    6. +
                                    7. для выхода из этого режима еще раз нажмите значок Копировать стиль Множественное копирование стиля или нажмите клавишу Esc на клавиатуре.
                                    8. +

                                    Чтобы быстро убрать из текста примененное форматирование,

                                    1. выделите фрагмент текста, форматирование которого надо убрать,
                                    2. diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm index 45cb1e801..38a9c3386 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/CopyPasteUndoRedo.htm @@ -17,11 +17,11 @@

                                      Использование основных операций с буфером обмена

                                      Для вырезания, копирования и вставки выделенных объектов (слайдов, фрагментов текста, автофигур) в текущей презентации или отмены / повтора действий используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов:

                                        -
                                      • Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же презентации.
                                      • -
                                      • Копировать – выделите объект и используйте значок Копировать Значок Копировать чтобы отправить выделенные данные в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации.
                                      • -
                                      • Вставить – найдите то место в презентации, куда надо вставить ранее скопированный объект и используйте значок Вставить Значок Вставить. Объект будет вставлен в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации.
                                      • +
                                      • Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же презентации.
                                      • +
                                      • Копировать – выделите объект и используйте значок Копировать Значок Копировать чтобы отправить выделенные данные в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации.
                                      • +
                                      • Вставить – найдите то место в презентации, куда надо вставить ранее скопированный объект и используйте значок Вставить Значок Вставить. Объект будет вставлен в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации.
                                      -

                                      Для копирования данных из другой презентации или какой-то другой программы или вставки в них данных используйте следующие сочетания клавиш:

                                      +

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

                                      • сочетание клавиш Ctrl+C для копирования;
                                      • сочетание клавиш Ctrl+V для вставки;
                                      • @@ -43,7 +43,7 @@
                                      • Изображение - позволяет вставить объект как изображение, чтобы его нельзя было редактировать.

                                      Отмена / повтор действий

                                      -

                                      Для выполнения операций отмены/повтора используйте соответствующие значки, доступные на любой вкладке верхней панели инструментов, или сочетания клавиш:

                                      +

                                      Для выполнения операций отмены/повтора используйте соответствующие значки в левой части шапки редактора или сочетания клавиш:

                                      • Отменить – используйте значок Отменить Значок Отменить, чтобы отменить последнее выполненное действие.
                                      • @@ -51,6 +51,9 @@

                                        Можно также использовать сочетание клавиш Ctrl+Z для отмены или Ctrl+Y для повтора действия.

                                      +

                                      + Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие. +

                                      \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm index 707963ed1..312945ce6 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm @@ -50,11 +50,26 @@
                                    3. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий).
                                  +
                                • + Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: +
                                    +
                                  • Значок Повернуть против часовой стрелки чтобы повернуть фигуру на 90 градусов против часовой стрелки
                                  • +
                                  • Значок Повернуть по часовой стрелке чтобы повернуть фигуру на 90 градусов по часовой стрелке
                                  • +
                                  • Значок Отразить слева направо чтобы отразить фигуру по горизонтали (слева направо)
                                  • +
                                  • Значок Отразить сверху вниз чтобы отразить фигуру по вертикали (сверху вниз)
                                  • +
                                  +

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

                                Свойства фигуры - вкладка Размер

                                На вкладке Размер можно изменить Ширину и/или Высоту автофигуры. Если нажата кнопка Сохранять пропорции Значок Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры.

                                +

                                Фигура - дополнительные параметры: Поворот

                                +

                                Вкладка Поворот содержит следующие параметры:

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

                                Свойства фигуры - вкладка Линии и стрелки

                                Вкладка Линии и стрелки содержит следующие параметры:

                                  @@ -99,7 +114,7 @@ выберите в меню группу Линии,

                                  Фигуры - Линии

                                  -
                                • щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно фигура 10, 11 и 12),
                                • +
                                • щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма),
                                • наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения Точка соединения, появившихся на контуре фигуры,

                                  Использование соединительных линий

                                  diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm index 286318109..14b0189f1 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm @@ -26,7 +26,7 @@
                                • после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления:
                                  • Копировать и Вставить для копирования и вставки скопированных данных
                                  • -
                                  • Отменить и Повторить для отмены и повтора действий
                                  • +
                                  • Отменить и Повторить для отмены и повтора действий
                                  • Вставить функцию для вставки функции
                                  • Уменьшить разрядность и Увеличить разрядность для уменьшения и увеличения числа десятичных знаков
                                  • Формат чисел для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках
                                  • diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm index 70a826e84..2fcb21182 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertImages.htm @@ -24,6 +24,7 @@
                                    • при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть
                                    • при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK
                                    • +
                                    • при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK
                                  • после того как изображение будет добавлено, можно изменить его размер и положение.
                                  • @@ -33,7 +34,27 @@

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

                                    Вкладка Параметры изображения

                                    Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить размер изображения По умолчанию.

                                    -

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

                                    +

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

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

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

                                    +

                                    После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию:

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

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

                                    +

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

                                    +
                                      +
                                    • Значок Повернуть против часовой стрелки чтобы повернуть изображение на 90 градусов против часовой стрелки
                                    • +
                                    • Значок Повернуть по часовой стрелке чтобы повернуть изображение на 90 градусов по часовой стрелке
                                    • +
                                    • Значок Отразить слева направо чтобы отразить изображение по горизонтали (слева направо)
                                    • +
                                    • Значок Отразить сверху вниз чтобы отразить изображение по вертикали (сверху вниз)
                                    • +

                                    Когда изображение выделено, справа также доступен значок Параметры фигуры Значок Параметры фигуры. Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом.

                                    Вкладка Параметры фигуры


                                    @@ -44,6 +65,12 @@
                                  • Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции Значок Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию.
                                  • Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда).
                                  +

                                  Свойства изображения: Поворот

                                  +

                                  Вкладка Поворот содержит следующие параметры:

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

                                  Свойства изображения

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


                                  diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm index bbf73d495..d2a985c4c 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/InsertText.htm @@ -39,7 +39,7 @@

                                  Форматирование текста внутри текстового поля

                                  @@ -74,7 +74,7 @@

                              Изменение направления текста

                              -

                              Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Поворот на 90° (задает вертикальное направление, сверху вниз) или Поворот на 270° (задает вертикальное направление, снизу вверх).

                              +

                              Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх).


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

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

                              @@ -83,12 +83,12 @@ Шрифт Шрифт - Используется для выбора шрифта из списка доступных. + Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Размер шрифта - Используется для выбора предустановленного значения размера шрифта из выпадающего списка, или же значение можно ввести вручную в поле размера шрифта. + Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение в поле ввода и нажать клавишу Enter. Цвет шрифта @@ -178,7 +178,9 @@
                            • Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах.
                            • Малые прописные - используется, чтобы сделать все буквы строчными.
                            • Все прописные - используется, чтобы сделать все буквы прописными.
                            • -
                            • Межзнаковый интервал - используется, чтобы задать расстояние между символами.
                            • +
                            • Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. +

                              Все изменения будут отображены в расположенном ниже поле предварительного просмотра.

                              +
                            Свойства абзаца - вкладка Табуляция

                            На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре.

                            diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm index ee4bc6fc2..18816935a 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm @@ -32,7 +32,16 @@ Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift.

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

                            Поворот объектов

                            -

                            Чтобы повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота Маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                            +

                            Чтобы вручную повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота Маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                            +

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

                            +
                              +
                            • Значок Повернуть против часовой стрелки чтобы повернуть объект на 90 градусов против часовой стрелки
                            • +
                            • Значок Повернуть по часовой стрелке чтобы повернуть объект на 90 градусов по часовой стрелке
                            • +
                            • Значок Отразить слева направо чтобы отразить объект по горизонтали (слева направо)
                            • +
                            • Значок Отразить сверху вниз чтобы отразить объект по вертикали (сверху вниз)
                            • +
                            +

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

                            +

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

                            \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm index 57884bbbb..1d4a007fd 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm @@ -14,19 +14,52 @@

                            Создание новой презентации или открытие существующей

                            -

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

                            -

                            Для создания новой презентации в онлайн-редакторе презентаций:

                            -
                              -
                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. -
                            3. выберите опцию Создать новую.
                            4. -
                            -

                            Для открытия недавно отредактированной презентации в онлайн-редакторе презентаций:

                            -
                              -
                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. -
                            3. выберите опцию Открыть последние,
                            4. -
                            5. выберите нужную презентацию из списка недавно отредактированных презентаций.
                            6. -
                            -

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

                            +
                            Чтобы создать новую презентацию
                            +
                            +

                            В онлайн-редакторе

                            +
                              +
                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. +
                            3. выберите опцию Создать новую.
                            4. +
                            +
                            +
                            +

                            В десктопном редакторе

                            +
                              +
                            1. в главном окне программы выберите пункт меню Презентация в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке,
                            2. +
                            3. после внесения в презентацию необходимых изменений нажмите на значок Сохранить Значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как.
                            4. +
                            5. в окне проводника выберите местоположение файла на жестком диске, задайте название презентации, выберите формат сохранения (PPTX, Шаблон презентации, ODP, PDF или PDFA) и нажмите кнопку Сохранить.
                            6. +
                            +
                            + +
                            +
                            Чтобы открыть существующую презентацию
                            +

                            В десктопном редакторе

                            +
                              +
                            1. в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели,
                            2. +
                            3. выберите нужную презентацию в окне проводника и нажмите кнопку Открыть.
                            4. +
                            +

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

                            +

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

                            +
                            + +
                            Чтобы открыть недавно отредактированную презентацию
                            +
                            +

                            В онлайн-редакторе

                            +
                              +
                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. +
                            3. выберите опцию Открыть последние,
                            4. +
                            5. выберите нужную презентацию из списка недавно отредактированных презентаций.
                            6. +
                            +
                            +
                            +

                            В десктопном редакторе

                            +
                              +
                            1. в главном окне программы выберите пункт меню Последние файлы на левой боковой панели,
                            2. +
                            3. выберите нужную презентацию из списка недавно измененных документов.
                            4. +
                            +
                            + +

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

                            \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index ae0d00495..ff540c55a 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -14,29 +14,48 @@

                            Сохранение / печать / скачивание презентации

                            -

                            - По умолчанию онлайн-редактор презентаций автоматически сохраняет файл каждые 2 секунды, когда Вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры.

                            -

                            Чтобы сохранить текущую презентацию вручную,

                            -
                              -
                            • щелкните по значку Сохранить Значок Сохранить на верхней панели инструментов, или
                            • -
                            • используйте сочетание клавиш Ctrl+S, или
                            • -
                            • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить.
                            • -
                            -

                            Чтобы распечатать текущую презентацию,

                            -
                              -
                            • щелкните по значку Печать Значок Печать на верхней панели инструментов, или
                            • -
                            • используйте сочетание клавиш Ctrl+P, или
                            • -
                            • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать.
                            • -
                            +

                            Сохранение

                            +

                            По умолчанию онлайн-редактор презентаций автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры.

                            +

                            Чтобы сохранить презентацию вручную в текущем формате и местоположении,

                            +
                              +
                            • нажмите значок Сохранить Значок Сохранить в левой части шапки редактора, или
                            • +
                            • используйте сочетание клавиш Ctrl+S, или
                            • +
                            • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить.
                            • +
                            +

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

                            +
                            +

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

                            +
                              +
                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. +
                            3. выберите опцию Сохранить как,
                            4. +
                            5. выберите один из доступных форматов: PPTX, ODP, PDF, PDFA. Также можно выбрать вариант Шаблон презентации POTX.
                            6. +
                            +
                            -

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

                            -

                            Чтобы скачать готовую презентацию и сохранить ее на жестком диске компьютера,

                            +

                            Скачивание

                            +

                            Чтобы в онлайн-версии скачать готовую презентацию и сохранить ее на жестком диске компьютера,

                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. выберите опцию Скачать как...,
                            3. -
                            4. выберите один из доступных форматов в зависимости от того, что вам нужно: PPTX, PDF или ODP.
                            5. +
                            6. выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP.
                            7. +
                            +

                            Сохранение копии

                            +

                            Чтобы в онлайн-версии сохранить копию презентации на портале,

                            +
                              +
                            1. нажмите на вкладку Файл на верхней панели инструментов,
                            2. +
                            3. выберите опцию Сохранить копию как...,
                            4. +
                            5. выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP,
                            6. +
                            7. выберите местоположение файла на портале и нажмите Сохранить.
                            +

                            Печать

                            +

                            Чтобы распечатать текущую презентацию,

                            +
                              +
                            • нажмите значок Напечатать файл Значок Напечатать файл в левой части шапки редактора, или
                            • +
                            • используйте сочетание клавиш Ctrl+P, или
                            • +
                            • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать.
                            • +
                            +

                            В десктопной версии презентация будет напрямую отправлена на печать. В онлайн-версии на основе данной презентации будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати.

                            \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm index 3223e316a..f25ab7735 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/SetSlideParameters.htm @@ -25,7 +25,7 @@ Для изменения цветовой схемы презентации щелкните по значку Изменение цветовой схемы Значок Изменение цветовой схемы на вкладке Главная верхней панели инструментов и выберите нужную схему из выпадающего списка. Выбранная схема будет применена ко всем слайдам.

                            Цветовые схемы

                          • -
                          • Для изменения размера всех слайдов в презентации, щелкните по значку Выбор размеров слайдов Значок Выбор размеров слайдов на вкладке Главная верхней панели инструментов и выберите нужную опцию из выпадающего списка. Можно выбрать: +
                          • Для изменения размера всех слайдов в презентации, щелкните по значку Выбор размеров слайда Значок Выбор размеров слайда на вкладке Главная верхней панели инструментов и выберите нужную опцию из выпадающего списка. Можно выбрать:
                            • один из двух быстродоступных пресетов - Стандартный (4:3) или Широкоэкранный (16:9),
                            • команду Дополнительные параметры, которая вызывает окно Настройки размера слайда, где можно выбрать один из имеющихся предустановленных размеров или задать Пользовательский размер, указав нужные значения Ширины и Высоты. diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ViewPresentationInfo.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ViewPresentationInfo.htm index 8d857a01a..47e116cf4 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ViewPresentationInfo.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/ViewPresentationInfo.htm @@ -16,10 +16,11 @@

                              Просмотр сведений о презентации

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

                              Общие сведения

                              -

                              Сведения о презентации включают название презентации, автора, размещение и дату создания.

                              +

                              Сведения о презентации включают название презентации и приложение, в котором была создана презентация. В онлайн-версии также отображаются следующие сведения: автор, размещение, дата создания.

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

                              Сведения о правах доступа

                              +

                              В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке.

                              Примечание: эта опция недоступна для пользователей с правами доступа Только чтение.

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

                              Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права.

                              diff --git a/apps/presentationeditor/main/resources/help/ru/editor.css b/apps/presentationeditor/main/resources/help/ru/editor.css index cf3e4f141..b715ff519 100644 --- a/apps/presentationeditor/main/resources/help/ru/editor.css +++ b/apps/presentationeditor/main/resources/help/ru/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 70%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/images/copystyle_selected.png b/apps/presentationeditor/main/resources/help/ru/images/copystyle_selected.png new file mode 100644 index 000000000..c51b1a456 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/copystyle_selected.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/document_language_window.png b/apps/presentationeditor/main/resources/help/ru/images/document_language_window.png index 972a75de9..0feac2234 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/document_language_window.png and b/apps/presentationeditor/main/resources/help/ru/images/document_language_window.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/fliplefttoright.png b/apps/presentationeditor/main/resources/help/ru/images/fliplefttoright.png new file mode 100644 index 000000000..b6babc560 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/fliplefttoright.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/flipupsidedown.png b/apps/presentationeditor/main/resources/help/ru/images/flipupsidedown.png new file mode 100644 index 000000000..b8ce45f8f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/flipupsidedown.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/image_properties.png b/apps/presentationeditor/main/resources/help/ru/images/image_properties.png index d5d961a13..9497b27e7 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/image_properties.png and b/apps/presentationeditor/main/resources/help/ru/images/image_properties.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/image_properties1.png b/apps/presentationeditor/main/resources/help/ru/images/image_properties1.png index 8e7c70d76..f706a20c9 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/image_properties1.png and b/apps/presentationeditor/main/resources/help/ru/images/image_properties1.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/image_properties2.png b/apps/presentationeditor/main/resources/help/ru/images/image_properties2.png new file mode 100644 index 000000000..f2ebf21fd Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/image_properties2.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/imagesettingstab.png b/apps/presentationeditor/main/resources/help/ru/images/imagesettingstab.png index f6cbc9ca9..004cc5526 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/imagesettingstab.png and b/apps/presentationeditor/main/resources/help/ru/images/imagesettingstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png index 40c28d93c..6480db738 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png new file mode 100644 index 000000000..151e958e3 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png new file mode 100644 index 000000000..a2fdde008 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png new file mode 100644 index 000000000..f40bded7f Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png new file mode 100644 index 000000000..1efd66f1b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png new file mode 100644 index 000000000..e50f4e3a4 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png new file mode 100644 index 000000000..d60e934c4 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png b/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png index e434e5c09..800c79901 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/editorwindow.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png index 5f804e62b..3591cb234 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/filetab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png index b64ec8ba9..13f0d473f 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/hometab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png index 0a747c177..c3ca3909e 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/inserttab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/leftpart.png b/apps/presentationeditor/main/resources/help/ru/images/interface/leftpart.png index d75691900..68c56e973 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/leftpart.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/leftpart.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png index fd98cc72a..4f8db7948 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/print.png b/apps/presentationeditor/main/resources/help/ru/images/print.png index 03fd49783..62a4196ef 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/print.png and b/apps/presentationeditor/main/resources/help/ru/images/print.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/redo.png b/apps/presentationeditor/main/resources/help/ru/images/redo.png index 5002b4109..c3089900a 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/redo.png and b/apps/presentationeditor/main/resources/help/ru/images/redo.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/redo1.png b/apps/presentationeditor/main/resources/help/ru/images/redo1.png new file mode 100644 index 000000000..5002b4109 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/redo1.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/rotateclockwise.png b/apps/presentationeditor/main/resources/help/ru/images/rotateclockwise.png new file mode 100644 index 000000000..d27f575b3 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/rotateclockwise.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/rotatecounterclockwise.png b/apps/presentationeditor/main/resources/help/ru/images/rotatecounterclockwise.png new file mode 100644 index 000000000..43e6a1064 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/rotatecounterclockwise.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/save.png b/apps/presentationeditor/main/resources/help/ru/images/save.png index e6a82d6ac..cef12bb18 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/save.png and b/apps/presentationeditor/main/resources/help/ru/images/save.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/search_options.png b/apps/presentationeditor/main/resources/help/ru/images/search_options.png new file mode 100644 index 000000000..65fde8764 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/search_options.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/search_replace_window.png b/apps/presentationeditor/main/resources/help/ru/images/search_replace_window.png index 2ac147cef..3882b24bf 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/search_replace_window.png and b/apps/presentationeditor/main/resources/help/ru/images/search_replace_window.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/search_window.png b/apps/presentationeditor/main/resources/help/ru/images/search_window.png index 712d386f7..e588a1748 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/search_window.png and b/apps/presentationeditor/main/resources/help/ru/images/search_window.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shape_properties.png b/apps/presentationeditor/main/resources/help/ru/images/shape_properties.png index 495118088..636b289a2 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/shape_properties.png and b/apps/presentationeditor/main/resources/help/ru/images/shape_properties.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shape_properties1.png b/apps/presentationeditor/main/resources/help/ru/images/shape_properties1.png index 19c3f5fe2..78c4147c1 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/shape_properties1.png and b/apps/presentationeditor/main/resources/help/ru/images/shape_properties1.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shape_properties2.png b/apps/presentationeditor/main/resources/help/ru/images/shape_properties2.png index 81c369ab2..06d5c4e0f 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/shape_properties2.png and b/apps/presentationeditor/main/resources/help/ru/images/shape_properties2.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shape_properties3.png b/apps/presentationeditor/main/resources/help/ru/images/shape_properties3.png index a1f5c43b9..4dcfd34f1 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/shape_properties3.png and b/apps/presentationeditor/main/resources/help/ru/images/shape_properties3.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shape_properties4.png b/apps/presentationeditor/main/resources/help/ru/images/shape_properties4.png index dc76c5037..62b785b01 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/shape_properties4.png and b/apps/presentationeditor/main/resources/help/ru/images/shape_properties4.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shape_properties5.png b/apps/presentationeditor/main/resources/help/ru/images/shape_properties5.png new file mode 100644 index 000000000..2fd14f76d Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/shape_properties5.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/shapesettingstab.png b/apps/presentationeditor/main/resources/help/ru/images/shapesettingstab.png index 276ff0a8b..9903c93c8 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/shapesettingstab.png and b/apps/presentationeditor/main/resources/help/ru/images/shapesettingstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/slidesettingstab.png b/apps/presentationeditor/main/resources/help/ru/images/slidesettingstab.png index 69e858730..69973d12c 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/slidesettingstab.png and b/apps/presentationeditor/main/resources/help/ru/images/slidesettingstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/spellcheckactivated.png b/apps/presentationeditor/main/resources/help/ru/images/spellcheckactivated.png index 8fde00a0a..65e7ed85c 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/spellcheckactivated.png and b/apps/presentationeditor/main/resources/help/ru/images/spellcheckactivated.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/spellcheckdeactivated.png b/apps/presentationeditor/main/resources/help/ru/images/spellcheckdeactivated.png index f55473551..2f324b661 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/spellcheckdeactivated.png and b/apps/presentationeditor/main/resources/help/ru/images/spellcheckdeactivated.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/spellchecking_language.png b/apps/presentationeditor/main/resources/help/ru/images/spellchecking_language.png index 7530f33cd..fb4e6b202 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/spellchecking_language.png and b/apps/presentationeditor/main/resources/help/ru/images/spellchecking_language.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/undo.png b/apps/presentationeditor/main/resources/help/ru/images/undo.png index bb7f9407d..30452593d 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/undo.png and b/apps/presentationeditor/main/resources/help/ru/images/undo.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/undo1.png b/apps/presentationeditor/main/resources/help/ru/images/undo1.png new file mode 100644 index 000000000..bb7f9407d Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/undo1.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/viewsettingsicon.png b/apps/presentationeditor/main/resources/help/ru/images/viewsettingsicon.png index 50ce274cf..ee0fa9a72 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/viewsettingsicon.png and b/apps/presentationeditor/main/resources/help/ru/images/viewsettingsicon.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/search/indexes.js b/apps/presentationeditor/main/resources/help/ru/search/indexes.js index b5609d959..63e29f13a 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/ru/search/indexes.js @@ -3,22 +3,22 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе презентаций", - "body": "Редактор презентаций - это онлайн- приложение, которое позволяет просматривать и редактировать презентации непосредственно в браузере . Используя онлайн- редактор презентаций, можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные презентации, сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF или ODP. Чтобы посмотреть текущую версию программы и сведения о владельце лицензии, щелкните по значку на левой боковой панели инструментов." + "body": "Редактор презентаций - это онлайн- приложение, которое позволяет просматривать и редактировать презентации непосредственно в браузере . Используя онлайн- редактор презентаций, можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные презентации, сохраняя все детали форматирования, или сохранять их на жесткий диск компьютера как файлы в формате PPTX, PDF, ODP, POTX, PDF/A, OTP. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора презентаций", - "body": "Вы можете изменить дополнительные параметры редактора презентаций. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на слайде. Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру слайда или По ширине. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора презентаций. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. Доступны следующие дополнительные параметры: Альтернативный ввод - используется для включения/отключения иероглифов. Направляющие выравнивания - используется для включения/отключения направляющих выравнивания, которые появляются при перемещении объектов и позволяют точно расположить их на слайде. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления документа в случае непредвиденного закрытия программы. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Можно также выбрать опцию По размеру слайда или По ширине. Единица измерения - используется для определения единиц, которые должны использоваться на линейках и в окнах свойств для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование презентаций", - "body": "В онлайн-редакторе презентаций вы можете работать над презентацией совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой презентации визуальная индикация объектов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей презентации комментарии, содержащие описание задачи или проблемы, которую необходимо решить Совместное редактирование В редакторе презентаций можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Когда презентацию редактируют одновременно несколько пользователей в Строгом режиме, редактируемые объекты (автофигуры, текстовые объекты, таблицы, изображения, диаграммы) помечаются пунктирными линиями разных цветов. Объект, который редактируете Вы, окружен зеленой пунктирной линией. Красные пунктирные линии означают, что объекты редактируются другими пользователями. При наведении курсора мыши на один из редактируемых объектов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей презентацией, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им полный доступ или доступ только для чтения, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы Вы могли проверить, что конкретно изменилось. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Чтобы оставить комментарий к определенному объекту (текстовому полю, фигуре и так далее): выделите объект, в котором, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или щелкните правой кнопкой мыши по выделенному объекту и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Объект, который вы прокомментировали, будет помечен значком . Для просмотра комментария щелкните по этому значку. Чтобы добавить комментарий к определенному слайду, выделите слайд и используйте кнопку Комментарий на вкладке Вставка или Совместная работа верхней панели инструментов. Добавленный комментарий будет отображаться в левом верхнем углу слайда. Чтобы создать комментарий уровня презентации, который не относится к определенному объекту или слайду, нажмите на значок на левой боковой панели, чтобы открыть панель Комментарии, и используйте ссылку Добавить комментарий к документу. Комментарии уровня презентации можно просмотреть на панели Комментарии. Здесь также доступны комментарии, относящиеся к объектам и слайдам. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием. Вы можете управлять добавленными комментариями следующим образом: отредактировать их, нажав значок , удалить их, нажав значок , закрыть обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "В редакторе презентаций вы можете работать над презентацией совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой презентации визуальная индикация объектов, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей презентации комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе презентаций можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие. Когда презентацию редактируют одновременно несколько пользователей в Строгом режиме, редактируемые объекты (автофигуры, текстовые объекты, таблицы, изображения, диаграммы) помечаются пунктирными линиями разных цветов. Объект, который редактируете Вы, окружен зеленой пунктирной линией. Красные пунктирные линии означают, что объекты редактируются другими пользователями. При наведении курсора мыши на один из редактируемых объектов отображается имя того пользователя, который в данный момент его редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей презентацией, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . С его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование презентации, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Обновления будут подсвечены, чтобы Вы могли проверить, что конкретно изменилось. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий к определенному объекту (текстовому полю, фигуре и так далее): выделите объект, в котором, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или щелкните правой кнопкой мыши по выделенному объекту и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Объект, который вы прокомментировали, будет помечен значком . Для просмотра комментария щелкните по этому значку. Чтобы добавить комментарий к определенному слайду, выделите слайд и используйте кнопку Комментарий на вкладке Вставка или Совместная работа верхней панели инструментов. Добавленный комментарий будет отображаться в левом верхнем углу слайда. Чтобы создать комментарий уровня презентации, который не относится к определенному объекту или слайду, нажмите на значок на левой боковой панели, чтобы открыть панель Комментарии, и используйте ссылку Добавить комментарий к документу. Комментарии уровня презентации можно просмотреть на панели Комментарии. Здесь также доступны комментарии, относящиеся к объектам и слайдам. Любой другой пользователь может ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, расположенную под комментарием. Вы можете управлять добавленными комментариями следующим образом: отредактировать их, нажав значок , удалить их, нажав значок , закрыть обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Сочетания клавиш", - "body": "Работа с презентацией Открыть панель 'Файл' Alt+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущую презентацию, просмотреть сведения о ней, создать новую презентацию или открыть существующую, получить доступ к Справке по онлайн-редактору презентаций или дополнительным параметрам. Открыть окно 'Поиск' Ctrl+F Открыть диалоговое окно Поиск, чтобы начать поиск символа/слова/фразы в редактируемой презентации. Открыть панель 'Комментарии' Ctrl+Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q Открыть панель Чат и отправить сообщение. Сохранить презентацию Ctrl+S Сохранить все изменения в редактируемой презентации. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать презентации Ctrl+P Распечатать презентацию на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемую презентацию на жестком диске компьютера в одном из поддерживаемых форматов: PPTX, PDF, ODP. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор презентаций на весь экран. Вызов справки F1 Открыть меню Справка онлайн-редактора презентаций. Открыть существующий файл Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Контекстное меню элемента Shift+F10 Открыть контекстное меню выбранного элемента. Закрыть файл Ctrl+W Закрыть выбранную презентацию. Закрыть окно (вкладку) Ctrl+F4 Закрыть вкладку в браузере. Навигация Первый слайд Home Перейти к первому слайду редактируемой презентации. Последний слайд End Перейти к последнему слайду редактируемой презентации. Следующий слайд Page Down Перейти к следующему слайду редактируемой презентации. Предыдущий слайд Page Up Перейти к предыдущему слайду редактируемой презентации. Увеличить масштаб Ctrl+Знак \"Плюс\" (+) Увеличить масштаб редактируемой презентации. Уменьшить масштаб Ctrl+Знак \"Минус\" (-) Уменьшить масштаб редактируемой презентации. Выполнение действий со слайдами Новый слайд Ctrl+M Создать новый слайд и добавить его после выделенного в списке слайдов. Дублировать слайд Ctrl+D Дублировать выделенный в списке слайд. Переместить слайд вверх Ctrl+Стрелка вверх Поместить выделенный слайд над предыдущим в списке. Переместить слайд вниз Ctrl+Стрелка вниз Поместить выделенный слайд под последующим в списке. Переместить слайд в начало Ctrl+Shift+Стрелка вверх Переместить выделенный слайд в самое начало списка. Переместить слайд в конец Ctrl+Shift+Стрелка вниз Переместить выделенный слайд в самый конец списка. Выполнение действий с объектами Создать копию Ctrl+перетаскивание или Ctrl+D Удерживайте клавишу Ctrl при перетаскивании выбранного объекта или нажмите Ctrl+D, чтобы создать копию объекта. Сгруппировать Ctrl+G Сгруппировать выделенные объекты. Разгруппировать Ctrl+Shift+G Разгруппировать выбранную группу объектов. Выделить следующий объект Tab Выделить следующий объект после выбранного в данный момент. Выделить предыдущий объект Shift+Tab Выделить предыдущий объект перед выбранным в данный момент. Нарисовать прямую линию или стрелку Shift+перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Модификация объектов Ограничить движение Shift+перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов Shift+перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции Shift+перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Попиксельное перемещение Ctrl+Клавиши со стрелками Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. Работа с таблицами Перейти к следующей ячейке в строке Tab Перейти к следующей ячейке в строке таблицы. Перейти к предыдущей ячейке в строке Shift+Tab Перейти к предыдущей ячейке в строке таблицы. Перейти к следующей строке Стрелка вниз Перейти к следующей строке таблицы. Перейти к предыдущей строке Стрелка вверх Перейти к предыдущей строке таблицы. Начать новый абзац Enter Начать новый абзац внутри ячейки. Добавить новую строку Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы. Просмотр презентации Начать просмотр с начала Ctrl+F5 Запустить презентацию с начала. Перейти вперед Enter, Page Down, Стрелка вправо, Стрелка вниз или Пробел Показать следующий эффект перехода или перейти к следующему слайду. Перейти назад Page Up, Стрелка влево, Стрелка вверх Показать предыдущий эффект перехода или вернуться к предыдущему слайду. Закрыть просмотр Esc Закончить просмотр слайдов. Отмена и повтор Отменить Ctrl+Z Отменить последнее выполненное действие. Повторить Ctrl+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, Shift+Delete Вырезать выделенный объект и отправить его в буфер обмена компьютера. Вырезанный объект можно затем вставить в другое место этой же презентации. Копировать Ctrl+C, Ctrl+Insert Отправить выделенный объект и в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации. Вставить Ctrl+V, Shift+Insert Вставить ранее скопированный объект из буфера обмена компьютера в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации. Вставить гиперссылку Ctrl+K Вставить гиперссылку, которую можно использовать для перехода по веб-адресу или для перехода на определенный слайд этой презентации. Копировать форматирование Ctrl+Shift+C Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этой же презентации. Применить форматирование Ctrl+Shift+V Применить ранее скопированное форматирование к тексту редактируемого текстового поля. Выделение с помощью мыши Добавить в выделенный фрагмент Shift Начните выделение, удерживайте клавишу Shift и щелкните там, где требуется закончить выделение. Выделение с помощью клавиатуры Выделить все Ctrl+A Выделить все слайды (в списке слайдов), или все объекты на слайде (в области редактирования слайда), или весь текст (внутри текстового поля) - в зависимости от того, где установлен курсор мыши. Выделить фрагмент текста Shift+Стрелка Выделить текст посимвольно. Выделить текст с позиции курсора до начала строки Shift+Home Выделить фрагмент текста с позиции курсора до начала текущей строки. Выделить текст с позиции курсора до конца строки Shift+End Выделить фрагмент текста с позиции курсора до конца текущей строки. Выделить один символ справа Shift+Стрелка вправо Выделить один символ справа от позиции курсора. Выделить один символ слева Shift+Стрелка влево Выделить один символ слева от позиции курсора. Выделить до конца слова Ctrl+Shift+Стрелка вправо Выделить фрагмент текста с позиции курсора до конца слова. Выделить до начала слова Ctrl+Shift+Стрелка влево Выделить фрагмент текста с позиции курсора до начала слова. Выделить одну строку выше Shift+Стрелка вверх Выделить одну строку выше (курсор находится в начале строки). Выделить одну строку ниже Shift+Стрелка вниз Выделить одну строку ниже (курсор находится в начале строки). Оформление текста Жирный шрифт Ctrl+B Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность. Курсив Ctrl+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо. Подчеркнутый шрифт Ctrl+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами. Подстрочные знаки Ctrl+точка (.) Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах. Надстрочные знаки Ctrl+запятая (,) Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях. Маркированный список Ctrl+Shift+L Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список. Убрать форматирование Ctrl+Пробел Убрать форматирование из выделенного фрагмента текста. Увеличить шрифт Ctrl+] Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста. Уменьшить шрифт Ctrl+[ Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста. Выровнять по центру/левому краю Ctrl+E Переключать абзац между выравниванием по центру и по левому краю. Выровнять по ширине/левому краю Ctrl+J Переключать абзац между выравниванием по ширине и по левому краю. Выровнять по правому краю/левому краю Ctrl+R Переключать абзац между выравниванием по правому краю и по левому краю. Выровнять по левому краю Ctrl+L Выровнять текст по левому краю текстового поля (правый край остается невыровненным). Удалить один символ слева Backspace Удалить один символ слева от курсора. Удалить один символ справа Delete Удалить один символ справа от курсора. Перемещение по тексту Перейти на один символ влево Стрелка влево Переместить курсор на один символ влево. Перейти на один символ вправо Стрелка вправо Переместить курсор на один символ вправо. Перейти на одну строку вверх Стрелка вверх Переместить курсор на одну строку вверх. Перейти на одну строку вниз Стрелка вниз Переместить курсор на одну строку вниз. Перейти в начало слова или на одно слово влево Ctrl+Стрелка влево Переместить курсор в начало слова или на одно слово влево. Перейти на одно слово вправо Ctrl+Стрелка вправо Переместить курсор на одно слово вправо. Перейти в начало строки Home Установить курсор в начале редактируемой строки. Перейти в конец строки End Установить курсор в конце редактируемой строки. Перейти в начало текстового поля Ctrl+Home Установить курсор в начале редактируемого текстового поля. Перейти в конец текстового поля Ctrl+End Установить курсор в конце редактируемого текстового поля." + "body": "Windows/Linux Mac OS Работа с презентацией Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущую презентацию, просмотреть сведения о ней, создать новую презентацию или открыть существующую, получить доступ к Справке по онлайн-редактору презентаций или дополнительным параметрам. Открыть окно 'Поиск' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск, чтобы начать поиск символа/слова/фразы в редактируемой презентации. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить презентацию Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемой презентации. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать презентации Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать презентацию на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемую презентацию на жестком диске компьютера в одном из поддерживаемых форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор презентаций на весь экран. Вызов справки F1 F1 Открыть меню Справка онлайн-редактора презентаций. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Закрыть выбранную презентацию в десктопных редакторах. Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Навигация Первый слайд Home Home, Fn+← Перейти к первому слайду редактируемой презентации. Последний слайд End End, Fn+→ Перейти к последнему слайду редактируемой презентации. Следующий слайд Page Down Page Down, Fn+↓ Перейти к следующему слайду редактируемой презентации. Предыдущий слайд Page Up Page Up, Fn+↑ Перейти к предыдущему слайду редактируемой презентации. Увеличить масштаб Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Увеличить масштаб редактируемой презентации. Уменьшить масштаб Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемой презентации. Выполнение действий со слайдами Новый слайд Ctrl+M ^ Ctrl+M Создать новый слайд и добавить его после выделенного в списке слайдов. Дублировать слайд Ctrl+D ⌘ Cmd+D Дублировать выделенный в списке слайд. Переместить слайд вверх Ctrl+↑ ⌘ Cmd+↑ Поместить выделенный слайд над предыдущим в списке. Переместить слайд вниз Ctrl+↓ ⌘ Cmd+↓ Поместить выделенный слайд под последующим в списке. Переместить слайд в начало Ctrl+⇧ Shift+↑ ⌘ Cmd+⇧ Shift+↑ Переместить выделенный слайд в самое начало списка. Переместить слайд в конец Ctrl+⇧ Shift+↓ ⌘ Cmd+⇧ Shift+↓ Переместить выделенный слайд в самый конец списка. Выполнение действий с объектами Создать копию Ctrl + перетаскивание, Ctrl+D ^ Ctrl + перетаскивание, ^ Ctrl+D, ⌘ Cmd+D Удерживайте клавишу Ctrl при перетаскивании выбранного объекта или нажмите Ctrl+D (⌘ Cmd+D для Mac), чтобы создать копию объекта. Сгруппировать Ctrl+G ⌘ Cmd+G Сгруппировать выделенные объекты. Разгруппировать Ctrl+⇧ Shift+G ⌘ Cmd+⇧ Shift+G Разгруппировать выбранную группу объектов. Выделить следующий объект ↹ Tab ↹ Tab Выделить следующий объект после выбранного в данный момент. Выделить предыдущий объект ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Выделить предыдущий объект перед выбранным в данный момент. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Попиксельное перемещение Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Удерживайте клавишу Ctrl (⌘ Cmd для Mac) и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз. Работа с таблицами Перейти к следующей ячейке в строке ↹ Tab ↹ Tab Перейти к следующей ячейке в строке таблицы. Перейти к предыдущей ячейке в строке ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Перейти к предыдущей ячейке в строке таблицы. Перейти к следующей строке ↓ ↓ Перейти к следующей строке таблицы. Перейти к предыдущей строке ↑ ↑ Перейти к предыдущей строке таблицы. Начать новый абзац ↵ Enter ↵ Return Начать новый абзац внутри ячейки. Добавить новую строку ↹ Tab в правой нижней ячейке таблицы. ↹ Tab в правой нижней ячейке таблицы. Добавить новую строку внизу таблицы. Просмотр презентации Начать просмотр с начала Ctrl+F5 ^ Ctrl+F5 Запустить презентацию с начала. Перейти вперед ↵ Enter, Page Down, →, ↓, ␣ Spacebar ↵ Return, Page Down, →, ↓, ␣ Spacebar Показать следующий эффект перехода или перейти к следующему слайду. Перейти назад Page Up, ←, ↑ Page Up, ←, ↑ Показать предыдущий эффект перехода или вернуться к предыдущему слайду. Закрыть просмотр Esc Esc Закончить просмотр слайдов. Отмена и повтор Отменить Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Вырезать выделенный объект и отправить его в буфер обмена компьютера. Вырезанный объект можно затем вставить в другое место этой же презентации. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенный объект и в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированный объект из буфера обмена компьютера в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации. Вставить гиперссылку Ctrl+K ^ Ctrl+K, ⌘ Cmd+K Вставить гиперссылку, которую можно использовать для перехода по веб-адресу или для перехода на определенный слайд этой презентации. Копировать форматирование Ctrl+⇧ Shift+C ^ Ctrl+⇧ Shift+C, ⌘ Cmd+⇧ Shift+C Скопировать форматирование из выделенного фрагмента редактируемого текста. Скопированное форматирование можно затем применить к другому тексту в этой же презентации. Применить форматирование Ctrl+⇧ Shift+V ^ Ctrl+⇧ Shift+V, ⌘ Cmd+⇧ Shift+V Применить ранее скопированное форматирование к тексту редактируемого текстового поля. Выделение с помощью мыши Добавить в выделенный фрагмент ⇧ Shift ⇧ Shift Начните выделение, удерживайте клавишу ⇧ Shift и щелкните там, где требуется закончить выделение. Выделение с помощью клавиатуры Выделить все Ctrl+A ^ Ctrl+A, ⌘ Cmd+A Выделить все слайды (в списке слайдов), или все объекты на слайде (в области редактирования слайда), или весь текст (внутри текстового поля) - в зависимости от того, где установлен курсор мыши. Выделить фрагмент текста ⇧ Shift+→ ← ⇧ Shift+→ ← Выделить текст посимвольно. Выделить текст с позиции курсора до начала строки ⇧ Shift+Home Выделить фрагмент текста с позиции курсора до начала текущей строки. Выделить текст с позиции курсора до конца строки ⇧ Shift+End Выделить фрагмент текста с позиции курсора до конца текущей строки. Выделить один символ справа ⇧ Shift+→ ⇧ Shift+→ Выделить один символ справа от позиции курсора. Выделить один символ слева ⇧ Shift+← ⇧ Shift+← Выделить один символ слева от позиции курсора. Выделить до конца слова Ctrl+⇧ Shift+→ Выделить фрагмент текста с позиции курсора до конца слова. Выделить до начала слова Ctrl+⇧ Shift+← Выделить фрагмент текста с позиции курсора до начала слова. Выделить одну строку выше ⇧ Shift+↑ ⇧ Shift+↑ Выделить одну строку выше (курсор находится в начале строки). Выделить одну строку ниже ⇧ Shift+↓ ⇧ Shift+↓ Выделить одну строку ниже (курсор находится в начале строки). Оформление текста Жирный шрифт Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность. Курсив Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо. Подчеркнутый шрифт Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами. Зачеркнутый шрифт Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам. Подстрочные знаки Ctrl+⇧ Shift+> ⌘ Cmd+⇧ Shift+> Сделать выделенный фрагмент текста мельче и поместить его в нижней части строки, например, как в химических формулах. Надстрочные знаки Ctrl+⇧ Shift+< ⌘ Cmd+⇧ Shift+< Сделать выделенный фрагмент текста мельче и поместить его в верхней части строки, например, как в дробях. Маркированный список Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Создать из выделенного фрагмента текста неупорядоченный маркированный список или начать новый список. Убрать форматирование Ctrl+␣ Spacebar Убрать форматирование из выделенного фрагмента текста. Увеличить шрифт Ctrl+] ^ Ctrl+], ⌘ Cmd+] Увеличить на 1 пункт размер шрифта для выделенного фрагмента текста. Уменьшить шрифт Ctrl+[ ^ Ctrl+[, ⌘ Cmd+[ Уменьшить на 1 пункт размер шрифта для выделенного фрагмента текста. Выровнять по центру Ctrl+E Выровнять текст по центру между правым и левым краем текстового поля. Выровнять по ширине Ctrl+J Выровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Выровнять по правому краю Ctrl+R Выровнять текст по правому краю текстового поля (левый край остается невыровненным). Выровнять по левому краю Ctrl+L Выровнять текст по левому краю текстового поля (правый край остается невыровненным). Увеличить отступ слева Ctrl+M ^ Ctrl+M Увеличить отступ абзаца слева на одну позицию табуляции. Уменьшить отступ слева Ctrl+⇧ Shift+M ^ Ctrl+⇧ Shift+M Уменьшить отступ абзаца слева на одну позицию табуляции. Удалить один символ слева ← Backspace ← Backspace Удалить один символ слева от курсора. Удалить один символ справа Delete Fn+Delete Удалить один символ справа от курсора. Перемещение по тексту Перейти на один символ влево ← ← Переместить курсор на один символ влево. Перейти на один символ вправо → → Переместить курсор на один символ вправо. Перейти на одну строку вверх ↑ ↑ Переместить курсор на одну строку вверх. Перейти на одну строку вниз ↓ ↓ Переместить курсор на одну строку вниз. Перейти в начало слова или на одно слово влево Ctrl+← ⌘ Cmd+← Переместить курсор в начало слова или на одно слово влево. Перейти на одно слово вправо Ctrl+→ ⌘ Cmd+→ Переместить курсор на одно слово вправо. Перейти к следующему текстовому заполнителю Ctrl+↵ Enter ^ Ctrl+↵ Return, ⌘ Cmd+↵ Return Перейти к следующему текстовому заполнителю с заголовком или основным текстом слайда. Если это последний текстовый заполнитель на слайде, будет вставлен новый слайд с таким же макетом, как у исходного. Перейти в начало строки Home Home Установить курсор в начале редактируемой строки. Перейти в конец строки End End Установить курсор в конце редактируемой строки. Перейти в начало текстового поля Ctrl+Home Установить курсор в начале редактируемого текстового поля. Перейти в конец текстового поля Ctrl+End Установить курсор в конце редактируемого текстового поля." }, { "id": "HelpfulHints/Navigation.htm", @@ -28,7 +28,7 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Функция поиска", - "body": "Чтобы найти нужные символы, слова или фразы, которые используются в редактируемой презентации, щелкните по значку , расположенному на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Откроется окно Поиск: Введите запрос в соответствующее поле ввода данных. Нажмите на одну из кнопок со стрелками справа. Поиск будет выполняться или по направлению к началу презентации (если нажата кнопка ), или по направлению к концу презентации (если нажата кнопка ), начиная с текущей позиции. Первый слайд в в выбранном направлении, содержащий заданные символы, будет выделен в списке слайдов и отображен в рабочей области. Нужные символы будут подсвечены. Если это не тот слайд, который вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующий слайд, содержащий заданные символы." + "body": "и замены Чтобы найти нужные символы, слова или фразы, которые используются в редактируемой презентации, щелкните по значку , расположенному на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и Ваш запрос, (например, если Вы ввели запрос 'Редактор', такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Чтобы отключить этот параметр, щелкните по флажку еще раз. Нажмите на одну из кнопок со стрелками справа. Поиск будет выполняться или по направлению к началу презентации (если нажата кнопка ), или по направлению к концу презентации (если нажата кнопка ), начиная с текущей позиции. Первый слайд в в выбранном направлении, содержащий заданные символы, будет выделен в списке слайдов и отображен в рабочей области. Нужные символы будут подсвечены. Если это не тот слайд, который вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующий слайд, содержащий заданные символы. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." }, { "id": "HelpfulHints/SpellChecking.htm", @@ -38,37 +38,37 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных презентаций", - "body": "Презентация - это серия слайдов, которые могут содержать различные типы контента, такие как изображения, файлы мультимедиа, текст, эффекты и т.д. Редактор презентаций работает со следующими форматами презентаций: Форматы Описание Просмотр Редактирование Скачивание PPTX Office Open XML Presentation разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + PPT Формат файлов, используемый программой Microsoft PowerPoint + ODP OpenDocument Presentation Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем +" + "body": "Презентация - это серия слайдов, которые могут содержать различные типы контента, такие как изображения, файлы мультимедиа, текст, эффекты и т.д. Редактор презентаций работает со следующими форматами презентаций: Форматы Описание Просмотр Редактирование Скачивание PPT Формат файлов, используемый программой Microsoft PowerPoint + + PPTX Office Open XML Presentation разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для представления электронных таблиц, диаграмм, презентаций и текстовых документов + + + POTX PowerPoint Open XML Document Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов презентаций. Шаблон POTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + + ODP OpenDocument Presentation Формат файлов, который представляет презентации, созданные приложением Impress, входящим в состав пакетов офисных приложений на базе OpenOffice + + + OTP OpenDocument Presentation Template Формат текстовых файлов OpenDocument для шаблонов презентаций. Шаблон OTP содержит настройки форматирования, стили и т.д. и может использоваться для создания множества презентаций со схожим форматированием + + в онлайн-версии PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. +" }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Вкладка Совместная работа", - "body": "Вкладка Совместная работа позволяет организовать совместную работу над презентацией: предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа, переключаться между Строгим и Быстрым режимами совместного редактирования, добавлять комментарии к презентации, открывать панель Чата." + "body": "Вкладка Совместная работа позволяет организовать совместную работу над презентацией. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. В десктопной версии можно управлять комментариями. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять комментарии к презентации, открывать панель Чата (доступно только в онлайн-версии)." }, { "id": "ProgramInterface/FileTab.htm", "title": "Вкладка Файл", - "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. С помощью этой вкладки вы можете выполнить следующие действия: сохранить текущий файл (если отключена опция Автосохранение), скачать, распечатать или переименовать его, создать новую презентацию или открыть недавно отредактированную, просмотреть общие сведения о презентации, управлять правами доступа, открыть дополнительные параметры редактора, вернуться в список документов." + "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить документ в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию документа в выбранном формате на портале), распечатать или переименовать его, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль (доступно только в десктопной версии); создать новую презентацию или открыть недавно отредактированную (доступно только в онлайн-версии), просмотреть общие сведения о презентации, управлять правами доступа (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Вкладка Главная", - "body": "Вкладка Главная открывается по умолчанию при открытии презентации. Она позволяет задать основные параметры слайда, форматировать текст, вставлять некоторые объекты, выравнивать и располагать их в определенном порядке. С помощью этой вкладки вы можете выполнить следующие действия: управлять слайдами и начать показ слайдов, форматировать текст внутри текстового поля, вставлять текстовые поля, изображения, фигуры, выравнивать и упорядочивать объекты на слайде, копировать и очищать форматирование текста, изменять тему, цветовую схему или размер слайдов." + "body": "Вкладка Главная открывается по умолчанию при открытии презентации. Она позволяет задать основные параметры слайда, форматировать текст, вставлять некоторые объекты, выравнивать и располагать их в определенном порядке. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: управлять слайдами и начать показ слайдов, форматировать текст внутри текстового поля, вставлять текстовые поля, изображения, фигуры, выравнивать и упорядочивать объекты на слайде, копировать и очищать форматирование текста, изменять тему, цветовую схему или размер слайдов." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Вкладка Вставка", - "body": "Вкладка Вставка позволяет добавлять в презентацию визуальные объекты и комментарии. С помощью этой вкладки вы можете выполнить следующие действия: вставлять таблицы, вставлять текстовые поля и объекты Text Art, изображения, фигуры, диаграммы, вставлять комментарии и гиперссылки, вставлять формулы." + "body": "Вкладка Вставка позволяет добавлять в презентацию визуальные объекты и комментарии. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: С помощью этой вкладки вы можете выполнить следующие действия: вставлять таблицы, вставлять текстовые поля и объекты Text Art, изображения, фигуры, диаграммы, вставлять комментарии и гиперссылки, вставлять формулы." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Вкладка Плагины", - "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Кнопка Macros позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: ClipArt позволяет добавлять в презентацию изображения из коллекции картинок, PhotoEditor позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее, Symbol Table позволяет вставлять в текст специальные символы, Translator позволяет переводить выделенный текст на другие языки, YouTube позволяет встраивать в презентацию видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API. Все существующие в настоящий момент примеры плагинов с открытым исходным кодом доступны на GitHub." + "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить презентацию по электронной почте с помощью десктопного почтового клиента по умолчанию, Аудио - позволяет вставлять в презентацию аудиозаписи, сохраненные на жестком диске, Видео - позволяет вставлять в презентацию видеозаписи, сохраненные на жестком диске, Клипарт позволяет добавлять в презентацию изображения из коллекции картинок, Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Фоторедактор позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее, Таблица символов позволяет вставлять в текст специальные символы, Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик позволяет переводить выделенный текст на другие языки, YouTube позволяет встраивать в презентацию видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора презентаций", - "body": "В редакторе презентаций используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки меню, название презентации. Cправа также находятся три значка, с помощью которых можно задать права доступа, вернуться в список документов, настраивать параметры представления и получать доступ к дополнительным параметрам редактора. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Совместная работа, Плагины. Опции Печать, Сохранить, Копировать, Вставить, Отменить и Повторить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, \"Все изменения сохранены\" и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии. На Левой боковой панели находятся значки, позволяющие использовать инструмент поиска, свернуть или развернуть список слайдов, открыть панель Комментариев и Чата, обратиться в службу технической поддержки и посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на слайде определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки помогают располагать объекты на слайде и позволяют настраивать позиции табуляции и отступы абзацев внутри текстовых полей. В Рабочей области вы можете просматривать содержимое презентации, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать презентацию вверх и вниз. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "В редакторе презентаций используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора презентаций: Окно десктопного редактора презентаций: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. В Строке состояния, расположенной внизу окна редактора, находится значок Начать показ слайдов, некоторые инструменты навигации: указатель номера слайда и кнопки масштаба. В Строке состояния отображаются некоторые оповещения (например, \"Все изменения сохранены\" и т.д.), с ее помощью также можно задать язык текста и включить проверку орфографии. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, а также значки, позволяющие обратиться в службу технической поддержки и посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на слайде определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. Горизонтальная и вертикальная Линейки помогают располагать объекты на слайде и позволяют настраивать позиции табуляции и отступы абзацев внутри текстовых полей. В Рабочей области вы можете просматривать содержимое презентации, вводить и редактировать данные. Полоса прокрутки, расположенная справа, позволяет прокручивать презентацию вверх и вниз. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." }, { "id": "UsageInstructions/AddHyperlinks.htm", @@ -78,7 +78,7 @@ var indexes = { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Выравнивание и упорядочивание объектов на слайде", - "body": "Добавленные автофигуры, изображения, диаграммы или текстовые поля на слайде можно выровнять, сгруппировать, расположить в определенном порядке, распределить по горизонтали и вертикали. Для выполнения любого из этих действий сначала выберите отдельный объект или несколько объектов в области редактирования слайда. Для выделения нескольких объектов удерживайте клавишу Ctrl и щелкайте по нужным объектам левой кнопкой мыши. Чтобы выделить текстовое поле, щелкайте по его границе, а не по тексту внутри него. После этого можно использовать или описанные ниже значки, расположенные на вкладке Главная верхней панели инструментов, или аналогичные команды контекстного меню, вызываемого правой кнопкой мыши. Выравнивание объектов Чтобы выровнять выбранный объект или объекты, щелкните по значку Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объект (объекты) по горизонтали по левому краю слайда, Выровнять по центру - чтобы выровнять объект (объекты) по горизонтали по центру слайда, Выровнять по правому краю - чтобы выровнять объект (объекты) по горизонтали по правому краю слайда, Выровнять по верхнему краю - чтобы выровнять объект (объекты) по вертикали по верхнему краю слайда, Выровнять по середине - чтобы выровнять объект (объекты) по вертикали по середине слайда, Выровнять по нижнему краю - чтобы выровнять объект (объекты) по вертикали по нижнему краю слайда. Чтобы распределить два или более выбранных объекта по горизонтали или вертикали, щелкните по значку Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип распределения: Распределить по горизонтали - чтобы выровнять выбранные объекты по их центрам (между правым и левым краем) по горизонтальному центру слайда Распределить по вертикали - чтобы выровнять выбранные объекты по их центрам (между верхним и нижним краем) по вертикальному центру слайда. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), щелкните по значку Порядок фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект (объекты), так что он будет находиться перед всеми остальными объектами, Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов, Перенести вперед - чтобы переместить выбранный объект (объекты) на один уровень вперед по отношению к другим объектам. Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам. Чтобы сгруппировать два или более выбранных объектов или разгруппировать их, щелкните по значку Порядок фигур на вкладке Главная верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов." + "body": "Добавленные автофигуры, изображения, диаграммы или текстовые поля на слайде можно выровнять, сгруппировать, расположить в определенном порядке, распределить по горизонтали и вертикали. Для выполнения любого из этих действий сначала выберите отдельный объект или несколько объектов в области редактирования слайда. Для выделения нескольких объектов удерживайте клавишу Ctrl и щелкайте по нужным объектам левой кнопкой мыши. Чтобы выделить текстовое поле, щелкайте по его границе, а не по тексту внутри него. После этого можно использовать или описанные ниже значки, расположенные на вкладке Главная верхней панели инструментов, или аналогичные команды контекстного меню, вызываемого правой кнопкой мыши. Выравнивание объектов Чтобы выровнять два или более выделенных объектов, Щелкните по значку Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите один из следующих вариантов: Выровнять относительно слайда чтобы выровнять объекты относительно краев слайда, Выровнять выделенные объекты (эта опция выбрана по умолчанию) чтобы выровнять объекты относительно друг друга, Еще раз нажмите на значок Выравнивание фигур и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объекты по горизонтали по левому краю самого левого объекта/по левому краю слайда, Выровнять по центру - чтобы выровнять объекты по горизонтали по их центру/по центру слайда, Выровнять по правому краю - чтобы выровнять объекты по горизонтали по правому краю самого правого объекта/по правому краю слайда, Выровнять по верхнему краю - чтобы выровнять объекты по вертикали по верхнему краю самого верхнего объекта/по верхнему краю слайда, Выровнять по середине - чтобы выровнять объекты по вертикали по их середине/по середине слайда, Выровнять по нижнему краю - чтобы выровнять объекты по вертикали по нижнему краю самого нижнего объекта/по нижнему краю слайда. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты выравнивания объектов. Если требуется выровнять один объект, его можно выровнять относительно краев слайда. В этом случае по умолчанию выбрана опция Выровнять относительно слайда. Распределение объектов Чтобы распределить три или более выбранных объектов по горизонтали или вертикали таким образом, чтобы между ними было равное расстояние, Щелкните по значку Выравнивание фигур на вкладке Главная верхней панели инструментов и выберите один из следующих вариантов: Выровнять относительно слайда - чтобы распределить объекты между краями слайда, Выровнять выделенные объекты (эта опция выбрана по умолчанию) - чтобы распределить объекты между двумя крайними выделенными объектами, Еще раз нажмите на значок Выравнивание фигур и выберите из списка нужный тип распределения: Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом/левым и правым краем слайда. Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом/верхним и нижним краем слайда. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты распределения объектов. Примечание: параметры распределения неактивны, если выделено менее трех объектов. Группировка объектов Чтобы сгруппировать два или более выбранных объектов или разгруппировать их, щелкните по значку Порядок фигур на вкладке Главная верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать. Примечание: параметр Сгруппировать неактивен, если выделено менее двух объектов. Параметр Разгруппировать активен только при выделении ранее сгруппированных объектов. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), щелкните по значку Порядок фигур на вкладке Главная верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект (объекты), так что он будет находиться перед всеми остальными объектами, Перенести на задний план - чтобы переместить выбранный объект (объекты), так что он будет находиться позади всех остальных объектов, Перенести вперед - чтобы переместить выбранный объект (объекты) на один уровень вперед по отношению к другим объектам. Перенести назад - чтобы переместить выбранный объект (объекты) на один уровень назад по отношению к другим объектам. Можно также щелкнуть по выделенному объекту или объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать доступные варианты расположения объектов." }, { "id": "UsageInstructions/ApplyTransitions.htm", @@ -88,12 +88,12 @@ var indexes = { "id": "UsageInstructions/CopyClearFormatting.htm", "title": "Копирование/очистка форматирования текста", - "body": "Чтобы скопировать определенное форматирование текста, выделите мышью или с помощью клавиатуры фрагмент текста с форматированием, которое надо скопировать, нажмите значок Копировать стиль на вкладке Главная верхней панели инструментов (указатель мыши будет при этом выглядеть так: ), выделите фрагмент текста, к которому требуется применить то же самое форматирование. Чтобы быстро убрать из текста примененное форматирование, выделите фрагмент текста, форматирование которого надо убрать, нажмите значок Очистить стиль на вкладке Главная верхней панели инструментов." + "body": "Чтобы скопировать определенное форматирование текста, выделите мышью или с помощью клавиатуры фрагмент текста с форматированием, которое надо скопировать, нажмите значок Копировать стиль на вкладке Главная верхней панели инструментов (указатель мыши будет при этом выглядеть так: ), выделите фрагмент текста, к которому требуется применить то же самое форматирование. Чтобы применить скопированное форматирование ко множеству фрагментов текста, с помощью мыши или клавиатуры выделите фрагмент текста, форматирование которого надо скопировать, дважды нажмите значок Копировать стиль на вкладке Главная верхней панели инструментов (указатель мыши будет при этом выглядеть так: , а значок Копировать стиль будет оставаться нажатым: ), поочередно выделяйте нужные фрагменты текста, чтобы применить одинаковое форматирование к каждому из них, для выхода из этого режима еще раз нажмите значок Копировать стиль или нажмите клавишу Esc на клавиатуре. Чтобы быстро убрать из текста примененное форматирование, выделите фрагмент текста, форматирование которого надо убрать, нажмите значок Очистить стиль на вкладке Главная верхней панели инструментов." }, { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Копирование / вставка данных, отмена / повтор действий", - "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки выделенных объектов (слайдов, фрагментов текста, автофигур) в текущей презентации или отмены / повтора действий используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же презентации. Копировать – выделите объект и используйте значок Копировать чтобы отправить выделенные данные в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации. Вставить – найдите то место в презентации, куда надо вставить ранее скопированный объект и используйте значок Вставить . Объект будет вставлен в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации. Для копирования данных из другой презентации или какой-то другой программы или вставки в них данных используйте следующие сочетания клавиш: сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки; сочетание клавиш Ctrl+X для вырезания. Использование функции Специальная вставка После вставки скопированных данных рядом со вставленным текстовым фрагментом или объектом появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке фрагментов текста доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция используется по умолчанию. Сохранить исходное форматирование - позволяет сохранить исходное форматирование скопированного текста. Изображение - позволяет вставить текст как изображение, чтобы его нельзя было редактировать. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке объектов (автофигур, диаграмм, таблиц) доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция выбрана по умолчанию. Изображение - позволяет вставить объект как изображение, чтобы его нельзя было редактировать. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки, доступные на любой вкладке верхней панели инструментов, или сочетания клавиш: Отменить – используйте значок Отменить , чтобы отменить последнее выполненное действие. Повторить – используйте значок Повторить , чтобы повторить последнее отмененное действие. Можно также использовать сочетание клавиш Ctrl+Z для отмены или Ctrl+Y для повтора действия." + "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки выделенных объектов (слайдов, фрагментов текста, автофигур) в текущей презентации или отмены / повтора действий используйте соответствующие команды контекстного меню или значки, доступные на любой вкладке верхней панели инструментов: Вырезать – выделите фрагмент текста или объект и используйте опцию контекстного меню Вырезать, чтобы удалить выделенный фрагмент и отправить его в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же презентации. Копировать – выделите объект и используйте значок Копировать чтобы отправить выделенные данные в буфер обмена компьютера. Скопированный объект можно затем вставить в другое место этой же презентации. Вставить – найдите то место в презентации, куда надо вставить ранее скопированный объект и используйте значок Вставить . Объект будет вставлен в текущей позиции курсора. Объект может быть ранее скопирован из этой же презентации. В онлайн-версии для копирования данных из другой презентации или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки; сочетание клавиш Ctrl+X для вырезания. Использование функции Специальная вставка После вставки скопированных данных рядом со вставленным текстовым фрагментом или объектом появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке фрагментов текста доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция используется по умолчанию. Сохранить исходное форматирование - позволяет сохранить исходное форматирование скопированного текста. Изображение - позволяет вставить текст как изображение, чтобы его нельзя было редактировать. Сохранить только текст - позволяет вставить текст без исходного форматирования. При вставке объектов (автофигур, диаграмм, таблиц) доступны следующие параметры: Использовать конечную тему - позволяет применить форматирование, определяемое темой текущей презентации. Эта опция выбрана по умолчанию. Изображение - позволяет вставить объект как изображение, чтобы его нельзя было редактировать. Отмена / повтор действий Для выполнения операций отмены/повтора используйте соответствующие значки в левой части шапки редактора или сочетания клавиш: Отменить – используйте значок Отменить , чтобы отменить последнее выполненное действие. Повторить – используйте значок Повторить , чтобы повторить последнее отмененное действие. Можно также использовать сочетание клавиш Ctrl+Z для отмены или Ctrl+Y для повтора действия. Обратите внимание: при совместном редактировании презентации в Быстром режиме недоступна возможность Повторить последнее отмененное действие." }, { "id": "UsageInstructions/CreateLists.htm", @@ -108,7 +108,7 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка и форматирование автофигур", - "body": "Вставка автофигуры Для добавления автофигуры на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить автофигуру, щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, в области редактирования слайда установите курсор там, где требуется поместить автофигуру, Примечание: чтобы растянуть фигуру, можно перетащить курсор при нажатой кнопке мыши. после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на слайде выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по автофигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - чтобы задать сплошной цвет, который требуется применить к выбранной фигуре. Градиентная заливка - чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Изображение или текстура - чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Узор - чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Можно использовать цвет выбранной темы, стандартный цвет или выбрать пользовательский цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Для изменения дополнительных параметров автофигуры щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры фигуры или щелкните левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств фигуры: На вкладке Размер можно изменить Ширину и/или Высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Поля вокруг текста можно изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура. Чтобы заменить добавленную автофигуру, щелкните по ней левой кнопкой мыши и используйте выпадающий список Изменить автофигуру на вкладке Параметры фигуры правой боковой панели. Чтобы удалить добавленную автофигуру, щелкните по ней левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять автофигуру на слайде или расположить в определенном порядке несколько автофигур, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно фигура 10, 11 и 12), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения." + "body": "Вставка автофигуры Для добавления автофигуры на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить автофигуру, щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, в области редактирования слайда установите курсор там, где требуется поместить автофигуру, Примечание: чтобы растянуть фигуру, можно перетащить курсор при нажатой кнопке мыши. после того, как автофигура будет добавлена, можно изменить ее размер, местоположение и свойства. Примечание: чтобы добавить надпись внутри фигуры, убедитесь, что фигура на слайде выделена, и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее активировать, щелкните по автофигуре и выберите значок Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - чтобы задать сплошной цвет, который требуется применить к выбранной фигуре. Градиентная заливка - чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Изображение или текстура - чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Узор - чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Можно использовать цвет выбранной темы, стандартный цвет или выбрать пользовательский цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Для изменения дополнительных параметров автофигуры щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры фигуры или щелкните левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств фигуры: На вкладке Размер можно изменить Ширину и/или Высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Поля вокруг текста можно изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит фигура. Чтобы заменить добавленную автофигуру, щелкните по ней левой кнопкой мыши и используйте выпадающий список Изменить автофигуру на вкладке Параметры фигуры правой боковой панели. Чтобы удалить добавленную автофигуру, щелкните по ней левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять автофигуру на слайде или расположить в определенном порядке несколько автофигур, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Главная или Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения." }, { "id": "UsageInstructions/InsertCharts.htm", @@ -123,7 +123,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка и настройка изображений", - "body": "Вставка изображения В онлайн-редакторе презентаций можно вставлять в презентацию изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Для добавления изображения на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить изображение, щелкните по значку Изображение на вкладке Главная или Вставка верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK после того как изображение будет добавлено, можно изменить его размер и положение. Изменение параметров изображения Правая боковая панель активируется при щелчке по изображению левой кнопкой мыши и выборе значка Параметры изображения справа. Вкладка содержит следующие разделы: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить размер изображения По умолчанию. Заменить изображение - используется, чтобы загрузить другое изображение вместо текущего, выбрав нужный источник. Можно выбрать одну из опций: Из файла или По URL. Опция Заменить изображение также доступна в контекстном меню, вызываемом правой кнопкой мыши. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню опцию Дополнительные параметры изображения или щелкните по изображению левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Положение позволяет задать следующие свойства изображения: Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию. Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять изображение на слайде или расположить в определенном порядке несколько изображений, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." + "body": "Вставка изображения В онлайн-редакторе презентаций можно вставлять в презентацию изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Для добавления изображения на слайд: в списке слайдов слева выберите тот слайд, на который требуется добавить изображение, щелкните по значку Изображение на вкладке Главная или Вставка верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK после того как изображение будет добавлено, можно изменить его размер и положение. Изменение параметров изображения Правая боковая панель активируется при щелчке по изображению левой кнопкой мыши и выборе значка Параметры изображения справа. Вкладка содержит следующие разделы: Размер - используется, чтобы просмотреть текущую Ширину и Высоту изображения или при необходимости восстановить размер изображения По умолчанию. Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Заменить изображение - используется, чтобы загрузить другое изображение вместо текущего, выбрав нужный источник. Можно выбрать одну из опций: Из файла или По URL. Опция Заменить изображение также доступна в контекстном меню, вызываемом правой кнопкой мыши. Поворот - используется, чтобы повернуть изображение на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить изображение слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню опцию Дополнительные параметры изображения или щелкните по изображению левой кнопкой мыши и нажмите на ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Положение позволяет задать следующие свойства изображения: Размер - используйте эту опцию, чтобы изменить ширину и/или высоту изображения. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию. Положение - используйте эту опцию, чтобы изменить положение изображения на слайде (вычисляется относительно верхней и левой стороны слайда). Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять изображение на слайде или расположить в определенном порядке несколько изображений, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." }, { "id": "UsageInstructions/InsertTables.htm", @@ -133,7 +133,7 @@ var indexes = { "id": "UsageInstructions/InsertText.htm", "title": "Вставка и форматирование текста", - "body": "Вставка текста Новый текст можно добавить тремя разными способами: Добавить фрагмент текста внутри соответствующей текстовой рамки, предусмотренной на макете слайда. Для этого установите курсор внутри текстовой рамки и напишите свой текст или вставьте его, используя сочетание клавиш Ctrl+V, вместо соответствующего текста по умолчанию. Добавить фрагмент текста в любом месте на слайде. Можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). В зависимости от требуемого типа текстового объекта можно сделать следующее: чтобы добавить текстовое поле, щелкните по значку Надпись на вкладке Главная или Вставка верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на вкладке Вставка верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре слайда. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. Добавить фрагмент текста внутри автофигуры. Выделите фигуру и начинайте печатать текст. Щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к слайду. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку (у нее по умолчанию невидимые границы) с текстом внутри, а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, обводку текстового поля, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы выровнять текстовое поле на слайде или расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Выравнивание текста внутри текстового поля Горизонтально текст выравнивается четырьмя способами: по левому краю, по правому краю, по центру или по ширине. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Горизонтальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по левому краю позволяет выровнять текст по левому краю текстового поля (правый край остается невыровненным). опция Выравнивание текста по центру позволяет выровнять текст по центру текстового поля (правый и левый края остаются невыровненными). опция Выравнивание текста по правому краю позволяет выровнять текст по правому краю текстового поля (левый край остается невыровненным). опция Выравнивание текста по ширине позволяет выровнять текст как по левому, так и по правому краю текстового поля (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Вертикально текст выравнивается тремя способами: по верхнему краю, по середине или по нижнему краю. Для этого: установите курсор в том месте, где требуется применить выравнивание (это может быть новая строка или уже введенный текст), разверните список Вертикальное выравнивание на вкладке Главная верхней панели инструментов, выберите тип выравнивания, который вы хотите применить: опция Выравнивание текста по верхнему краю позволяет выровнять текст по верхнему краю текстового поля. опция Выравнивание текста по середине позволяет выровнять текст по центру текстового поля. опция Выравнивание текста по нижнему краю позволяет выровнять текст по нижнему краю текстового поля. Изменение направления текста Чтобы повернуть текст внутри текстового поля, щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Поворот на 90° (задает вертикальное направление, сверху вниз) или Поворот на 270° (задает вертикальное направление, снизу вверх). Настройка типа, размера, цвета шрифта и применение стилей оформления Можно выбрать тип, размер и цвет шрифта, а также применить различные стили оформления шрифта, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к тексту, который уже есть в презентации, выделите его мышью или с помощью клавиатуры, а затем примените форматирование. Шрифт Используется для выбора шрифта из списка доступных. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка, или же значение можно ввести вручную в поле размера шрифта. Цвет шрифта Используется для изменения цвета букв/символов в тексте. Для выбора цвета нажмите направленную вниз стрелку рядом со значком. Жирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Задание междустрочного интервала и изменение отступов абзацев Можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Для этого: установите курсор в пределах нужного абзаца, или выделите мышью несколько абзацев, используйте соответствующие поля вкладки Параметры текста на правой боковой панели, чтобы добиться нужного результата: Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из трех опций: минимум (устанавливает минимальный междустрочный интервал, который требуется, чтобы соответствовать самому крупному шрифту или графическому элементу на строке), множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки. Чтобы изменить смещение абзаца от левого края текстового поля, установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев и используйте соответствующие значки на вкладке Главная верхней панели инструментов: Уменьшить отступ и Увеличить отступ . Можно также изменить дополнительные параметры абзаца. Установите курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и положение можно изменить смещение первой строки абзаца от левого внутреннего поля текстового объекта, а также смещение всего абзаца от левого и правого внутреннего поля текстового объекта. Чтобы задать отступы, можно также использовать горизонтальную линейку. Выделите нужный абзац или абзацы и перетащите маркеры отступов по линейке. Маркер отступа первой строки используется, чтобы задать смещение от левого внутреннего поля текстового объекта для первой строки абзаца. Маркер выступа используется, чтобы задать смещение от левого внутреннего поля текстового объекта для второй и всех последующих строк абзаца. Маркер отступа слева используется, чтобы задать смещение от левого внутреннего поля текстового объекта для всего абзаца. Маркер отступа справа используется, чтобы задать смещение абзаца от правого внутреннего поля текстового объекта. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Позиция табуляции По умолчанию имеет значение 1.25 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите переключатель По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Для установки позиций табуляции можно также использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области: По левому краю , По центру , По правому краю . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Изменение стиля объекта 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). Также можно вручную ввести произвольное значение в поле ввода и нажать клавишу Enter. Цвет шрифта Используется для изменения цвета букв/символов в тексте. Для выбора цвета нажмите направленную вниз стрелку рядом со значком. Жирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Надстрочные знаки Используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные знаки Используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Задание междустрочного интервала и изменение отступов абзацев Можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Для этого: установите курсор в пределах нужного абзаца, или выделите мышью несколько абзацев, используйте соответствующие поля вкладки Параметры текста на правой боковой панели, чтобы добиться нужного результата: Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из трех опций: минимум (устанавливает минимальный междустрочный интервал, который требуется, чтобы соответствовать самому крупному шрифту или графическому элементу на строке), множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Чтобы быстро изменить междустрочный интервал в текущем абзаце, можно также использовать значок Междустрочный интервал на вкладке Главная верхней панели инструментов, выбрав нужное значение из списка: 1.0, 1.15, 1.5, 2.0, 2.5, или 3.0 строки. Чтобы изменить смещение абзаца от левого края текстового поля, установите курсор в пределах нужного абзаца или выделите мышью несколько абзацев и используйте соответствующие значки на вкладке Главная верхней панели инструментов: Уменьшить отступ и Увеличить отступ . Можно также изменить дополнительные параметры абзаца. Установите курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и положение можно изменить смещение первой строки абзаца от левого внутреннего поля текстового объекта, а также смещение всего абзаца от левого и правого внутреннего поля текстового объекта. Чтобы задать отступы, можно также использовать горизонтальную линейку. Выделите нужный абзац или абзацы и перетащите маркеры отступов по линейке. Маркер отступа первой строки используется, чтобы задать смещение от левого внутреннего поля текстового объекта для первой строки абзаца. Маркер выступа используется, чтобы задать смещение от левого внутреннего поля текстового объекта для второй и всех последующих строк абзаца. Маркер отступа слева используется, чтобы задать смещение от левого внутреннего поля текстового объекта для всего абзаца. Маркер отступа справа используется, чтобы задать смещение абзаца от правого внутреннего поля текстового объекта. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Позиция табуляции По умолчанию имеет значение 1.25 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите переключатель По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По центру - центрирует текст относительно позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Такая позиция табуляции будет обозначена на горизонтальной линейке маркером . Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Для установки позиций табуляции можно также использовать горизонтальную линейку: Выберите нужный тип позиции табуляции, нажав на кнопку в левом верхнем углу рабочей области: По левому краю , По центру , По правому краю . Щелкните по нижнему краю линейки в том месте, где требуется установить позицию табуляции. Для изменения местоположения позиции табуляции перетащите ее по линейке. Для удаления добавленной позиции табуляции перетащите ее за пределы линейки. Примечание: если вы не видите линеек, перейдите на вкладку Главная верхней панели инструментов, щелкните по значку Параметры представления в правом верхнем углу и снимите отметку с опции Скрыть линейки, чтобы отобразить их. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и обводку шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." }, { "id": "UsageInstructions/ManageSlides.htm", @@ -143,12 +143,12 @@ var indexes = { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Работа с объектами на слайде", - "body": "Можно изменять размер различных объектов, перемещать и поворачивать их на слайде вручную при помощи специальных маркеров. Можно также точно задать размеры некоторых объектов и их положение с помощью правой боковой панели или окна Дополнительные параметры. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы/таблицы/текстового поля перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Чтобы задать точную ширину и высоту диаграммы, выделите ее на слайде и используйте раздел Размер на правой боковой панели, которая будет активирована. Чтобы задать точные размеры изображения или автофигуры, щелкните правой кнопкой мыши по нужному объекту на слайде и выберите пункт меню Дополнительные параметры изображения/фигуры. Укажите нужные значения на вкладке Размер окна Дополнительные параметры и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы/таблицы/текстового поля используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы задать точное положение изображения, щелкните правой кнопкой мыши по изображению на слайде и выберите пункт меню Дополнительные параметры изображения. Укажите нужные значения в разделе Положение окна Дополнительные параметры и нажмите кнопку OK. Поворот объектов Чтобы повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift." + "body": "Можно изменять размер различных объектов, перемещать и поворачивать их на слайде вручную при помощи специальных маркеров. Можно также точно задать размеры некоторых объектов и их положение с помощью правой боковой панели или окна Дополнительные параметры. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы/таблицы/текстового поля перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Чтобы задать точную ширину и высоту диаграммы, выделите ее на слайде и используйте раздел Размер на правой боковой панели, которая будет активирована. Чтобы задать точные размеры изображения или автофигуры, щелкните правой кнопкой мыши по нужному объекту на слайде и выберите пункт меню Дополнительные параметры изображения/фигуры. Укажите нужные значения на вкладке Размер окна Дополнительные параметры и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы/таблицы/текстового поля используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Чтобы задать точное положение изображения, щелкните правой кнопкой мыши по изображению на слайде и выберите пункт меню Дополнительные параметры изображения. Укажите нужные значения в разделе Положение окна Дополнительные параметры и нажмите кнопку OK. Поворот объектов Чтобы вручную повернуть автофигуру/изображение/текстовое поле, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Чтобы повернуть объект на 90 градусов против часовой стрелки или по часовой стрелке или отразить объект по горизонтали или по вертикали, можно использовать раздел Поворот на правой боковой панели, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, нажмите на значок Параметры фигуры или Параметры изображения справа. Нажмите на одну из кнопок: чтобы повернуть объект на 90 градусов против часовой стрелки чтобы повернуть объект на 90 градусов по часовой стрелке чтобы отразить объект по горизонтали (слева направо) чтобы отразить объект по вертикали (сверху вниз) Также можно щелкнуть правой кнопкой мыши по объекту, выбрать из контекстного меню пункт Поворот, а затем использовать один из доступных вариантов поворота объекта. Чтобы повернуть объект на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK." }, { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Создание новой презентации или открытие существующей", - "body": "Когда онлайн-редактор презентаций открыт, Вы можете сразу же перейти к уже существующей презентации, которую Вы недавно редактировали, создать новую, или вернуться к списку существующих презентаций. Для создания новой презентации в онлайн-редакторе презентаций: нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. Для открытия недавно отредактированной презентации в онлайн-редакторе презентаций: нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную презентацию из списка недавно отредактированных презентаций. Для возврата к списку существующих презентаций нажмите на значок Перейти к Документам в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Перейти к Документам." + "body": "Чтобы создать новую презентацию В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. В десктопном редакторе в главном окне программы выберите пункт меню Презентация в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке, после внесения в презентацию необходимых изменений нажмите на значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как. в окне проводника выберите местоположение файла на жестком диске, задайте название презентации, выберите формат сохранения (PPTX, Шаблон презентации, ODP, PDF или PDFA) и нажмите кнопку Сохранить. Чтобы открыть существующую презентацию В десктопном редакторе в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели, выберите нужную презентацию в окне проводника и нажмите кнопку Открыть. Можно также щелкнуть правой кнопкой мыши по нужному файлу в окне проводника, выбрать опцию Открыть с помощью и затем выбрать в меню нужное приложение. Если файлы офисных документов ассоциированы с приложением, презентации также можно открывать двойным щелчком мыши по названию файла в окне проводника. Все каталоги, к которым вы получали доступ с помощью десктопного редактора, будут отображены в разделе Открыть локальный файл в списке Последние папки, чтобы в дальнейшем вы могли быстро их открыть. Щелкните по нужной папке, чтобы выбрать один из находящихся в ней файлов. Чтобы открыть недавно отредактированную презентацию В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную презентацию из списка недавно отредактированных презентаций. В десктопном редакторе в главном окне программы выберите пункт меню Последние файлы на левой боковой панели, выберите нужную презентацию из списка недавно измененных документов. Чтобы открыть папку, в которой сохранен файл, в новой вкладке браузера в онлайн-версии, в окне проводника в десктопной версии, нажмите на значок Открыть расположение файла в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Открыть расположение файла." }, { "id": "UsageInstructions/PreviewPresentation.htm", @@ -158,16 +158,16 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / печать / скачивание презентации", - "body": "По умолчанию онлайн-редактор презентаций автоматически сохраняет файл каждые 2 секунды, когда Вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую презентацию вручную, щелкните по значку Сохранить на верхней панели инструментов, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы распечатать текущую презентацию, щелкните по значку Печать на верхней панели инструментов, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. После этого на основе данной презентации будет сгенерирован файл PDF. Его можно открыть и распечатать или сохранить на жестком диске компьютера или съемном носителе, чтобы распечатать позже. Чтобы скачать готовую презентацию и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов в зависимости от того, что вам нужно: PPTX, PDF или ODP." + "body": "Сохранение По умолчанию онлайн-редактор презентаций автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить презентацию вручную в текущем формате и местоположении, нажмите значок Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Примечание: чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить презентацию под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: PPTX, ODP, PDF, PDFA. Также можно выбрать вариант Шаблон презентации POTX. Скачивание Чтобы в онлайн-версии скачать готовую презентацию и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP. Сохранение копии Чтобы в онлайн-версии сохранить копию презентации на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: PPTX, PDF, ODP, POTX, PDF/A, OTP, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую презентацию, нажмите значок Напечатать файл в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В десктопной версии презентация будет напрямую отправлена на печать. В онлайн-версии на основе данной презентации будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати." }, { "id": "UsageInstructions/SetSlideParameters.htm", "title": "Настройка параметров слайда", - "body": "Чтобы настроить внешний вид презентации, можно выбрать тему, цветовую схему, размер и ориентацию слайдов для всей презентации, изменить заливку фона или макет слайда для каждого отдельного слайда, применить переходы между слайдами. Также можно добавить поясняющие заметки к каждому слайду, которые могут пригодиться при показе презентации в режиме докладчика. Темы позволяют быстро изменить дизайн презентации, а именно оформление фона слайдов, предварительно заданные шрифты для заголовков и текстов и цветовую схему, которая используется для элементов презентации. Для выбора темы презентации щелкните по нужной готовой теме из галереи тем, расположенной в правой части вкладки Главная верхней панели инструментов. Выбранная тема будет применена ко всем слайдам, если вы предварительно не выделили определенные слайды, к которым надо применить эту тему. Чтобы изменить выбранную тему для одного или нескольких слайдов, щелкните правой кнопкой мыши по выделенным слайдам в списке слева (или щелкните правой кнопкой мыши по слайду в области редактирования слайда), выберите в контекстном меню пункт Изменить тему, а затем выберите нужную тему. Цветовые схемы влияют на предварительно заданные цвета, используемые для элементов презентации (шрифтов, линий, заливок и т.д.) и позволяют обеспечить сочетаемость цветов во всей презентации. Для изменения цветовой схемы презентации щелкните по значку Изменение цветовой схемы на вкладке Главная верхней панели инструментов и выберите нужную схему из выпадающего списка. Выбранная схема будет применена ко всем слайдам. Для изменения размера всех слайдов в презентации, щелкните по значку Выбор размеров слайдов на вкладке Главная верхней панели инструментов и выберите нужную опцию из выпадающего списка. Можно выбрать: один из двух быстродоступных пресетов - Стандартный (4:3) или Широкоэкранный (16:9), команду Дополнительные параметры, которая вызывает окно Настройки размера слайда, где можно выбрать один из имеющихся предустановленных размеров или задать Пользовательский размер, указав нужные значения Ширины и Высоты. Доступны следующие предустановленные размеры: Стандартный (4:3), Широкоэкранный (16:9), Широкоэкранный (16:10), Лист Letter (8.5x11 дюймов), Лист Ledger (11x17 дюймов), Лист A3 (297x420 мм), Лист A4 (210x297 мм), Лист B4 (ICO) (250x353 мм), Лист B5 (ICO) (176x250 мм), Слайды 35 мм, Прозрачная пленка, Баннер. Меню Ориентация слайда позволяет изменить выбранный в настоящий момент тип ориентации слайда. По умолчанию используется Альбомная ориентация, которую можно изменить на Книжную. Для изменения заливки фона: в списке слайдов слева выделите слайды, к которым требуется применить заливку. Или в области редактирования слайдов щелкните по любому свободному месту внутри слайда, который в данный момент редактируется, чтобы изменить тип заливки для этого конкретного слайда. на вкладке Параметры слайда на правой боковой панели выберите нужную опцию: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, который требуется применить к выбранным слайдам. Градиентная заливка - выберите эту опцию, чтобы чтобы залить слайд двумя цветами, плавно переходящими друг в друга. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона слайда какое-то изображение или готовую текстуру. Узор - выберите эту опцию, чтобы залить слайд с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Переходы помогают сделать презентацию более динамичной и удерживать внимание аудитории. Для применения перехода: в списке слайдов слева выделите слайды, к которым требуется применить переход, на вкладке Параметры слайда выберите переход из выпадающего списка Эффект, Примечание: чтобы открыть вкладку Параметры слайда, можно щелкнуть по значку Параметры слайда справа или щелкнуть правой кнопкой мыши по слайду в области редактирования слайда и выбрать в контекстном меню пункт Параметры слайда. настройте свойства перехода: выберите вариант перехода, его длительность и то, каким образом должны сменяться слайды, если требуется применить один и тот же переход ко всем слайдам в презентации, нажмите кнопку Применить ко всем слайдам. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Применение переходов. Для изменения макета слайда: в списке слайдов слева выделите слайды, для которых требуется применить новый макет, щелкните по значку Изменить макет слайда на вкладке Главная верхней панели инструментов, выберите в меню нужный макет. Вы можете также щелкнуть правой кнопкой мыши по нужному слайду в списке слева, выбрать в контекстном меню пункт Изменить макет и выбрать нужный макет. Примечание: в настоящий момент доступны следующие макеты: Титульный слайд, Заголовок и объект, Заголовок раздела, Два объекта, Сравнение, Только заголовок, Пустой слайд, Объект с подписью, Рисунок с подписью, Заголовок и вертикальный текст, Вертикальный заголовок и текст. Для добавления заметок к слайду: в списке слайдов слева выберите слайд, к которому требуется добавить заметку, щелкните по надписи Нажмите, чтобы добавить заметки под областью редактирования слайда, введите текст заметки. Примечание: текст можно отформатировать с помощью значков на вкладке Главная верхней панели инструментов. При показе слайдов в режиме докладчика заметки к слайду будут отображаться под областью просмотра слайда." + "body": "Чтобы настроить внешний вид презентации, можно выбрать тему, цветовую схему, размер и ориентацию слайдов для всей презентации, изменить заливку фона или макет слайда для каждого отдельного слайда, применить переходы между слайдами. Также можно добавить поясняющие заметки к каждому слайду, которые могут пригодиться при показе презентации в режиме докладчика. Темы позволяют быстро изменить дизайн презентации, а именно оформление фона слайдов, предварительно заданные шрифты для заголовков и текстов и цветовую схему, которая используется для элементов презентации. Для выбора темы презентации щелкните по нужной готовой теме из галереи тем, расположенной в правой части вкладки Главная верхней панели инструментов. Выбранная тема будет применена ко всем слайдам, если вы предварительно не выделили определенные слайды, к которым надо применить эту тему. Чтобы изменить выбранную тему для одного или нескольких слайдов, щелкните правой кнопкой мыши по выделенным слайдам в списке слева (или щелкните правой кнопкой мыши по слайду в области редактирования слайда), выберите в контекстном меню пункт Изменить тему, а затем выберите нужную тему. Цветовые схемы влияют на предварительно заданные цвета, используемые для элементов презентации (шрифтов, линий, заливок и т.д.) и позволяют обеспечить сочетаемость цветов во всей презентации. Для изменения цветовой схемы презентации щелкните по значку Изменение цветовой схемы на вкладке Главная верхней панели инструментов и выберите нужную схему из выпадающего списка. Выбранная схема будет применена ко всем слайдам. Для изменения размера всех слайдов в презентации, щелкните по значку Выбор размеров слайда на вкладке Главная верхней панели инструментов и выберите нужную опцию из выпадающего списка. Можно выбрать: один из двух быстродоступных пресетов - Стандартный (4:3) или Широкоэкранный (16:9), команду Дополнительные параметры, которая вызывает окно Настройки размера слайда, где можно выбрать один из имеющихся предустановленных размеров или задать Пользовательский размер, указав нужные значения Ширины и Высоты. Доступны следующие предустановленные размеры: Стандартный (4:3), Широкоэкранный (16:9), Широкоэкранный (16:10), Лист Letter (8.5x11 дюймов), Лист Ledger (11x17 дюймов), Лист A3 (297x420 мм), Лист A4 (210x297 мм), Лист B4 (ICO) (250x353 мм), Лист B5 (ICO) (176x250 мм), Слайды 35 мм, Прозрачная пленка, Баннер. Меню Ориентация слайда позволяет изменить выбранный в настоящий момент тип ориентации слайда. По умолчанию используется Альбомная ориентация, которую можно изменить на Книжную. Для изменения заливки фона: в списке слайдов слева выделите слайды, к которым требуется применить заливку. Или в области редактирования слайдов щелкните по любому свободному месту внутри слайда, который в данный момент редактируется, чтобы изменить тип заливки для этого конкретного слайда. на вкладке Параметры слайда на правой боковой панели выберите нужную опцию: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, который требуется применить к выбранным слайдам. Градиентная заливка - выберите эту опцию, чтобы чтобы залить слайд двумя цветами, плавно переходящими друг в друга. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона слайда какое-то изображение или готовую текстуру. Узор - выберите эту опцию, чтобы залить слайд с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Заливка объектов и выбор цветов. Переходы помогают сделать презентацию более динамичной и удерживать внимание аудитории. Для применения перехода: в списке слайдов слева выделите слайды, к которым требуется применить переход, на вкладке Параметры слайда выберите переход из выпадающего списка Эффект, Примечание: чтобы открыть вкладку Параметры слайда, можно щелкнуть по значку Параметры слайда справа или щелкнуть правой кнопкой мыши по слайду в области редактирования слайда и выбрать в контекстном меню пункт Параметры слайда. настройте свойства перехода: выберите вариант перехода, его длительность и то, каким образом должны сменяться слайды, если требуется применить один и тот же переход ко всем слайдам в презентации, нажмите кнопку Применить ко всем слайдам. Чтобы получить более подробную информацию об этих опциях, обратитесь к разделу Применение переходов. Для изменения макета слайда: в списке слайдов слева выделите слайды, для которых требуется применить новый макет, щелкните по значку Изменить макет слайда на вкладке Главная верхней панели инструментов, выберите в меню нужный макет. Вы можете также щелкнуть правой кнопкой мыши по нужному слайду в списке слева, выбрать в контекстном меню пункт Изменить макет и выбрать нужный макет. Примечание: в настоящий момент доступны следующие макеты: Титульный слайд, Заголовок и объект, Заголовок раздела, Два объекта, Сравнение, Только заголовок, Пустой слайд, Объект с подписью, Рисунок с подписью, Заголовок и вертикальный текст, Вертикальный заголовок и текст. Для добавления заметок к слайду: в списке слайдов слева выберите слайд, к которому требуется добавить заметку, щелкните по надписи Нажмите, чтобы добавить заметки под областью редактирования слайда, введите текст заметки. Примечание: текст можно отформатировать с помощью значков на вкладке Главная верхней панели инструментов. При показе слайдов в режиме докладчика заметки к слайду будут отображаться под областью просмотра слайда." }, { "id": "UsageInstructions/ViewPresentationInfo.htm", "title": "Просмотр сведений о презентации", - "body": "Чтобы получить доступ к подробным сведениям о редактируемой презентации, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о презентации. Общие сведения Сведения о презентации включают название презентации, автора, размещение и дату создания. Примечание: используя онлайн-редакторы, вы можете изменить название презентации непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой презентации, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к редактированию презентации, выберите опцию Закрыть меню." + "body": "Чтобы получить доступ к подробным сведениям о редактируемой презентации, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о презентации. Общие сведения Сведения о презентации включают название презентации и приложение, в котором была создана презентация. В онлайн-версии также отображаются следующие сведения: автор, размещение, дата создания. Примечание: используя онлайн-редакторы, вы можете изменить название презентации непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой презентации, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к редактированию презентации, выберите опцию Закрыть меню." } ] \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/search/js/keyboard-switch.js b/apps/presentationeditor/main/resources/help/ru/search/js/keyboard-switch.js new file mode 100644 index 000000000..267160c5e --- /dev/null +++ b/apps/presentationeditor/main/resources/help/ru/search/js/keyboard-switch.js @@ -0,0 +1,30 @@ +$(function(){ + function shortcutToggler(enabled,disabled,enabled_opt,disabled_opt){ + var selectorTD_en = '.keyboard_shortcuts_table tr td:nth-child(' + enabled + ')', + selectorTD_dis = '.keyboard_shortcuts_table tr td:nth-child(' + disabled + ')'; + $(disabled_opt).removeClass('enabled').addClass('disabled'); + $(enabled_opt).removeClass('disabled').addClass('enabled'); + $(selectorTD_dis).hide(); + $(selectorTD_en).show().each(function() { + if($(this).text() == ''){ + $(this).parent('tr').hide(); + } else { + $(this).parent('tr').show(); + } + }); + } + if (navigator.platform.toUpperCase().indexOf('MAC') >= 0) { + shortcutToggler(3,2,'.mac_option','.pc_option'); + $('.mac_option').removeClass('right_option').addClass('left_option'); + $('.pc_option').removeClass('left_option').addClass('right_option'); + } else { + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + $('.shortcut_toggle').on('click', function() { + if($(this).hasClass('mac_option')){ + shortcutToggler(3,2,'.mac_option','.pc_option'); + } else if ($(this).hasClass('pc_option')){ + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + }); +}); \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/search/search.html b/apps/presentationeditor/main/resources/help/ru/search/search.html index 12e867c23..e49d47f87 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/search.html +++ b/apps/presentationeditor/main/resources/help/ru/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                              ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/presentationeditor/main/resources/img/toolbar-menu.png b/apps/presentationeditor/main/resources/img/toolbar-menu.png index 695b0428a..109fb6ec7 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar-menu.png and b/apps/presentationeditor/main/resources/img/toolbar-menu.png differ diff --git a/apps/presentationeditor/main/resources/img/toolbar-menu@2x.png b/apps/presentationeditor/main/resources/img/toolbar-menu@2x.png index 4f8500885..2bb3d1626 100644 Binary files a/apps/presentationeditor/main/resources/img/toolbar-menu@2x.png and b/apps/presentationeditor/main/resources/img/toolbar-menu@2x.png differ diff --git a/apps/presentationeditor/main/resources/less/app.less b/apps/presentationeditor/main/resources/less/app.less index 62dce12dd..995117453 100644 --- a/apps/presentationeditor/main/resources/less/app.less +++ b/apps/presentationeditor/main/resources/less/app.less @@ -113,6 +113,7 @@ @import "../../../../common/main/resources/less/plugins.less"; @import "../../../../common/main/resources/less/toolbar.less"; @import "../../../../common/main/resources/less/language-dialog.less"; +@import "../../../../common/main/resources/less/winxp_fix.less"; // App // -------------------------------------------------- diff --git a/apps/presentationeditor/main/resources/less/leftmenu.less b/apps/presentationeditor/main/resources/less/leftmenu.less index 98ca17e83..206dbcc46 100644 --- a/apps/presentationeditor/main/resources/less/leftmenu.less +++ b/apps/presentationeditor/main/resources/less/leftmenu.less @@ -185,7 +185,7 @@ overflow: hidden; } - #panel-saveas { + #panel-saveas, #panel-savecopy { table { margin-left: auto; margin-right: auto; @@ -470,4 +470,5 @@ -webkit-transform: rotate(180deg); -o-transform: rotate(180deg); transform: rotate(180deg); + cursor: default; } \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/less/statusbar.less b/apps/presentationeditor/main/resources/less/statusbar.less index 06db67d6d..533e62d1e 100644 --- a/apps/presentationeditor/main/resources/less/statusbar.less +++ b/apps/presentationeditor/main/resources/less/statusbar.less @@ -91,14 +91,6 @@ color: #000; margin-left: 6px; - .dropdown-toggle > .icon.lang-flag { - position: relative; - top: 3px; - margin-left: 3px; - margin-right: 2px; - display: inline-block; - } - .caret.up { background-position: @arrow-up-small-offset-x @arrow-up-small-offset-y; @@ -111,17 +103,9 @@ cursor: pointer; } - .dropdown-menu { - > li .icon { - display: inline-block; - vertical-align: text-bottom; - margin: 1px 5px 0 2px; - } - } - &.disabled { cursor: default; - label, .icon.lang-flag { + label { cursor: default; opacity: 0.4; } @@ -215,3 +199,5 @@ } } } + +.button-normal-icon(spellcheck-lang, 76, @toolbar-icon-size); \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/less/toolbar.less b/apps/presentationeditor/main/resources/less/toolbar.less index 8840f802f..3995f1dc7 100644 --- a/apps/presentationeditor/main/resources/less/toolbar.less +++ b/apps/presentationeditor/main/resources/less/toolbar.less @@ -17,17 +17,6 @@ } } -.toolbar-mask { - position: absolute; - top: 32px; - left: 48px; - right: 0; - bottom: 0; - opacity: 0; - background-color: @gray-light; - /*z-index: @zindex-tooltip + 1;*/ -} - .menu-layouts { .dataview.inner { & > div:not(.grouped-data):not([class^=ps-scrollbar]) { @@ -289,6 +278,11 @@ .toolbar-btn-icon(btn-save-coauth, 69, @toolbar-icon-size); //.toolbar-btn-icon(btn-insertequation, 74, @toolbar-icon-size); +.toolbar-btn-icon(rotate-90, 79, @toolbar-icon-size); +.toolbar-btn-icon(rotate-270, 80, @toolbar-icon-size); +.toolbar-btn-icon(flip-hor, 81, @toolbar-icon-size); +.toolbar-btn-icon(flip-vert, 82, @toolbar-icon-size); + // add slide //.btn-toolbar .btn-addslide {background-position: 0 -120px;} //.btn-toolbar.active > .btn-addslide, diff --git a/apps/presentationeditor/mobile/app/controller/DocumentPreview.js b/apps/presentationeditor/mobile/app/controller/DocumentPreview.js index d968cd82e..c42f81647 100644 --- a/apps/presentationeditor/mobile/app/controller/DocumentPreview.js +++ b/apps/presentationeditor/mobile/app/controller/DocumentPreview.js @@ -72,6 +72,7 @@ define([ me.api = api; me.api.asc_registerCallback('asc_onEndDemonstration', _.bind(me.onEndDemonstration, me)); + me.api.DemonstrationEndShowMessage(me.txtFinalMessage); }, // When our application is ready, lets get started @@ -141,7 +142,9 @@ define([ $('.view.view-main').css('z-index','auto'); PE.getController('DocumentHolder').startApiPopMenu(); - } + }, + + txtFinalMessage: 'The end of slide preview. Click to exit.' // Internal } diff --git a/apps/presentationeditor/mobile/app/controller/Editor.js b/apps/presentationeditor/mobile/app/controller/Editor.js index 133c4ace1..d58fb8d6b 100644 --- a/apps/presentationeditor/mobile/app/controller/Editor.js +++ b/apps/presentationeditor/mobile/app/controller/Editor.js @@ -66,6 +66,11 @@ define([ (/MSIE 10/.test(ua) && /; Touch/.test(ua))); } + function isSailfish() { + var ua = navigator.userAgent; + return /Sailfish/.test(ua) || /Jolla/.test(ua); + } + return { // Specifying a EditorController model models: [], @@ -93,6 +98,11 @@ define([ var phone = isPhone(); // console.debug('Layout profile:', phone ? 'Phone' : 'Tablet'); + if ( isSailfish() ) { + Common.SharedSettings.set('sailfish', true); + $('html').addClass('sailfish'); + } + Common.SharedSettings.set('android', Framework7.prototype.device.android); Common.SharedSettings.set('phone', phone); diff --git a/apps/presentationeditor/mobile/app/controller/Main.js b/apps/presentationeditor/mobile/app/controller/Main.js index e0767b470..6f706f031 100644 --- a/apps/presentationeditor/mobile/app/controller/Main.js +++ b/apps/presentationeditor/mobile/app/controller/Main.js @@ -303,6 +303,11 @@ define([ }, onDownloadAs: function() { + if ( !this.appOptions.canDownload) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; this.api.asc_DownloadAs(Asc.c_oAscFileType.PPTX, true); }, @@ -428,6 +433,11 @@ define([ text = me.savePreparingTitle; break; + case Asc.c_oAscAsyncAction['Waiting']: + title = me.waitText; + text = me.waitText; + break; + case ApplyEditRights: title = me.txtEditingMode; text = me.txtEditingMode; @@ -464,8 +474,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) uiApp.closeModal(this._state.openDlg); @@ -482,7 +490,8 @@ define([ var zf = (value!==null) ? parseInt(value) : (me.appOptions.customization && me.appOptions.customization.zoom ? parseInt(me.appOptions.customization.zoom) : -1); (zf == -1) ? me.api.zoomFitToPage() : ((zf == -2) ? me.api.zoomFitToWidth() : me.api.zoom(zf>0 ? zf : 100)); - me.api.asc_setSpellCheck(false); // don't use spellcheck for mobile mode + value = Common.localStorage.getBool("pe-mobile-spellcheck", false); + me.api.asc_setSpellCheck(value); me.api.asc_registerCallback('asc_onStartAction', _.bind(me.onLongActionBegin, me)); me.api.asc_registerCallback('asc_onEndAction', _.bind(me.onLongActionEnd, me)); @@ -533,6 +542,7 @@ define([ me.applyLicense(); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -584,8 +594,24 @@ define([ buttons: buttons }); } - } else + } else { + if (!me.appOptions.isDesktopApp && !me.appOptions.canBrandingExt && + me.editorConfig && me.editorConfig.customization && (me.editorConfig.customization.loaderName || me.editorConfig.customization.loaderLogo)) { + uiApp.modal({ + title: me.textPaidFeature, + text : me.textCustomLoader, + buttons: [{ + text: me.textContactUs, + bold: true, + onClick: function() { + window.open('mailto:sales@onlyoffice.com', "_blank"); + } + }, + { text: me.textClose }] + }); + } PE.getController('Toolbar').activateControls(); + } }, onOpenDocument: function(progress) { @@ -643,7 +669,7 @@ define([ me.appOptions.canDownloadOrigin = !me.appOptions.nativeApp && me.permissions.download !== false && (type && typeof type[1] === 'string'); me.appOptions.canDownload = !me.appOptions.nativeApp && me.permissions.download !== false && (!type || typeof type[1] !== 'string'); - me.appOptions.canBranding = (licType === Asc.c_oLicenseResult.Success) && (typeof me.editorConfig.customization == 'object'); + me.appOptions.canBranding = params.asc_getCustomization(); me.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof me.editorConfig.customization == 'object'); me.applyModeCommonElements(); @@ -839,6 +865,14 @@ define([ config.msg = this.errorDataEncrypted; break; + case Asc.c_oAscError.ID.AccessDeny: + config.msg = this.errorAccessDeny; + break; + + case Asc.c_oAscError.ID.EditingError: + config.msg = this.errorEditingDownloadas; + break; + default: config.msg = this.errorDefaultMessage.replace('%1', id); break; @@ -944,15 +978,6 @@ define([ }, hidePreloader: function() { - // if (!!this.appOptions.customization && !this.appOptions.customization.done) { - // this.appOptions.customization.done = true; - // if (!this.appOptions.isDesktopApp) - // this.appOptions.customization.about = true; - // Common.Utils.applyCustomization(this.appOptions.customization, mapCustomizationElements); - // if (this.appOptions.canBrandingExt) - // Common.Utils.applyCustomization(this.appOptions.customization, mapCustomizationExtElements); - // } - $('#loading-mask').hide().remove(); }, @@ -1144,7 +1169,7 @@ define([ if (!this.appOptions.canPrint) return; if (this.api) - this.api.asc_Print(Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera); // if isChrome or isSafari or isOpera == true use asc_onPrintUrl event + this.api.asc_Print(); Common.component.Analytics.trackEvent('Print'); }, @@ -1196,7 +1221,7 @@ define([ criticalErrorTitle: 'Error', notcriticalErrorTitle: 'Warning', errorDefaultMessage: 'Error code: %1', - criticalErrorExtText: 'Press "Ok" to to back to document list.', + criticalErrorExtText: 'Press "OK" to to back to document list.', openTitleText: 'Opening Document', openTextText: 'Opening document...', saveTitleText: 'Saving Document', @@ -1222,7 +1247,7 @@ define([ unknownErrorText: 'Unknown error.', convertationTimeoutText: 'Convertation timeout exceeded.', downloadErrorText: 'Download failed.', - unsupportedBrowserErrorText : 'Your browser is not supported.', + unsupportedBrowserErrorText: 'Your browser is not supported.', splitMaxRowsErrorText: 'The number of rows must be less than %1', splitMaxColsErrorText: 'The number of columns must be less than %1', splitDividerErrorText: 'The number of rows must be a divisor of %1', @@ -1348,7 +1373,12 @@ define([ warnLicenseUsersExceeded: 'The number of concurrent users has been exceeded and the document will be opened for viewing only.
                              Please contact your administrator for more information.', errorDataEncrypted: 'Encrypted changes have been received, they cannot be deciphered.', closeButtonText: 'Close File', - scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.' + scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', + errorAccessDeny: 'You are trying to perform an action you do not have rights for.
                              Please contact your Document Server administrator.', + errorEditingDownloadas: 'An error occurred during the work with the document.
                              Use the \'Download\' option to save the file backup copy to your computer hard drive.', + textPaidFeature: 'Paid feature', + textCustomLoader: 'Please note that according to the terms of the license you are not entitled to change the loader.
                              Please contact our Sales Department to get a quote.', + waitText: 'Please, wait...' } })(), PE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/app/controller/Search.js b/apps/presentationeditor/mobile/app/controller/Search.js index 3ae929bb1..ddc05ce56 100644 --- a/apps/presentationeditor/mobile/app/controller/Search.js +++ b/apps/presentationeditor/mobile/app/controller/Search.js @@ -81,7 +81,8 @@ define([ 'Search': { 'searchbar:show' : this.onSearchbarShow, 'searchbar:hide' : this.onSearchbarHide, - 'searchbar:render' : this.onSearchbarRender + 'searchbar:render' : this.onSearchbarRender, + 'searchbar:showsettings': this.onSearchbarSettings } }); }, @@ -120,7 +121,8 @@ define([ var _endPoint = pointerEventToXY(e); if (_isShow) { - var distance = Math.sqrt((_endPoint.x -= _startPoint.x) * _endPoint.x + (_endPoint.y -= _startPoint.y) * _endPoint.y); + var distance = (_startPoint.x===undefined || _startPoint.y===undefined) ? 0 : + Math.sqrt((_endPoint.x -= _startPoint.x) * _endPoint.x + (_endPoint.y -= _startPoint.y) * _endPoint.y); if (distance < 1) { this.hideSearch(); @@ -130,7 +132,8 @@ define([ onSearchbarRender: function(bar) { var me = this, - searchString = Common.SharedSettings.get('search-search') || ''; + searchString = Common.SharedSettings.get('search-search') || '', + replaceString = Common.SharedSettings.get('search-replace')|| ''; me.searchBar = uiApp.searchbar('.searchbar.document .searchbar.search', { customSearch: true, @@ -139,13 +142,46 @@ define([ onClear : _.bind(me.onSearchClear, me) }); + me.replaceBar = uiApp.searchbar('.searchbar.document .searchbar.replace', { + customSearch: true, + onSearch : _.bind(me.onReplaceChange, me), + onEnable : _.bind(me.onReplaceEnable, me), + onClear : _.bind(me.onReplaceClear, me) + }); + me.searchPrev = $('.searchbar.document .prev'); me.searchNext = $('.searchbar.document .next'); + me.replaceBtn = $('.searchbar.document .link.replace'); me.searchPrev.single('click', _.bind(me.onSearchPrev, me)); me.searchNext.single('click', _.bind(me.onSearchNext, me)); + me.replaceBtn.single('click', _.bind(me.onReplace, me)); + + $$('.searchbar.document .link.replace').on('taphold', _.bind(me.onReplaceAll, me)); me.searchBar.search(searchString); + me.replaceBar.search(replaceString); + }, + + onSearchbarSettings: function (view) { + var strictBool = function (settingName) { + var value = Common.SharedSettings.get(settingName); + return !_.isUndefined(value) && (value === true); + }; + + var me = this, + isReplace = strictBool('search-is-replace'), + isCaseSensitive = strictBool('search-case-sensitive'), + $pageSettings = $('.page[data-page=search-settings]'), + $inputType = $pageSettings.find('input[name=search-type]'), + $inputCase = $pageSettings.find('#search-case-sensitive input:checkbox'); + + $inputType.val([isReplace ? 'replace' : 'search']); + $inputCase.prop('checked', isCaseSensitive); + + // init events + $inputType.single('change', _.bind(me.onTypeChange, me)); + $inputCase.single('change', _.bind(me.onCaseClick, me)); }, onSearchbarShow: function(bar) { @@ -153,7 +189,7 @@ define([ }, onSearchEnable: function (bar) { - // + this.replaceBar.container.removeClass('searchbar-active'); }, onSearchbarHide: function(bar) { @@ -166,7 +202,7 @@ define([ Common.SharedSettings.set('search-search', search.query); - _.each([me.searchPrev, me.searchNext], function(btn) { + _.each([me.searchPrev, me.searchNext, me.replaceBtn], function(btn) { btn.toggleClass('disabled', isEmpty); }); }, @@ -177,6 +213,21 @@ define([ // document.activeElement.blur(); }, + onReplaceChange: function(replace) { + var me = this, + isEmpty = (replace.query.trim().length < 1); + + Common.SharedSettings.set('search-replace', replace.query); + }, + + onReplaceEnable: function (bar) { + this.searchBar.container.removeClass('searchbar-active'); + }, + + onReplaceClear: function(replace) { + Common.SharedSettings.set('search-replace', ''); + }, + onSearchPrev: function(btn) { this.onQuerySearch(this.searchBar.query, 'back'); }, @@ -185,9 +236,37 @@ define([ this.onQuerySearch(this.searchBar.query, 'next'); }, + onReplace: function (btn) { + this.onQueryReplace(this.searchBar.query, this.replaceBar.query); + }, + + onReplaceAll: function (e) { + var me = this, + popover = [ + '

                              ' + ].join(''); + + popover = uiApp.popover(popover, $$(e.currentTarget)); + + $('#replace-all').single('click', _.bind(function () { + me.onQueryReplaceAll(this.searchBar.query, this.replaceBar.query); + uiApp.closeModal(popover); + }, me)) + }, + onQuerySearch: function(query, direction) { + var matchcase = Common.SharedSettings.get('search-case-sensitive') || false; + if (query && query.length) { - if (!this.api.findText(query, direction != 'back')) { + if (!this.api.findText(query, direction != 'back', matchcase)) { var me = this; uiApp.alert( '', @@ -200,9 +279,48 @@ define([ } }, + onQueryReplace: function(search, replace) { + var matchcase = Common.SharedSettings.get('search-case-sensitive') || false; + + if (search && search.length) { + if (!this.api.asc_replaceText(search, replace, false, matchcase)) { + var me = this; + uiApp.alert( + '', + me.textNoTextFound, + function () { + me.searchBar.input.focus(); + } + ); + } + } + }, + + onQueryReplaceAll: function(search, replace) { + var matchcase = Common.SharedSettings.get('search-case-sensitive') || false; + + if (search && search.length) { + this.api.asc_replaceText(search, replace, true, matchcase); + } + }, + + onTypeChange: function (e) { + var me = this, + $target = $(e.currentTarget), + isReplace = ($target.val() === 'replace'); + + Common.SharedSettings.set('search-is-replace', isReplace); + $('.searchbar.document').toggleClass('replace', isReplace); + }, + + onCaseClick: function (e) { + Common.SharedSettings.set('search-case-sensitive', $(e.currentTarget).is(':checked')); + }, + // API handlers - textNoTextFound : 'Text not found' + textNoTextFound : 'Text not found', + textReplaceAll: 'Replace All' } })(), PE.Controllers.Search || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/app/controller/Settings.js b/apps/presentationeditor/mobile/app/controller/Settings.js index 4a27b7e98..222c16a6d 100644 --- a/apps/presentationeditor/mobile/app/controller/Settings.js +++ b/apps/presentationeditor/mobile/app/controller/Settings.js @@ -153,10 +153,17 @@ define([ onPageShow: function(view, pageId) { var me = this; + $('#settings-spellcheck input:checkbox').attr('checked', Common.localStorage.getBool("pe-mobile-spellcheck", false)); $('#settings-search').single('click', _.bind(me._onSearch, me)); $('#settings-readermode input:checkbox').single('change', _.bind(me._onReaderMode, me)); + $('#settings-spellcheck input:checkbox').single('change', _.bind(me._onSpellcheck, me)); $(modalView).find('.formats a').single('click', _.bind(me._onSaveFormat, me)); $('#page-settings-setup-view li').single('click', _.bind(me._onSlideSize, me)); + $('#settings-print').single('click', _.bind(me._onPrint, me)); + + Common.Utils.addScrollIfNeed('.page[data-page=settings-download-view]', '.page[data-page=settings-download-view] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=settings-info-view]', '.page[data-page=settings-info-view] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=settings-about-view]', '.page[data-page=settings-about-view] .page-content'); me.initSettings(pageId); }, @@ -233,6 +240,22 @@ define([ this.hideModal(); }, + _onPrint: function(e) { + var me = this; + + _.defer(function () { + me.api.asc_Print(); + }); + me.hideModal(); + }, + + _onSpellcheck: function (e) { + var $checkbox = $(e.currentTarget), + state = $checkbox.is(':checked'); + Common.localStorage.setItem("pe-mobile-spellcheck", state ? 1 : 0); + this.api && this.api.asc_setSpellCheck(state); + }, + _onReaderMode: function (e) { var me = this; diff --git a/apps/presentationeditor/mobile/app/controller/edit/EditImage.js b/apps/presentationeditor/mobile/app/controller/edit/EditImage.js index 332c2fbef..99202a8d9 100644 --- a/apps/presentationeditor/mobile/app/controller/edit/EditImage.js +++ b/apps/presentationeditor/mobile/app/controller/edit/EditImage.js @@ -124,7 +124,7 @@ define([ properties.put_Width(imgsize.get_ImageWidth()); properties.put_Height(imgsize.get_ImageHeight()); - + properties.put_ResetCrop(true); me.api.ImgApply(properties); } }, diff --git a/apps/presentationeditor/mobile/app/template/AddLink.template b/apps/presentationeditor/mobile/app/template/AddLink.template index 122bff622..c9ada4f6a 100644 --- a/apps/presentationeditor/mobile/app/template/AddLink.template +++ b/apps/presentationeditor/mobile/app/template/AddLink.template @@ -156,9 +156,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              diff --git a/apps/presentationeditor/mobile/app/template/EditLink.template b/apps/presentationeditor/mobile/app/template/EditLink.template index af56452c5..55a566493 100644 --- a/apps/presentationeditor/mobile/app/template/EditLink.template +++ b/apps/presentationeditor/mobile/app/template/EditLink.template @@ -160,9 +160,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              diff --git a/apps/presentationeditor/mobile/app/template/EditSlide.template b/apps/presentationeditor/mobile/app/template/EditSlide.template index 645084679..9e14876a9 100644 --- a/apps/presentationeditor/mobile/app/template/EditSlide.template +++ b/apps/presentationeditor/mobile/app/template/EditSlide.template @@ -96,9 +96,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              diff --git a/apps/presentationeditor/mobile/app/template/EditText.template b/apps/presentationeditor/mobile/app/template/EditText.template index 4077a00cb..dfecf30b2 100644 --- a/apps/presentationeditor/mobile/app/template/EditText.template +++ b/apps/presentationeditor/mobile/app/template/EditText.template @@ -12,10 +12,10 @@
                            • @@ -104,9 +104,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              @@ -119,9 +119,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              @@ -151,9 +151,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              @@ -266,9 +266,9 @@
                              <% if (!android) { %><% } %>

                              - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                              diff --git a/apps/presentationeditor/mobile/app/template/Search.template b/apps/presentationeditor/mobile/app/template/Search.template index c19a04bb2..2b4076cd7 100644 --- a/apps/presentationeditor/mobile/app/template/Search.template +++ b/apps/presentationeditor/mobile/app/template/Search.template @@ -2,19 +2,92 @@
                              +
                              + + +
                              + +
                              +
                              + <% if (isEdit) { %> +
                              +
                                +
                              • + +
                              • +
                              • + +
                              • +
                              +
                              + <% } %> +
                              +
                                +
                              • +
                                +
                                +
                                <%= scope.textCase %>
                                +
                                + +
                                +
                                +
                                +
                              • +
                              diff --git a/apps/presentationeditor/mobile/app/template/Settings.template b/apps/presentationeditor/mobile/app/template/Settings.template index 901a7fdf1..9c01ea489 100644 --- a/apps/presentationeditor/mobile/app/template/Settings.template +++ b/apps/presentationeditor/mobile/app/template/Settings.template @@ -25,6 +25,22 @@ <% } %> +
                            • +
                              +
                              + +
                              +
                              +
                              <%= scope.textSpellcheck %>
                              +
                              + +
                              +
                              +
                              +
                            • @@ -49,6 +65,18 @@
                            • +
                            • + +
                              +
                              + +
                              +
                              +
                              <%= scope.textPrint %>
                              +
                              +
                              +
                              +
                            • @@ -184,6 +212,18 @@
                            • +
                            • + +
                              +
                              + +
                              +
                              +
                              PDF/A
                              +
                              +
                              +
                              +
                            • @@ -196,6 +236,30 @@
                            • +
                            • + +
                              +
                              + +
                              +
                              +
                              POTX
                              +
                              +
                              +
                              +
                            • +
                            • + +
                              +
                              + +
                              +
                              +
                              OTP
                              +
                              +
                              +
                              +
                            diff --git a/apps/presentationeditor/mobile/app/view/Search.js b/apps/presentationeditor/mobile/app/view/Search.js index 82a43c6df..91a93954c 100644 --- a/apps/presentationeditor/mobile/app/view/Search.js +++ b/apps/presentationeditor/mobile/app/view/Search.js @@ -68,7 +68,7 @@ define([ }, initEvents: function() { - // + $('#search-settings').single('click', _.bind(this.showSettings, this)); }, // Render layout @@ -88,6 +88,57 @@ define([ this.render(); }, + showSettings: function (e) { + var me = this; + + uiApp.closeModal(); + + if (Common.SharedSettings.get('phone')) { + me.picker = $$(uiApp.popup([ + ''].join('') + )) + } else { + me.picker = uiApp.popover([ + '
                            ', + '
                            ', + '
                            ', + '
                            ', + '', + '
                            ', + '
                            ', + '
                            '].join(''), + $$('#search-settings') + ); + + // Prevent hide overlay. Conflict popover and modals. + var $overlay = $('.modal-overlay'); + + $$(me.picker).on('opened', function () { + $overlay.on('removeClass', function () { + if (!$overlay.hasClass('modal-overlay-visible')) { + $overlay.addClass('modal-overlay-visible') + } + }); + }).on('close', function () { + $overlay.off('removeClass'); + $overlay.removeClass('modal-overlay-visible') + }); + } + + if (Common.SharedSettings.get('android')) { + $$('.view.search-settings-view.navbar-through').removeClass('navbar-through').addClass('navbar-fixed'); + $$('.view.search-settings-view .navbar').prependTo('.view.search-settings-view > .pages > .page'); + } + + me.fireEvent('searchbar:showsettings', me); + }, + showSearch: function () { var me = this, searchBar = $$('.searchbar.document'); @@ -95,6 +146,10 @@ define([ if (searchBar.length < 1) { $(me.el).find('.pages .page').first().prepend(_layout.find('#search-panel-view').html()); + // Show replace mode if needed + var isReplace = Common.SharedSettings.get('search-is-replace'); + $('.searchbar.document').toggleClass('replace', !_.isUndefined(isReplace) && (isReplace === true)); + me.fireEvent('searchbar:render', me); me.fireEvent('searchbar:show', me); @@ -133,7 +188,13 @@ define([ } }, - textSearch: 'Search' + textFind: 'Find', + textFindAndReplace: 'Find and Replace', + textDone: 'Done', + textSearch: 'Search', + textReplace: 'Replace', + textCase: 'Case sensitive', + textHighlight: 'Highlight results' } })(), PE.Views.Search || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/app/view/Settings.js b/apps/presentationeditor/mobile/app/view/Settings.js index 05b3639b5..26fd692fc 100644 --- a/apps/presentationeditor/mobile/app/view/Settings.js +++ b/apps/presentationeditor/mobile/app/view/Settings.js @@ -54,7 +54,8 @@ define([ canEdit = false, canDownload = false, canAbout = true, - canHelp = true; + canHelp = true, + canPrint = false; return { // el: '.view-main', @@ -80,6 +81,7 @@ define([ $('#settings-about').single('click', _.bind(me.showAbout, me)); $('#settings-presentation-setup').single('click', _.bind(me.showSetup, me)); + Common.Utils.addScrollIfNeed('.view[data-page=settings-root-view] .pages', '.view[data-page=settings-root-view] .page'); me.initControls(); }, @@ -98,6 +100,7 @@ define([ isEdit = mode.isEdit; canEdit = !mode.isEdit && mode.canEdit && mode.canRequestEditRights; canDownload = mode.canDownload || mode.canDownloadOrigin; + canPrint = mode.canPrint; if (mode.customization && mode.canBrandingExt) { canAbout = (mode.customization.about!==false); @@ -117,6 +120,7 @@ define([ $layour.find('#settings-readermode').hide(); $layour.find('#settings-search .item-title').text(this.textFindAndReplace) } else { + $layour.find('#settings-spellcheck').hide(); $layour.find('#settings-presentation-setup').hide(); $layour.find('#settings-readermode input:checkbox') .attr('checked', Common.SharedSettings.get('readerMode')) @@ -125,6 +129,7 @@ define([ if (!canDownload) $layour.find('#settings-download').hide(); if (!canAbout) $layour.find('#settings-about').hide(); if (!canHelp) $layour.find('#settings-help').hide(); + if (!canPrint) $layour.find('#settings-print').hide(); return $layour.html(); } @@ -221,7 +226,10 @@ define([ textSlideSize: 'Slide Size', mniSlideStandard: 'Standard (4:3)', mniSlideWide: 'Widescreen (16:9)', - textPoweredBy: 'Powered by' + textPoweredBy: 'Powered by', + textFindAndReplace: 'Find and Replace', + textSpellcheck: 'Spell Checking', + textPrint: 'Print' } })(), PE.Views.Settings || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/app/view/add/AddShape.js b/apps/presentationeditor/mobile/app/view/add/AddShape.js index 55ec28ebb..5e815d183 100644 --- a/apps/presentationeditor/mobile/app/view/add/AddShape.js +++ b/apps/presentationeditor/mobile/app/view/add/AddShape.js @@ -66,6 +66,7 @@ define([ }, initEvents: function () { + Common.Utils.addScrollIfNeed('#add-shape .pages', '#add-shape .page'); this.initControls(); }, diff --git a/apps/presentationeditor/mobile/app/view/add/AddSlide.js b/apps/presentationeditor/mobile/app/view/add/AddSlide.js index 07e308c80..7dd090a69 100644 --- a/apps/presentationeditor/mobile/app/view/add/AddSlide.js +++ b/apps/presentationeditor/mobile/app/view/add/AddSlide.js @@ -66,6 +66,8 @@ define([ initEvents: function () { var me = this; + + Common.Utils.addScrollIfNeed('#add-slide .pages', '#add-slide .page'); me.initControls(); }, diff --git a/apps/presentationeditor/mobile/app/view/add/AddTable.js b/apps/presentationeditor/mobile/app/view/add/AddTable.js index 6e30f1d5f..c59f40a0f 100644 --- a/apps/presentationeditor/mobile/app/view/add/AddTable.js +++ b/apps/presentationeditor/mobile/app/view/add/AddTable.js @@ -66,6 +66,7 @@ define([ initEvents: function () { var me = this; + Common.Utils.addScrollIfNeed('#add-table .pages', '#add-table .page'); me.initControls(); }, diff --git a/apps/presentationeditor/mobile/app/view/edit/EditChart.js b/apps/presentationeditor/mobile/app/view/edit/EditChart.js index c274d2884..33b227291 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditChart.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditChart.js @@ -105,6 +105,7 @@ define([ $('.edit-chart-style .categories a').single('click', _.bind(me.showStyleCategory, me)); $('#chart-align').single('click', _.bind(me.showAlign, me)); + Common.Utils.addScrollIfNeed('#edit-chart .pages', '#edit-chart .page'); me.initControls(); me.renderStyles(); }, @@ -170,11 +171,18 @@ define([ this.initEvents(); } + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-border-color]', '.page[data-page=edit-chart-border-color] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-style] .tabs', '#tab-chart-type'); }, showStyleCategory: function (e) { // remove android specific style $('.page[data-page=edit-chart-style] .list-block.inputs-list').removeClass('inputs-list'); + + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-style] .tabs', '#tab-chart-type'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-style] .tabs', '#tab-chart-style'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-style] .tabs', '#tab-chart-fill'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-style] .tabs', '#tab-chart-border'); }, renderStyles: function() { @@ -225,6 +233,7 @@ define([ showReorder: function () { this.showPage('#edit-chart-reorder'); + Common.Utils.addScrollIfNeed('.page.chart-reorder', '.page.chart-reorder .page-content'); }, showBorderColor: function () { @@ -240,6 +249,7 @@ define([ showAlign: function () { this.showPage('#edit-chart-align'); + Common.Utils.addScrollIfNeed('.page.chart-align', '.page.chart-align .page-content'); }, textStyle: 'Style', diff --git a/apps/presentationeditor/mobile/app/view/edit/EditImage.js b/apps/presentationeditor/mobile/app/view/edit/EditImage.js index a4b3d87db..7807807ca 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditImage.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditImage.js @@ -72,6 +72,7 @@ define([ $('#edit-image-url').single('click', _.bind(me.showEditUrl, me)); $('#image-align').single('click', _.bind(me.showAlign, me)); + Common.Utils.addScrollIfNeed('#edit-image .pages', '#edit-image .page'); me.initControls(); }, @@ -125,6 +126,7 @@ define([ this.initEvents(); } + Common.Utils.addScrollIfNeed('.page.edit-image-url-link', '.page.edit-image-url-link .page-content'); }, showReplace: function () { @@ -133,6 +135,7 @@ define([ showReorder: function () { this.showPage('#edit-image-reorder-view'); + Common.Utils.addScrollIfNeed('.page.image-reorder', '.page.image-reorder .page-content'); }, showEditUrl: function () { @@ -149,6 +152,7 @@ define([ showAlign: function () { this.showPage('#edit-image-align'); + Common.Utils.addScrollIfNeed('.page.image-align', '.page.image-align .page-content'); }, textReplace: 'Replace', diff --git a/apps/presentationeditor/mobile/app/view/edit/EditLink.js b/apps/presentationeditor/mobile/app/view/edit/EditLink.js index 4554d64cc..cc66353ec 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditLink.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditLink.js @@ -69,6 +69,8 @@ define([ $('#edit-link-number').single('click', _.bind(me.showPageNumber, me)); $('#edit-link-type').single('click', _.bind(me.showLinkType, me)); + + Common.Utils.addScrollIfNeed('#edit-link .pages', '#edit-link .page'); }, // Render layout @@ -109,6 +111,8 @@ define([ this.fireEvent('page:show', [this, templateId]); } + + Common.Utils.addScrollIfNeed('.page[data-page=editlink-slidenumber]', '.page[data-page=editlink-slidenumber] .page-content'); }, showLinkType: function () { diff --git a/apps/presentationeditor/mobile/app/view/edit/EditShape.js b/apps/presentationeditor/mobile/app/view/edit/EditShape.js index 05dbdbacd..b34f11112 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditShape.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditShape.js @@ -76,6 +76,7 @@ define([ $('.edit-shape-style .categories a').single('click', _.bind(me.showStyleCategory, me)); + Common.Utils.addScrollIfNeed('#edit-shape .pages', '#edit-shape .page'); me.initControls(); }, @@ -154,19 +155,23 @@ define([ transparent: true }); + Common.Utils.addScrollIfNeed('.page[data-page=edit-shape-style]', '.page[data-page=edit-shape-style] .page-content'); this.fireEvent('page:show', [this, selector]); }, showReplace: function () { this.showPage('#edit-shape-replace'); + Common.Utils.addScrollIfNeed('.page.shape-replace', '.page.shape-replace .page-content'); }, showReorder: function () { this.showPage('#edit-shape-reorder'); + Common.Utils.addScrollIfNeed('.page.shape-reorder', '.page.shape-reorder .page-content'); }, showAlign: function () { this.showPage('#edit-shape-align'); + Common.Utils.addScrollIfNeed('.page.shape-align', '.page.shape-align .page-content'); }, showBorderColor: function () { diff --git a/apps/presentationeditor/mobile/app/view/edit/EditSlide.js b/apps/presentationeditor/mobile/app/view/edit/EditSlide.js index 6ee21f57d..ed2d90c24 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditSlide.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditSlide.js @@ -110,6 +110,7 @@ define([ $('#edit-slide-effect').single('click', _.bind(me.showEffect, me)); $('#edit-slide-effect-type').single('click', _.bind(me.showEffectType, me)); + Common.Utils.addScrollIfNeed('#edit-slide .pages', '#edit-slide .page'); me.initControls(); }, @@ -165,6 +166,10 @@ define([ this.initEvents(); } + + Common.Utils.addScrollIfNeed('.page[data-page=editslide-effect]', '.page[data-page=editslide-effect] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=editslide-effect-type]', '.page[data-page=editslide-effect-type] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-slide-style]', '.page[data-page=edit-slide-style] .page-content'); }, showStyle: function () { @@ -183,6 +188,7 @@ define([ this.renderLayouts(); + Common.Utils.addScrollIfNeed('.view.edit-root-view .page-on-center', '.view.edit-root-view .page-on-center .page-content'); this.fireEvent('page:show', [this, '#edit-slide-layout']); }, @@ -195,6 +201,8 @@ define([ // remove android specific style $('.page[data-page=edit-slide-transition] .list-block.inputs-list').removeClass('inputs-list'); + + Common.Utils.addScrollIfNeed('.page[data-page=edit-slide-transition]', '.page[data-page=edit-slide-transition] .page-content'); }, showEffect: function () { diff --git a/apps/presentationeditor/mobile/app/view/edit/EditTable.js b/apps/presentationeditor/mobile/app/view/edit/EditTable.js index 676eb41c9..6ab8913c7 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditTable.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditTable.js @@ -76,6 +76,7 @@ define([ $('#table-reorder').single('click', _.bind(me.showReorder, me)); $('#table-align').single('click', _.bind(me.showAlign, me)); + Common.Utils.addScrollIfNeed('#edit-table .pages', '#edit-table .page'); me.initControls(); me.renderStyles(); }, @@ -158,6 +159,11 @@ define([ if ($(e.currentTarget).data('type') == 'fill') { this.fireEvent('page:show', [this, '#edit-table-style']); } + + // Common.Utils.addScrollIfNeed('.page[data-page=edit-table-style] .tabs', '#tab-table-style'); + Common.Utils.addScrollIfNeed('#tab-table-style', '#tab-table-style .list-block'); + Common.Utils.addScrollIfNeed('#tab-table-fill', '#tab-table-fill .list-block'); + Common.Utils.addScrollIfNeed('#tab-table-border', '#tab-table-border .list-block'); }, showPage: function (templateId, suspendEvent) { @@ -181,6 +187,9 @@ define([ this.initEvents(); } + + Common.Utils.addScrollIfNeed('#tab-table-style', '#tab-table-style .list-block'); + Common.Utils.addScrollIfNeed('.page.table-reorder', '.page.table-reorder .page-content'); }, showTableStyle: function () { @@ -210,10 +219,12 @@ define([ showReorder: function () { this.showPage('#edit-table-reorder'); + Common.Utils.addScrollIfNeed('.page.table-reorder', '.page.table-reorder .page-content'); }, showAlign: function () { this.showPage('#edit-table-align'); + Common.Utils.addScrollIfNeed('.page.table-align', '.page.table-align .page-content'); }, textRemoveTable: 'Remove Table', diff --git a/apps/presentationeditor/mobile/app/view/edit/EditText.js b/apps/presentationeditor/mobile/app/view/edit/EditText.js index 7597225ef..b142eae7e 100644 --- a/apps/presentationeditor/mobile/app/view/edit/EditText.js +++ b/apps/presentationeditor/mobile/app/view/edit/EditText.js @@ -109,6 +109,8 @@ define([ me.initControls(); PE.getController('EditText').initSettings(); + + Common.Utils.addScrollIfNeed('#edit-text .pages', '#edit-text .page'); }, // Render layout @@ -189,6 +191,8 @@ define([ }, 100)); } }); + + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-page]', '.page[data-page=edit-text-font-page] .page-content'); }, showFontColor: function () { @@ -198,15 +202,18 @@ define([ el: $('.page[data-page=edit-text-font-color] .page-content') }); + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-color]', '.page[data-page=edit-text-font-color] .page-content'); this.fireEvent('page:show', [this, '#edit-text-color']); }, showAdditional: function () { this.showPage('#edit-text-additional'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-additional]', '.page[data-page=edit-text-additional] .page-content'); }, showLineSpacing: function () { this.showPage('#edit-text-linespacing'); + Common.Utils.addScrollIfNeed('#page-text-linespacing', '#page-text-linespacing .page-content'); }, showBullets: function () { @@ -238,7 +245,11 @@ define([ textLineSpacing: 'Line Spacing', textBullets: 'Bullets', textNone: 'None', - textNumbers: 'Numbers' + textNumbers: 'Numbers', + textCharacterBold: 'B', + textCharacterItalic: 'I', + textCharacterUnderline: 'U', + textCharacterStrikethrough: 'S' } })(), PE.Views.EditText || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/index.html b/apps/presentationeditor/mobile/index.html index 94bfdf23a..5017c2935 100644 --- a/apps/presentationeditor/mobile/index.html +++ b/apps/presentationeditor/mobile/index.html @@ -246,6 +246,19 @@ + + + + + +
                            +
                            + +
                            +

                            Registerkarte Layout

                            +

                            Über die Registerkarte Layout, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente.

                            +

                            Registerkarte Layout

                            +

                            Sie können:

                            + +
                            + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm index 859994517..6a6afcbc4 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm @@ -14,19 +14,19 @@

                            Einführung in die Benutzeroberfläche des Tabellenkalkulationseditors

                            -

                            Der Editor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind.

                            +

                            Der Tabelleneditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind.

                            Editor

                            Die Oberfläche des Editors besteht aus folgenden Hauptelementen:

                              -
                            1. In der Kopfzeile des Editors werden das Logo, die Menü-Registerkarten und der Name der Kalkulationstablle angezeigt sowie zwei Symbole auf der rechten Seite, über die Sie Zugriffsrechte festlegen und zur Dokumentenliste zurückkehren können.

                              Symbole in der Kopfzeile des Editors

                              +
                            2. In der Kopfzeile des Editors werden das Logo, die Menü-Registerkarten und der Name der Tabelle angezeigt sowie drei Symbole auf der rechten Seite, über die Sie Zugriffsrechte festlegen, zur Dokumentenliste zurückkehren, Einstellungen anzeigen und auf die Erweiterten Einstellungen des Editors zugreifen können.

                              Symbole in der Kopfzeile des Editors

                            3. -
                            4. Abhängig von der ausgewählten Registerkarten werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Pivot-Tabelle, Zusammenarbeit, Plug-ins.

                              Die Befehle Drucken, Speichern, Kopieren, Einfügen, Rückgängig machen und Wiederholen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung.

                              +
                            5. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Pivot-Tabelle, Zusammenarbeit, Plug-ins.

                              Die Befehle Drucken, Speichern, Kopieren, Einfügen, Rückgängig machen und Wiederholen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung.

                              Symbole in der oberen Menüleiste

                            6. Über die Bearbeitungsleiste können Formeln oder Werte in Zellen eingegeben oder bearbeitet werden. In der Bearbeitungsleiste wird der Inhalt der aktuell ausgewählten Zelle angezeigt.
                            7. -
                            8. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Blattregister und Zoom-Schaltflächen. In der Statusleiste wird außerdem die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen wenn Sie mehrere Zellen mit Daten ausgewählt haben.
                            9. +
                            10. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Blattregister und Zoom-Schaltflächen. In der Statusleiste wird außerdem die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie einen Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen, wenn Sie mehrere Zellen mit Daten ausgewählt haben.
                            11. Über die Symbole der linken Seitenleiste können Sie die Funktion Suchen und Ersetzen nutzen, Kommentare und Unterhaltungen öffnen, unser Support-Team kontaktieren und Informationen über das Programm einsehen.
                            12. -
                            13. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten eingestellt werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern.
                            14. +
                            15. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern.
                            16. Über den Arbeitsbereich können Sie den Inhalt der Kalkulationstabelle anzeigen und Daten eingeben und bearbeiten.
                            17. Mit den horizontalen und vertikalen Bildlaufleisten können Sie das aktuelle Tabellenblatt nach oben und unten und nach links und rechts bewegen.
                            diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AddBorders.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AddBorders.htm index 3ef4e7319..8670ca281 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AddBorders.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/AddBorders.htm @@ -1,7 +1,7 @@  - Rahmen hinzufügen + Rahmenlinien hinzufügen @@ -13,15 +13,15 @@
                            -

                            Rahmen hinzufügen

                            -

                            Rahmen in ein Arbeitsblatt einfügen oder formatieren:

                            +

                            Rahmenlinien hinzufügen

                            +

                            Rahmenlinien in ein Arbeitsblatt einfügen oder formatieren:

                              -
                            1. Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Blatt mithilfe der Tastenkombination STRG+A.

                              Hinweis: Sie können auch mehrere nicht angrenzende Zellen oder Zellbereiche auswählen. Halten Sie dazu die Taste Ctrl gedrückt, während Sie Zellen/Bereiche mit der Maus auswählen.

                              +
                            2. Wählen Sie eine Zelle, einen Zellenbereich oder mithilfe der Tastenkombination STRG+A das ganze Arbeitsblatt aus.

                              Hinweis: Sie können auch mehrere nicht angrenzende Zellen oder Zellbereiche auswählen. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die gewünschten Zellen/Bereiche mit der Maus aus.

                            3. -
                            4. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Rahmen Rahmen.
                            5. -
                            6. Rahmenstil auswählen:
                                -
                              1. Öffnen Sie das Untermenü Rahmenstil und wählen Sie eine der verfügbaren Optionen:
                              2. -
                              3. Öffnen Sie das Untermenü Rahmenfarbe Rahmen und wählen Sie die gewünschte Farbe aus der Palette aus.
                              4. +
                              5. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Rahmenlinien Rahmenlinien oder klicken sie auf das Symbol Zelleneinstellungen Zelleneinstellungen auf der rechten Seitenleiste.
                              6. +
                              7. Wählen Sie die gewünschten Rahmenlinien aus:
                                  +
                                1. Öffnen Sie das Untermenü Rahmenstil und wählen Sie eine der verfügbaren Optionen.
                                2. +
                                3. Öffnen Sie das Untermenü Rahmenfarbe Rahmenfarbe und wählen Sie die gewünschte Farbe aus der Palette aus.
                                4. Wählen Sie eine der verfügbaren Rahmenlinien aus: Rahmenlinie außen Rahmenlinie außen, Alle Rahmenlinien Alle Rahmenlinien, Rahmenlinie oben Rahmenlinie oben, Rahmenlinie unten Rahmenlinie unten, Rahmenlinie links Rahmenlinie links, Rahmenlinie rechts Rahmenlinie rechts, Kein Rahmen Kein Rahmen, Rahmenlinien innen Rahmenlinien innen, Innere vertikale Rahmenlinien Innere vertikale Rahmenlinien, Innere horizontale Rahmenlinien Innere horizontale Rahmenlinien, Diagonale Aufwärtslinie Diagonale Aufwärtslinie, Diagonale Abwärtslinie Diagonale Abwärtslinie.
                              8. diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm index f86c8588c..66f7bdf1a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertImages.htm @@ -16,35 +16,36 @@

                                Bilder einfügen

                                Im Tabellenkalkulationseditor, können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG.

                                Ein Bild einfügen

                                -

                                Ein Bild einfügen

                                +

                                Ein Bild in die Tabelle einfügen:

                                1. Positionieren Sie den Cursor an der Stelle, an der Sie das Bild einfügen möchten.
                                2. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen.
                                3. -
                                4. Klicken Sie in der oberen Symbolleiste auf Bild Bild.
                                5. +
                                6. Klicken Sie auf das Symbol Bild Bild in der oberen Symbolleiste.
                                7. Wählen Sie eine der folgenden Optionen um das Bild hochzuladen:
                                    -
                                  • Mit der Option Bild aus Datei öffnen Sie das Windows-Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen.
                                  • +
                                  • Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen.
                                  • Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK.
                                -

                                Das Bild wird dem Arbeitsblatt hinzugefügt.

                                +

                                Das Bild wird dem Tabellenblatt hinzugefügt.

                                Bildeinstellungen anpassen

                                Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern.

                                Genau Bildmaße festlegen:

                                1. Wählen Sie das gewünschte Bild mit der Maus aus
                                2. -
                                3. Klicken Sie auf das Symbol Bildeinstellungen Bildeinstellungen auf der rechten Seitenleiste

                                  Dialogfenster Bildeinstellungen rechte Seitenleiste

                                  +
                                4. Klicken Sie auf das Symbol Bildeinstellungen Bildeinstellungen auf der rechten Seitenleiste

                                  Dialogfenster Bildeinstellungen in der rechten Seitenleiste

                                5. Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus Symbol Seitenverhältnis sperren aktiviert), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße.

                                Ein eingefügtes Bild ersetzen:

                                  -
                                1. Wählen Sie das gewünschte Bild mit der Maus
                                2. +
                                3. Wählen Sie das gewünschte Bild mit der Maus aus.
                                4. Klicken Sie auf das Symbol Bildeinstellungen Bildeinstellungen auf der rechten Seitenleiste
                                5. -
                                6. Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus.
                                7. +
                                8. Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus.

                                  Hinweis: Alternativ können Sie mit der rechten Maustaste auf das Bild klicken, wählen Sie dann im Kontextmenü die Option Bild ersetzen.

                                  +

                                Das ausgewählte Bild wird ersetzt.

                                -

                                Ist das Bild ausgewählt, ist rechts auch das Symbol Formeinstellungen Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Entsprechend ändern sich die Form des Bildes.

                                +

                                Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl.

                                Registerkarte Formeinstellungen

                                Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet:

                                Bild - Erweiterte Einstellungen

                                diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm index d730b76d1..32f3ef230 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ManipulateObjects.htm @@ -19,24 +19,42 @@

                                Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten Quadrat an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole.

                                Hinweis: Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, dieses wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen Diagrammeinstellungen oder das Symbol Bildeinstellungen Bildeinstellungen.

                                Seitenverhältnis sperren

                                Objekte verschieben

                                -

                                Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol Pfeil, das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt an die gewünschte Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt.

                                +

                                Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol Pfeil, das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt.

                                Objekte drehen

                                -

                                Um die Form oder das Bild zu drehen, bewegen Sie den Cursor über den Drehpunkt Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste beim Drehen gedrückt.

                                -

                                Form von AutoFormen ändern

                                -

                                Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch ein gelbes diamantförmiges Symbol Gelber Diamant verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes.

                                -

                                Die Form einer AutoForm ändern

                                -

                                Objekte anordnen

                                -

                                Um die gewählten Objekte (AutoFormen, Bilder, Diagramme) anzuordnen (d.h. ihre Reihenfolge bei der Überlappung zu ändern), klicken Sie auf das gewünschte Objekt und wählen Sie den gewünschten Anordnungstyp aus dem Rechtsklickmenü:

                                -
                                  -
                                • In den Vordergrund - um ein Objekt in den Vordergrund zu bringen
                                • -
                                • In den Hintergrund - um ein Objekt in den Hintergrund zu bringen
                                • -
                                • Eine Ebene nach vorne - um ein Objekt eine Ebene nach vorne zu bringen
                                • -
                                • Eine Ebene nach hinten - um ein Objekt eine Ebene nach hinten zu bringen
                                • -
                                -

                                Objekte gruppieren

                                -

                                Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese gruppieren. Drücken Sie die Taste STRG und wählen Sie bei gedrückter Taste die gewünschten Objekte mit dem Mauszeiger aus. Klicken Sie anschließen mit der rechten Maustaste auf die Auswahl, um das Kontextmenü zu öffnen, und wählen Sie die Option Gruppieren.

                                -

                                 Objekte gruppieren

                                -

                                Um eine Gruppierung aufzuheben, wählen Sie die gruppierten Objekte mit der Maus, öffnen Sie das Rechtsklickmenü und wählen Sie die Option Gruppierung aufheben aus der Liste aus.

                                +

                                Um die Form oder das Bild zu drehen, bewegen Sie den Cursor über den Drehpunkt Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt.

                                +

                                Die Form einer AutoForm ändern

                                +

                                Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol Gelber Diamant verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes.

                                +

                                Form einer AutoForm ändern

                                +

                                Objekte ausrichten

                                +

                                Um ausgewählte Objekte mit einem gleichbleibenden Verhältnis zueinander auszurichten, halten Sie die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Ausrichten Ausrichten und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                                +
                                  +
                                • Linksbündig Ausrichten Linksbündig ausrichten - Objekte linksbünding in gleichbleibendem Verhältnis zueinander ausrichten,
                                • +
                                • Zentrieren Zentriert ausrichten - Objekte in gleichbleibendem Verhältnis zueinander zentriert ausrichten,
                                • +
                                • Rechtsbündig Ausrichten Rechtsbündig ausrichten - Objekte rechtsbündig in gleichbleibendem Verhältnis zueinander ausrichten,
                                • +
                                • Oben ausrichten Oben ausrichten - Objekte in gleichbleibendem Verhältnis zueinander oben ausrichten,
                                • +
                                • Zentrieren Mittig ausrichten - Objekte in gleichbleibendem Verhältnis zueinander mittig ausrichten,
                                • +
                                • Unten ausrichten Unten ausrichten - Objekte in gleichbleibendem Verhältnis zueinander unten ausrichten.
                                • +
                                +

                                Objekte gruppieren

                                +

                                Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese Gruppieren. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Gruppieren Gruppieren und wählen Sie die gewünschte Option aus der Liste aus:

                                +
                                  +
                                • Gruppieren Gruppieren - um mehrere Objekte zu einer Gruppe zusammenzufügen, so dass sie gleichzeitig rotiert, verschoben, skaliert, ausgerichtet, angeordnet, kopiert, eingefügt und formatiert werden können, wie ein einzelnes Objekt.
                                • +
                                • Gruppierung aufheben Gruppierung aufheben - um die ausgewählte Gruppe der zuvor gruppierten Objekte aufzulösen.
                                • +
                                +

                                Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Gruppieren oder Gruppierung aufheben aus.

                                +

                                Objekte gruppieren

                                +

                                Objekte anordnen

                                +

                                Um ausgewählte Objekte anzuordnen (z.B. die Reihenfolge bei einer Überlappung zu ändern), klicken Sie auf das Smbol Eine Ebene nach vorne eine Ebene nach vorne oder Eine Ebene nach hinten eine Ebene nach hinten in der Registerkarte Layout und wählen Sie die gewünschte Anordnung aus der Liste aus.

                                +

                                Um das/die ausgewählte(n) Objekt(e) nach vorne zu bringen, klicken Sie auf das Symbol Eine Ebene nach vorne Eine Ebene nach vorne in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                                +
                                  +
                                • In den Vordergrund In den Vordergrund - Objekt(e) in den Vordergrund bringen,
                                • +
                                • Eine Ebene nach vorne Eine Ebene nach vorne - um ausgewählte Objekte eine Ebene nach vorne zu schieben.
                                • +
                                +

                                Um das/die ausgewählte(n) Objekt(e) nach hinten zu verschieben, klicken Sie auf den Pfeil Eine Ebene nach hinten nach hinten verschieben in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus:

                                +
                                  +
                                • In den Hintergrund In den Hintergrund - um ein Objekt/Objekte in den Hintergrund zu schieben.
                                • +
                                • Eine Ebene nach hinten Eine Ebene nach hinten - um ausgewählte Objekte nur eine Ebene nach hinten zu schieben.
                                • +
                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index bbc50e466..411e8f205 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -14,7 +14,7 @@

                                Kalkulationstabelle speichern/drucken/herunterladen

                                -

                                Standardmäßig speichert der Editor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Programmabschlusses zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen.

                                +

                                Standardmäßig speichert der Editor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Schließen des Programmes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSave auf der Seite Erweiterte Einstellungen deaktivieren.

                                Aktuelle Kalkulationstabelle manuell speichern:

                                • Klicken Sie auf das Symbol Speichern Speichern auf der oberen Symbolleiste oder
                                • @@ -26,7 +26,7 @@
                                  1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
                                  2. Wählen Sie die Option Herunterladen als....
                                  3. -
                                  4. Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV

                                    Hinweis: Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.) mit Ausnahme des einfachen Texts nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen).

                                    +
                                  5. Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV.

                                    Hinweis: Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.), mit Ausnahme des einfachen Texts, nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen).

                                  @@ -37,7 +37,8 @@
                                • wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken.

                                Im Fenster Druckeinstellungen können Sie die Standarddruckeinstellungen ändern. Klicken Sie am unteren Rand des Fensters auf die Schaltfläche Details anzeigen, um alle Parameter anzuzeigen.

                                -

                                Hinweis: Sie können die Druckeinstellungen auch auf der Seite Erweiterte Einstellungen... ändern: Klicken Sie auf das Symbol Datei in der oberen Symbolleiste und wählen Sie Erweiterte Einstellungen... >> Drucken.

                                Druckeinstellungen

                                +

                                Hinweis: Sie können die Druckeinstellungen auch auf der Seite Erweiterte Einstellungen... ändern: Klicken Sie auf das Symbol Datei in der oberen Symbolleiste und wählen Sie Erweiterte Einstellungen... >> Seiteneinstellungen:
                                Einige dieser Einstellungen (Seitenränder, Seitenausrichtung und Seitengröße) sind auch in der Registerkarte Layout auf der oberen Symbolleiste verfügbar.

                                +

                                Druckeinstellungen

                                Hier können Sie die folgenden Parameter festlegen:

                                • Druckbereich - geben Sie an, was Sie drucken möchten: das gesamte aktive Blatt, die gesamte Arbeitsmappe oder einen vorher gewählten Zellenbereich (Auswahl).
                                • diff --git a/apps/spreadsheeteditor/main/resources/help/de/editor.css b/apps/spreadsheeteditor/main/resources/help/de/editor.css index 0b550e306..d6676f168 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/de/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 35%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,16 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js index 0ffc2213d..092e60bfc 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js @@ -2218,12 +2218,12 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Erweiterte Einstellungen des Kalkulationstabelleneditors", - "body": "Über die Funktion erweiterten Einstellungen können Sie die Grundeinstellungen im Kalkulationstabelleneditor ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch das Symbol in der rechten oberen Ecke der Registerkarte Start anklicken. Die erweiterten Einstellungen sind: Kommentaranzeige - zum Ein-/Ausschalten der Option Live-Kommentar: Anzeige von Kommentaren aktivieren - wenn Sie diese Funktion deaktivieren, werden die kommentierten Zellen nur hervorgehoben, wenn Sie auf das Symbol Kommentare in der linken Seitenleiste klicken. Anzeige der aufgelösten Kommentare aktivieren - wenn Sie diese Funktion deaktivieren, werden die aufgelösten Kommentare im Tabellenblatt verborgen. Sie können diese Kommentare nur ansehen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. AutoSave - automatisches Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Hinting - Auswahl der Schriftartdarstellung im Tabelleneditor: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Maßeinheiten - geben Sie an, welche Einheiten verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. anzugeben. Sie können die Optionen Zentimeter, Punkt oder Zoll wählen. Formelsprache - Sprache für die Anzeige und Eingabe von Formelnamen festlegen. Regionale Einstellungen - Standardanzeigeformat für Währung und Datum und Uhrzeit auswählen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." + "body": "Über die Funktion erweiterte Einstellungen können Sie die Grundeinstellungen im Kalkulationstabelleneditor ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen.... Sie können auch auf das Symbol Einstellungen anzeigen rechts neben der Kopfzeile des Editors klicken und die Option Erweiterte Einstellungen auswählen. Die erweiterten Einstellungen sind: Kommentaranzeige - zum Ein-/Ausschalten der Option Live-Kommentar: Anzeige von Kommentaren aktivieren - wenn Sie diese Funktion deaktivieren, werden die kommentierten Zellen nur hervorgehoben, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Anzeige der aufgelösten Kommentare aktivieren - diese Funktion ist standardmäßig deaktiviert, sodass die aufgelösten Kommentare im Arbeitsblatt verborgen werden. Sie können diese Kommentare nur ansehen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Wenn die aufgelösten Kommentare auf dem Arbeitsblatt angezeigt werden sollen, müssen Sie diese Option aktivieren. AutoSave - automatisches Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Der Referenzstil wird verwendet, um den R1C1-Referenzstil ein- oder auszuschalten Diese Option ist standardmäßig ausgewählt und es wird der Referenzstil A1 verwendet.Wenn der Referenzstil A1 verwendet wird, werden Spalten durch Buchstaben und Zeilen durch Zahlen gekennzeichnet. Wenn Sie die Zelle in Zeile 3 und Spalte 2 auswählen, sieht die Adresse in der Box links neben der Formelleiste folgendermaßen aus: B3. Wenn der Referenzstil R1C1 verwendet wird, werden sowohl Spalten als auch Zeilen durch Zahlen gekennzeichnet. Wenn Sie die Zelle am Schnittpunkt von Zeile 3 und Spalte 2 auswählen, sieht die Adresse folgendermaßen aus: R3C2. Buchstabe R gibt die Zeilennummer und Buchstabe C die Spaltennummer an. Wenn Sie sich auf andere Zellen mit dem Referenzstil R1C1 beziehen, wird der Verweis auf eine Zielzelle basierend auf der Entfernung von einer aktiven Zelle gebildet. Wenn Sie beispielsweise die Zelle in Zeile 5 und Spalte 1 auswählen und auf die Zelle in Zeile 3 und Spalte 2 verweisen, lautet der Bezug R[-2]C[1]. Zahlen in eckigen Klammern geben die Position der Zelle an, auf die Sie in Relation mit der aktuellen Zellenposition verweisen, d. h. die Zielzelle ist 2 Zeilen höher und 1 Spalte weiter rechts als die aktive Zelle. Wenn Sie die Zelle in Zeile 1 und Spalte 2 auswählen und auf die gleiche Zelle in Zeile 3 und Spalte 2 verweisen, lautet der Bezug R[2]C, d. h. die Zielzelle ist 2 Zeilen tiefer aber in der gleichen Spalte wie die aktive Zelle. Co-Bearbeitung - Anzeige der während der Co-Bearbeitung vorgenommenen Änderungen: Standardmäßig ist der Schnellmodus aktiviert. Die Benutzer, die das Dokuments gemeinsam bearbeiten, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Wenn Sie die Änderungen von anderen Benutzern nicht einsehen möchten (um Störungen zu vermeiden oder aus einem anderen Grund), wählen Sie den Modus Strikt und alle Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, dass Sie darüber informiert, dass Änderungen von anderen Benutzern vorliegen. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 200 %. Hinting - Auswahl der Schriftartdarstellung im Tabelleneditor: Wählen Sie Wie Windows, wenn Ihnen die Art gefällt, wie die Schriftarten unter Windows gewöhnlich angezeigt werden, d.h. mit Windows-artigen Hints. Wählen Sie Wie OS X, wenn Ihnen die Art gefällt, wie die Schriftarten auf einem Mac gewöhnlich angezeigt werden, d.h. ohne Hints. Wählen Sie Eingebettet, wenn Sie möchten, dass Ihr Text mit den Hints angezeigt wird, die in Schriftartdateien eingebettet sind. Maßeinheiten - geben Sie an, welche Einheiten verwendet werden, um Elemente wie Breite, Höhe, Abstand, Ränder usw. anzugeben. Sie können die Optionen Zentimeter, Punkt oder Zoll wählen. Formelsprache - Sprache für die Anzeige und Eingabe von Formelnamen festlegen. Regionale Einstellungen - Standardanzeigeformat für Währung und Datum und Uhrzeit auswählen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Gemeinsame Bearbeitung von Kalkulationstabellen", - "body": "Im Kalkulationstabelleneditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einer Tabelle zu arbeiten. Diese Funktion umfasst: Gleichzeitiger Zugriff von mehreren Benutzern auf eine Tabelle. Visuelle Markierung von Zellen, die aktuell von anderen Benutzern bearbeitet werden. Synchronisierung von Änderungen mit einem Klick. Chat zum Austauschen von Ideen zu bestimmten Abschnitten im Tabellenblatt. Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen. Co-Bearbeitung Im Kalkulationstabelleneditor stehen die folgenden Modi für die Co-Bearbeitung zur Verfügung. Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt. Im Modus Strikt werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen. Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Co-Bearbeitung. Wenn eine Tabelle im Modus Strikt von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Zellen sowie das jeweilige Blattregister mit gestrichelten Linien in verschiedenen Farben markiert. Wenn Sie den Mauszeiger über eine der bearbeiteten Zellen bewegen, wird der Name des Benutzers angezeigt, der diese Zelle aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben. Die Anzahl der Benutzer, die in der aktuellen Tabelle arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält. Wenn niemand die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus: - über dieses Symbol können Sie die Benutzer verwalten, die direkt aus der Tabelle auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen oder Überprüfen erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige der Tabelle beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Teilen. Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol speichert, sehen die anderen Benutzer in der oberen linken Ecke eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken die Aktualisierungen zu erhalten, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf . Chat Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Teil der Tabelle Sie aktuell bearbeiten usw. Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Tabelle zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden. Chat nutzen und Nachrichten für andere Benutzer erstellen: Klicken Sie im linken Seitenbereich auf das Symbol oder wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat. Geben Sie Ihren Text ins entsprechende Feld unten ein. klicken Sie auf Senden. Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol. Kommentare Einen Kommentar hinterlassen: Wählen Sie eine Zelle, die Ihrer Meinung nach einen Fehler oder ein Problem enthält. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie auf Kommentare, oder nutzen Sie das Symbol in der linken Seitenleiste, um das Kommentarfeld zu öffnen, klicken Sie anschließend auf Kommentar hinzufügen oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus. Geben Sie den gewünschten Text ein. Klicken Sie auf Kommentar hinzufügen/Hinzufügen. Der Kommentar wird im linken Seitenbereich angezeigt. In der oberen rechten Ecke der kommentierten Ecke wird ein orangefarbenes Dreieck angezeigt. Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Live-Kommentare einblenden. In diesem Fall werden die kommentierten Zellen nur markiert, wenn Sie auf klicken. Zur Anzeige des Kommentars, klicken Sie einfach in die jeweilige Zelle. Alle Nutzer können nun auf hinzugefügten Kommentar antworten, Fragen stellen oder über die durchgeführten Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar. Hinzugefügte Kommentare verwalten: bearbeiten - klicken Sie dazu auf löschen - klicken Sie dazu auf die Diskussion schließen - klicken Sie dazu auf , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf . Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Gelöste Kommentare einblenden, klicken Sie anschließend auf Anwenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf klicken. Wenn Sie im Modus Strikt arbeiten, werden neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, erst eingeblendet, wenn Sie in der linken oberen Ecke der oberen Symbolleiste auf geklickt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf ." + "body": "Im Kalkulationstabelleneditor haben Sie die Möglichkeit, gemeinsam mit anderen Nutzern an einer Tabelle zu arbeiten. Diese Funktion umfasst: Gleichzeitiger Zugriff von mehreren Benutzern auf eine Tabelle. Visuelle Markierung von Zellen, die aktuell von anderen Benutzern bearbeitet werden. Anzeige von Änderungen in Echtzeit oder Synchronisierung von Änderungen mit einem Klick. Chat zum Austauschen von Ideen zu bestimmten Abschnitten im Tabellenblatt. Kommentare mit der Beschreibung von Aufgaben oder Problemen, die Folgehandlungen erforderlich machen. Co-Bearbeitung Im Kalkulationstabelleneditor stehen die folgenden Modi für die Co-Bearbeitung zur Verfügung. Standardmäßig ist der Schnellmodus aktiviert. Die Änderungen von anderen Benutzern werden in Echtzeit angezeigt. Im Modus Strikt werden die Änderungen von anderen Nutzern verborgen, bis Sie auf das Symbol Speichern klicken, um Ihre eigenen Änderungen zu speichern und die Änderungen von anderen anzunehmen. Der Modus kann unter Erweiterte Einstellungen festgelegt werden. Sie können den gewünschten Modus auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Co-Bearbeitung. Wenn eine Tabelle im Modus Strikt von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Zellen sowie das jeweilige Blattregister mit gestrichelten Linien in verschiedenen Farben markiert. Wenn Sie den Mauszeiger über eine der bearbeiteten Zellen bewegen, wird der Name des Benutzers angezeigt, der diese Zelle aktuell bearbeitet. Im Schnellmodus werden die Aktionen und die Namen der Co-Editoren angezeigt, sobald sie eine Textstelle bearbeitet haben. Die Anzahl der Benutzer, die in der aktuellen Tabelle arbeiten, wird in der linken unteren Ecke auf der Statusleiste angegeben - . Wenn Sie sehen möchten wer die Datei aktuell bearbeitet, können Sie auf dieses Symbol klicken oder den Bereich Chat öffnen, der eine vollständige Liste aller Benutzer enthält. Wenn niemand die Datei anzeigt oder bearbeitet, sieht das Symbol in der Kopfzeile des Editors folgendermaßen aus: - über dieses Symbol können Sie die Benutzer verwalten, die direkt aus der Tabelle auf die Datei zugreifen können; neue Benutzer einladen und ihnen die Berechtigung zum Bearbeiten, Lesen oder Überprüfen erteilen oder Benutzern Zugriffsrechte für die Datei verweigern. Klicken Sie auf dieses Symbol , um den Zugriff auf die Datei zu verwalten. Sie können die Datei auch verwalten, wenn andere Benutzer aktuell mit der Bearbeitung oder Anzeige der Tabelle beschäftigt sind. Sie können die Zugriffsrechte auch in der Registerkarte Zusammenarbeit in der oberen Symbolleiste festlegen, klicken Sie dazu einfach auf das Symbol Teilen. Sobald einer der Benutzer Änderungen durch Klicken auf das Symbol speichert, sehen die anderen Benutzer in der oberen linken Ecke eine Notiz über vorliegende Aktualisierungen. Um Ihre eigenen Änderungen zu speichern, so dass diese auch von den anderen Benutzern eingesehen werden können und um die Aktualisierungen Ihrer Co-Editoren einzusehen, klicken Sie in der oberen linken Ecke der oberen Symbolleiste auf . Chat Mit diesem Tool können Sie die Co-Bearbeitung spontan bei Bedarf koordinieren, beispielsweise um mit Ihren Mitarbeitern zu vereinbaren, wer was macht, welchen Teil der Tabelle Sie aktuell bearbeiten usw. Die Chat-Nachrichten werden nur während einer aktiven Sitzung gespeichert. Um den Inhalt der Tabelle zu besprechen, ist es besser die Kommentarfunktion zu verwenden, da Kommentare bis zum Löschen gespeichert werden. Chat nutzen und Nachrichten für andere Benutzer erstellen: Klicken Sie im linken Seitenbereich auf das Symbol oder wechseln Sie in der oberen Symbolleiste in die Registerkarte Zusammenarbeit und klicken Sie auf die Schaltfläche Chat. Geben Sie Ihren Text in das entsprechende Feld unten ein. klicken Sie auf Senden. Alle Nachrichten, die von Benutzern hinterlassen wurden, werden links in der Leiste angezeigt. Liegen ungelesene neue Nachrichten vor, sieht das Chat-Symbol wie folgt aus - . Um die Leiste mit den Chat-Nachrichten zu schließen, klicken Sie erneut auf das Symbol. Kommentare Einen Kommentar hinterlassen: Wählen Sie eine Zelle, die Ihrer Meinung nach einen Fehler oder ein Problem beinhaltet. Wechseln Sie in der oberen Symbolleiste in die Registerkarte Einfügen oder Zusammenarbeit und klicken Sie auf Kommentare oder nutzen Sie das Symbol in der linken Seitenleiste, um das Kommentarfeld zu öffnen, klicken Sie anschließend auf Kommentar hinzufügen oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Kommentar hinzufügen aus dem Kontextmenü aus. Geben Sie den gewünschten Text ein. Klicken Sie auf Kommentar hinzufügen/Hinzufügen. Der Kommentar wird im linken Seitenbereich angezeigt. In der oberen rechten Ecke der kommentierten Zelle wird ein orangefarbenes Dreieck angezeigt. Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Live-Kommentare einblenden. In diesem Fall werden die kommentierten Zellen nur markiert, wenn Sie auf klicken. Zur Anzeige des Kommentars, klicken Sie einfach in die jeweilige Zelle. Alle Nutzer können nun auf den hinzugefügten Kommentar antworten, Fragen stellen oder über die durchgeführten Aktionen berichten. Klicken Sie dazu einfach in das Feld Antworten, direkt unter dem Kommentar. Hinzugefügte Kommentare verwalten: bearbeiten - klicken Sie dazu auf löschen - klicken Sie dazu auf die Diskussion schließen - klicken Sie dazu auf , wenn die im Kommentar angegebene Aufgabe oder das Problem gelöst wurde. Danach erhält die Diskussion, die Sie mit Ihrem Kommentar geöffnet haben, den Status aufgelöst. Um die Diskussion wieder zu öffnen, klicken Sie auf . Wenn Sie diese Funktion deaktivieren möchten, wechseln Sie in die Registerkarte Datei, wählen Sie die Option Erweiterte Einstellungen... und deaktivieren Sie das Kästchen Gelöste Kommentare einblenden, klicken Sie anschließend auf Anwenden. In diesem Fall werden die kommentierten Abschnitte nur markiert, wenn Sie auf klicken. Wenn Sie im Modus Strikt arbeiten, werden neue Kommentare, die von den anderen Benutzern hinzugefügt wurden, erst eingeblendet, wenn Sie in der linken oberen Ecke der oberen Symbolleiste auf geklickt haben. Um die Leiste mit den Kommentaren zu schließen, klicken Sie in der linken Seitenleiste erneut auf ." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -2263,7 +2263,12 @@ var indexes = { "id": "ProgramInterface/InsertTab.htm", "title": "Registerkarte Einfügen", - "body": "Über die Registerkarte Einfügen können Sie visuelle Objekte und Kommentare zu Ihrer Tabelle hinzufügen. Sie können: Bilder, Formen, Textboxen und TextArt-Objekte, Diagramme einfügen, Kommentare und Hyperlinks einfügen und Formeln einfügen." + "body": "Über die Registerkarte Einfügen können Sie visuelle Objekte und Kommentare zu Ihrer Tabelle hinzufügen. Sie können: Bilder, Formen, Textboxen und TextArt-Objekte und Diagramme einfügen, Kommentare und Hyperlinks einfügen und Formeln einfügen." + }, + { + "id": "ProgramInterface/LayoutTab.htm", + "title": "Registerkarte Layout", + "body": "Über die Registerkarte Layout, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente. Sie können: Seitenränder, Seitenausrichtung und Seitengröße anpassen, Objekte ausrichten und anordnen (Bilder, Diagramme, Formen)." }, { "id": "ProgramInterface/PivotTableTab.htm", @@ -2278,12 +2283,12 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Einführung in die Benutzeroberfläche des Tabellenkalkulationseditors", - "body": "Der Editor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, die Menü-Registerkarten und der Name der Kalkulationstablle angezeigt sowie zwei Symbole auf der rechten Seite, über die Sie Zugriffsrechte festlegen und zur Dokumentenliste zurückkehren können. Abhängig von der ausgewählten Registerkarten werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Pivot-Tabelle, Zusammenarbeit, Plug-ins.Die Befehle Drucken, Speichern, Kopieren, Einfügen, Rückgängig machen und Wiederholen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. Über die Bearbeitungsleiste können Formeln oder Werte in Zellen eingegeben oder bearbeitet werden. In der Bearbeitungsleiste wird der Inhalt der aktuell ausgewählten Zelle angezeigt. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Blattregister und Zoom-Schaltflächen. In der Statusleiste wird außerdem die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen wenn Sie mehrere Zellen mit Daten ausgewählt haben. Über die Symbole der linken Seitenleiste können Sie die Funktion Suchen und Ersetzen nutzen, Kommentare und Unterhaltungen öffnen, unser Support-Team kontaktieren und Informationen über das Programm einsehen. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten eingestellt werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Über den Arbeitsbereich können Sie den Inhalt der Kalkulationstabelle anzeigen und Daten eingeben und bearbeiten. Mit den horizontalen und vertikalen Bildlaufleisten können Sie das aktuelle Tabellenblatt nach oben und unten und nach links und rechts bewegen. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." + "body": "Der Tabelleneditor verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, die Menü-Registerkarten und der Name der Tabelle angezeigt sowie drei Symbole auf der rechten Seite, über die Sie Zugriffsrechte festlegen, zur Dokumentenliste zurückkehren, Einstellungen anzeigen und auf die Erweiterten Einstellungen des Editors zugreifen können. Abhängig von der ausgewählten Registerkarte werden in der oberen Symbolleiste eine Reihe von Bearbeitungsbefehlen angezeigt. Aktuell stehen die folgenden Registerkarten zur Verfügung: Datei, Start, Einfügen, Layout, Pivot-Tabelle, Zusammenarbeit, Plug-ins.Die Befehle Drucken, Speichern, Kopieren, Einfügen, Rückgängig machen und Wiederholen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung. Über die Bearbeitungsleiste können Formeln oder Werte in Zellen eingegeben oder bearbeitet werden. In der Bearbeitungsleiste wird der Inhalt der aktuell ausgewählten Zelle angezeigt. In der Statusleiste am unteren Rand des Editorfensters, finden Sie verschiedene Navigationswerkzeuge: Navigationsschaltflächen, Blattregister und Zoom-Schaltflächen. In der Statusleiste wird außerdem die Anzahl der gefilterten Ergebnisse angezeigt, sofern Sie einen Filter gesetzt haben, oder Ergebnisse der automatischen Berechnungen, wenn Sie mehrere Zellen mit Daten ausgewählt haben. Über die Symbole der linken Seitenleiste können Sie die Funktion Suchen und Ersetzen nutzen, Kommentare und Unterhaltungen öffnen, unser Support-Team kontaktieren und Informationen über das Programm einsehen. Über die rechte Seitenleiste können zusätzliche Parameter von verschiedenen Objekten angepasst werden. Wenn Sie ein bestimmtes Objekt auf einem Arbeitsblatt auswählen, wird das entsprechende Symbol in der rechten Seitenleiste aktiviert. Klicken Sie auf dieses Symbol, um die rechte Seitenleiste zu erweitern. Über den Arbeitsbereich können Sie den Inhalt der Kalkulationstabelle anzeigen und Daten eingeben und bearbeiten. Mit den horizontalen und vertikalen Bildlaufleisten können Sie das aktuelle Tabellenblatt nach oben und unten und nach links und rechts bewegen. Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite." }, { "id": "UsageInstructions/AddBorders.htm", - "title": "Rahmen hinzufügen", - "body": "Rahmen in ein Arbeitsblatt einfügen oder formatieren: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Blatt mithilfe der Tastenkombination STRG+A.Hinweis: Sie können auch mehrere nicht angrenzende Zellen oder Zellbereiche auswählen. Halten Sie dazu die Taste Ctrl gedrückt, während Sie Zellen/Bereiche mit der Maus auswählen. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Rahmen . Rahmenstil auswählen: Öffnen Sie das Untermenü Rahmenstil und wählen Sie eine der verfügbaren Optionen: Öffnen Sie das Untermenü Rahmenfarbe und wählen Sie die gewünschte Farbe aus der Palette aus. Wählen Sie eine der verfügbaren Rahmenlinien aus: Rahmenlinie außen , Alle Rahmenlinien , Rahmenlinie oben , Rahmenlinie unten , Rahmenlinie links , Rahmenlinie rechts , Kein Rahmen , Rahmenlinien innen , Innere vertikale Rahmenlinien , Innere horizontale Rahmenlinien , Diagonale Aufwärtslinie , Diagonale Abwärtslinie ." + "title": "Rahmenlinien hinzufügen", + "body": "Rahmenlinien in ein Arbeitsblatt einfügen oder formatieren: Wählen Sie eine Zelle, einen Zellenbereich oder mithilfe der Tastenkombination STRG+A das ganze Arbeitsblatt aus.Hinweis: Sie können auch mehrere nicht angrenzende Zellen oder Zellbereiche auswählen. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die gewünschten Zellen/Bereiche mit der Maus aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Rahmenlinien oder klicken sie auf das Symbol Zelleneinstellungen auf der rechten Seitenleiste. Wählen Sie die gewünschten Rahmenlinien aus: Öffnen Sie das Untermenü Rahmenstil und wählen Sie eine der verfügbaren Optionen. Öffnen Sie das Untermenü Rahmenfarbe und wählen Sie die gewünschte Farbe aus der Palette aus. Wählen Sie eine der verfügbaren Rahmenlinien aus: Rahmenlinie außen , Alle Rahmenlinien , Rahmenlinie oben , Rahmenlinie unten , Rahmenlinie links , Rahmenlinie rechts , Kein Rahmen , Rahmenlinien innen , Innere vertikale Rahmenlinien , Innere horizontale Rahmenlinien , Diagonale Aufwärtslinie , Diagonale Abwärtslinie ." }, { "id": "UsageInstructions/AddHyperlinks.htm", @@ -2343,7 +2348,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Bilder einfügen", - "body": "Im Tabellenkalkulationseditor, können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Ein Bild einfügen Ein Bild einfügen Positionieren Sie den Cursor an der Stelle, an der Sie das Bild einfügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf Bild. Wählen Sie eine der folgenden Optionen um das Bild hochzuladen: Mit der Option Bild aus Datei öffnen Sie das Windows-Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK. Das Bild wird dem Arbeitsblatt hinzugefügt. Bildeinstellungen anpassen Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern. Genau Bildmaße festlegen: Wählen Sie das gewünschte Bild mit der Maus aus Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße. Ein eingefügtes Bild ersetzen: Wählen Sie das gewünschte Bild mit der Maus Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus. Das ausgewählte Bild wird ersetzt. Ist das Bild ausgewählt, ist rechts auch das Symbol Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Entsprechend ändern sich die Form des Bildes. Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet: Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind. Um das gewünschte Bild zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF auf Ihrer Tastatur." + "body": "Im Tabellenkalkulationseditor, können Sie Bilder in den gängigen Formaten in Ihre Tabelle einfügen. Die folgenden Formate werden unterstützt: BMP, GIF, JPEG, JPG, PNG. Ein Bild einfügen Ein Bild in die Tabelle einfügen: Positionieren Sie den Cursor an der Stelle, an der Sie das Bild einfügen möchten. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Bild in der oberen Symbolleiste. Wählen Sie eine der folgenden Optionen um das Bild hochzuladen: Mit der Option Bild aus Datei öffnen Sie das Standarddialogfenster zur Dateiauswahl. Durchsuchen Sie die Festplatte Ihres Computers nach der gewünschten Bilddatei und klicken Sie auf Öffnen. Mit der Option Bild aus URL öffnen Sie das Fenster zum Eingeben der erforderlichen Webadresse, wenn Sie die Adresse eingegeben haben, klicken Sie auf OK. Das Bild wird dem Tabellenblatt hinzugefügt. Bildeinstellungen anpassen Wenn Sie das Bild hinzugefügt haben, können Sie Größe und Position ändern. Genau Bildmaße festlegen: Wählen Sie das gewünschte Bild mit der Maus aus Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste Legen Sie im Bereich Größe die erforderlichen Werte für Breite und Höhe fest. Wenn Sie die Funktion Seitenverhältnis sperren aktivieren (in diesem Fall sieht das Symbol so aus ), werden Breite und Höhe gleichmäßig geändert und das ursprüngliche Bildseitenverhältnis wird beibehalten. Um die Standardgröße des hinzugefügten Bildes wiederherzustellen, klicken Sie auf Standardgröße. Ein eingefügtes Bild ersetzen: Wählen Sie das gewünschte Bild mit der Maus aus. Klicken Sie auf das Symbol Bildeinstellungen auf der rechten Seitenleiste Wählen Sie in der Gruppe Bild ersetzen die gewünschte Option: Bild aus Datei oder Bild aus URL - und wählen Sie das entsprechende Bild aus.Hinweis: Alternativ können Sie mit der rechten Maustaste auf das Bild klicken, wählen Sie dann im Kontextmenü die Option Bild ersetzen. Das ausgewählte Bild wird ersetzt. Wenn Sie das Bild ausgewählt haben, ist rechts auch das Symbol Formeinstellungen verfügbar. Klicken Sie auf dieses Symbol, um die Registerkarte Formeinstellungen in der rechten Seitenleiste zu öffnen und passen Sie Form, Linientyp, Größe und Farbe an oder ändern Sie die Form und wählen Sie im Menü AutoForm ändern eine neue Form aus. Die Form des Bildes ändert sich entsprechend Ihrer Auswahl. Um die erweiterte Einstellungen des Bildes zu ändern, klicken Sie mit der rechten Maustaste auf das Bild und wählen Sie die Option Bild - Erweiterte Einstellungen im Rechtsklickmenü oder klicken Sie einfach in der rechten Seitenleiste auf Erweiterte Einstellungen anzeigen. Das Fenster mit den Bildeigenschaften wird geöffnet: Die Registerkarte Alternativtext ermöglicht die Eingabe eines Titels und einer Beschreibung, die Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden kann, damit sie besser verstehen können, welche Informationen im Bild enthalten sind. Um das gewünschte Bild zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF auf Ihrer Tastatur." }, { "id": "UsageInstructions/InsertTextObjects.htm", @@ -2358,7 +2363,7 @@ var indexes = { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Objekte formatieren", - "body": "Sie können die Größe von in Ihrem Arbeitsblatt eingefügten AutoFormen, Bildern und Diagrammen ändern und diese verschieben, drehen und anordnen. Größe von Objekten ändern Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole. Hinweis: Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, dieses wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen oder das Symbol Bildeinstellungen . Objekte verschieben Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt an die gewünschte Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. Objekte drehen Um die Form oder das Bild zu drehen, bewegen Sie den Cursor über den Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste beim Drehen gedrückt. Form von AutoFormen ändern Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch ein gelbes diamantförmiges Symbol verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes. Objekte anordnen Um die gewählten Objekte (AutoFormen, Bilder, Diagramme) anzuordnen (d.h. ihre Reihenfolge bei der Überlappung zu ändern), klicken Sie auf das gewünschte Objekt und wählen Sie den gewünschten Anordnungstyp aus dem Rechtsklickmenü: In den Vordergrund - um ein Objekt in den Vordergrund zu bringen In den Hintergrund - um ein Objekt in den Hintergrund zu bringen Eine Ebene nach vorne - um ein Objekt eine Ebene nach vorne zu bringen Eine Ebene nach hinten - um ein Objekt eine Ebene nach hinten zu bringen Objekte gruppieren Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese gruppieren. Drücken Sie die Taste STRG und wählen Sie bei gedrückter Taste die gewünschten Objekte mit dem Mauszeiger aus. Klicken Sie anschließen mit der rechten Maustaste auf die Auswahl, um das Kontextmenü zu öffnen, und wählen Sie die Option Gruppieren. Um eine Gruppierung aufzuheben, wählen Sie die gruppierten Objekte mit der Maus, öffnen Sie das Rechtsklickmenü und wählen Sie die Option Gruppierung aufheben aus der Liste aus." + "body": "Sie können die Größe von in Ihrem Arbeitsblatt eingefügten AutoFormen, Bildern und Diagrammen ändern und diese verschieben, drehen und anordnen. Größe von Objekten ändern Um die Größe von AutoFormen, Bildern oder Diagrammen zu ändern, ziehen Sie mit der Maus an den kleinen Quadraten an den Rändern des entsprechenden Objekts. Um das ursprünglichen Seitenverhältnis der ausgewählten Objekte während der Größenänderung beizubehalten, halten Sie Taste UMSCHALT gedrückt und ziehen Sie an einem der Ecksymbole. Hinweis: Sie können die Größe des eingefügten Diagramms oder Bildes auch über die rechte Seitenleiste ändern, dieses wird aktiviert, sobald Sie das gewünschte Objekt ausgewählt haben. Um diese zu öffnen, klicken Sie rechts auf das Symbol Diagrammeinstellungen oder das Symbol Bildeinstellungen . Objekte verschieben Um die Position von AutoFormen, Bildern und Diagrammen zu ändern, nutzen Sie das Symbol , das eingeblendet wird, wenn Sie den Mauszeiger über die AutoForm bewegen. Ziehen Sie das Objekt in die gewünschten Position, ohne die Maustaste loszulassen. Um ein Objekt in 1-Pixel-Stufen zu verschieben, halten Sie die Taste STRG gedrückt und verwenden Sie die Pfeile auf der Tastatur. Um ein Objekt strikt horizontal/vertikal zu bewegen und zu verhindern, dass es sich perpendikular bewegt, halten Sie die UMSCHALT-Taste beim Ziehen gedrückt. Objekte drehen Um die Form oder das Bild zu drehen, bewegen Sie den Cursor über den Drehpunkt und ziehen Sie diesen im oder gegen den Uhrzeigersinn. Um ein Objekt in 15-Grad-Stufen zu drehen, halten Sie die UMSCHALT-Taste bei der Drehung gedrückt. Die Form einer AutoForm ändern Bei der Änderung einiger Formen, z.B. geformte Pfeile oder Legenden, ist auch dieses gelbe diamantförmige Symbol verfügbar. Über dieses Symbol können verschiedene Komponenten einer Form geändert werden, z.B. die Länge des Pfeilkopfes. Objekte ausrichten Um ausgewählte Objekte mit einem gleichbleibenden Verhältnis zueinander auszurichten, halten Sie die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Ausrichten und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: Linksbündig Ausrichten - Objekte linksbünding in gleichbleibendem Verhältnis zueinander ausrichten, Zentrieren - Objekte in gleichbleibendem Verhältnis zueinander zentriert ausrichten, Rechtsbündig Ausrichten - Objekte rechtsbündig in gleichbleibendem Verhältnis zueinander ausrichten, Oben ausrichten - Objekte in gleichbleibendem Verhältnis zueinander oben ausrichten, Zentrieren - Objekte in gleichbleibendem Verhältnis zueinander mittig ausrichten, Unten ausrichten - Objekte in gleichbleibendem Verhältnis zueinander unten ausrichten. Objekte gruppieren Um die Form von mehreren Objekten gleichzeitig und gleichmäßig zu verändern, können Sie diese Gruppieren. Halten Sie dazu die Taste STRG gedrückt und wählen Sie die Objekte mit der Maus aus. Klicken Sie dann in der oberen Symbolleiste unter der Registerkarte Layout auf das Symbol Gruppieren und wählen Sie die gewünschte Option aus der Liste aus: Gruppieren - um mehrere Objekte zu einer Gruppe zusammenzufügen, so dass sie gleichzeitig rotiert, verschoben, skaliert, ausgerichtet, angeordnet, kopiert, eingefügt und formatiert werden können, wie ein einzelnes Objekt. Gruppierung aufheben - um die ausgewählte Gruppe der zuvor gruppierten Objekte aufzulösen. Alternativ können Sie mit der rechten Maustaste auf die ausgewählten Objekte klicken, wählen Sie anschließend im Kontextmenü die Option Gruppieren oder Gruppierung aufheben aus. Objekte anordnen Um ausgewählte Objekte anzuordnen (z.B. die Reihenfolge bei einer Überlappung zu ändern), klicken Sie auf das Smbol eine Ebene nach vorne oder eine Ebene nach hinten in der Registerkarte Layout und wählen Sie die gewünschte Anordnung aus der Liste aus. Um das/die ausgewählte(n) Objekt(e) nach vorne zu bringen, klicken Sie auf das Symbol Eine Ebene nach vorne in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: In den Vordergrund - Objekt(e) in den Vordergrund bringen, Eine Ebene nach vorne - um ausgewählte Objekte eine Ebene nach vorne zu schieben. Um das/die ausgewählte(n) Objekt(e) nach hinten zu verschieben, klicken Sie auf den Pfeil nach hinten verschieben in der Registerkarte Layout und wählen Sie den gewünschten Ausrichtungstyp aus der Liste aus: In den Hintergrund - um ein Objekt/Objekte in den Hintergrund zu schieben. Eine Ebene nach hinten - um ausgewählte Objekte nur eine Ebene nach hinten zu schieben." }, { "id": "UsageInstructions/MergeCells.htm", @@ -2378,7 +2383,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Kalkulationstabelle speichern/drucken/herunterladen", - "body": "Standardmäßig speichert der Editor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Programmabschlusses zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Aktuelle Kalkulationstabelle manuell speichern: Klicken Sie auf das Symbol Speichern auf der oberen Symbolleiste oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Aktuelle Kalkulationstabelle auf dem PC speichern: Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSVHinweis: Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.) mit Ausnahme des einfachen Texts nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen). Aktuelle Kalkulationstabelle drucken: Klicken Sie in der oberen Symbolleiste auf das Symbol Drucken oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Im Fenster Druckeinstellungen können Sie die Standarddruckeinstellungen ändern. Klicken Sie am unteren Rand des Fensters auf die Schaltfläche Details anzeigen, um alle Parameter anzuzeigen. Hinweis: Sie können die Druckeinstellungen auch auf der Seite Erweiterte Einstellungen... ändern: Klicken Sie auf das Symbol Datei in der oberen Symbolleiste und wählen Sie Erweiterte Einstellungen... >> Drucken. Hier können Sie die folgenden Parameter festlegen: Druckbereich - geben Sie an, was Sie drucken möchten: das gesamte aktive Blatt, die gesamte Arbeitsmappe oder einen vorher gewählten Zellenbereich (Auswahl). Blatteinstellungen - legen Sie für jedes einzelne Blatt individuelle Druckeinstellungen fest, wenn Sie vorher die Option Arbeitsmappe in der Menüliste für den Druckbereich ausgewählt haben. Seitenformat - wählen Sie eine der verfügbaren Größen aus der Menüliste aus. Seitenorientierung - wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder die Option Querformat, um horizontal zu drucken. Skalierung - wenn Sie nicht möchten, dass anhängende Spalten oder Zeilen auf einer zweiten Seite gedruckt werden, können Sie den Inhalt des Blatts auf eine Seite verkleinern, indem Sie die entsprechende Option auswählen: Tabelle auf eine Seite anpassen, Alle Spalten auf einer Seite oder Alle Zeilen auf einer Seite. Wenn Sie keine Anpassung vornehmen wollen, wählen Sie die Option Keine Skalierung. Ränder - geben Sie den Abstand zwischen der Blattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern. Drucken - geben Sie die Blattelemente an, die gedruckt werden sollen, indem Sie die entsprechenden Felder aktivieren: Gitternetzlinien drucken und Zellen- und Spaltenüberschriften drucken. Wenn Sie alle Parameter festgelegt haben klicken sie auf OK, um die Änderungen zu übernehmen, schließen Sie das Fenster und starten Sie den Druckvorgang. Danach wird basierend auf der Kalkulationstabelle eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken." + "body": "Standardmäßig speichert der Editor Ihre Datei während der Bearbeitung automatisch alle 2 Sekunden, um Datenverluste im Falle eines unerwarteten Schließen des Programmes zu verhindern. Wenn Sie die Datei im Schnellmodus co-editieren, fordert der Timer 25 Mal pro Sekunde Aktualisierungen an und speichert vorgenommene Änderungen. Wenn Sie die Datei im Modus Strikt co-editieren, werden Änderungen automatisch alle 10 Minuten gespeichert. Sie können den bevorzugten Co-Modus nach Belieben auswählen oder die Funktion AutoSave auf der Seite Erweiterte Einstellungen deaktivieren. Aktuelle Kalkulationstabelle manuell speichern: Klicken Sie auf das Symbol Speichern auf der oberen Symbolleiste oder drücken Sie die Tasten STRG+S oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Speichern. Aktuelle Kalkulationstabelle auf dem PC speichern: Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Herunterladen als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV.Hinweis: Wenn Sie das Format CSV auswählen, werden alle Funktionen (Schriftformatierung, Formeln usw.), mit Ausnahme des einfachen Texts, nicht in der CSV-Datei beibehalten. Wenn Sie mit dem Speichern fortfahren, öffnet sich das Fenster CSV-Optionen auswählen. Standardmäßig wird Unicode (UTF-8) als Codierungstyp verwendet. Das Standardtrennzeichen ist das Komma (,), aber die folgenden Optionen sind ebenfalls verfügbar: Semikolon (;), Doppelpunkt (:), Tab, Leerzeichen und Sonstige (mit dieser Option können Sie ein benutzerdefiniertes Trennzeichen festlegen). Aktuelle Kalkulationstabelle drucken: Klicken Sie in der oberen Symbolleiste auf das Symbol Drucken oder nutzen Sie die Tastenkombination STRG+P oder wechseln Sie in der oberen Menüleiste in die Registerkarte Datei und wählen Sie die Option Drucken. Im Fenster Druckeinstellungen können Sie die Standarddruckeinstellungen ändern. Klicken Sie am unteren Rand des Fensters auf die Schaltfläche Details anzeigen, um alle Parameter anzuzeigen. Hinweis: Sie können die Druckeinstellungen auch auf der Seite Erweiterte Einstellungen... ändern: Klicken Sie auf das Symbol Datei in der oberen Symbolleiste und wählen Sie Erweiterte Einstellungen... >> Seiteneinstellungen: Einige dieser Einstellungen (Seitenränder, Seitenausrichtung und Seitengröße) sind auch in der Registerkarte Layout auf der oberen Symbolleiste verfügbar. Hier können Sie die folgenden Parameter festlegen: Druckbereich - geben Sie an, was Sie drucken möchten: das gesamte aktive Blatt, die gesamte Arbeitsmappe oder einen vorher gewählten Zellenbereich (Auswahl). Blatteinstellungen - legen Sie für jedes einzelne Blatt individuelle Druckeinstellungen fest, wenn Sie vorher die Option Arbeitsmappe in der Menüliste für den Druckbereich ausgewählt haben. Seitenformat - wählen Sie eine der verfügbaren Größen aus der Menüliste aus. Seitenorientierung - wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder die Option Querformat, um horizontal zu drucken. Skalierung - wenn Sie nicht möchten, dass anhängende Spalten oder Zeilen auf einer zweiten Seite gedruckt werden, können Sie den Inhalt des Blatts auf eine Seite verkleinern, indem Sie die entsprechende Option auswählen: Tabelle auf eine Seite anpassen, Alle Spalten auf einer Seite oder Alle Zeilen auf einer Seite. Wenn Sie keine Anpassung vornehmen wollen, wählen Sie die Option Keine Skalierung. Ränder - geben Sie den Abstand zwischen der Blattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern. Drucken - geben Sie die Blattelemente an, die gedruckt werden sollen, indem Sie die entsprechenden Felder aktivieren: Gitternetzlinien drucken und Zellen- und Spaltenüberschriften drucken. Wenn Sie alle Parameter festgelegt haben klicken sie auf OK, um die Änderungen zu übernehmen, schließen Sie das Fenster und starten Sie den Druckvorgang. Danach wird basierend auf der Kalkulationstabelle eine PDF-Datei erstellt. Diese können Sie öffnen und drucken oder auf der Festplatte des Computers oder einem Wechseldatenträger speichern und später drucken." }, { "id": "UsageInstructions/SortData.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/de/search/search.html b/apps/spreadsheeteditor/main/resources/help/de/search/search.html index b5c8869af..80906ec81 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/search/search.html +++ b/apps/spreadsheeteditor/main/resources/help/de/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                                  ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/asc.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/asc.htm new file mode 100644 index 000000000..d668cc7fd --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/asc.htm @@ -0,0 +1,38 @@ + + + + ASC Function + + + + + + + +

                                  + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/betainv.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/betainv.htm new file mode 100644 index 000000000..8f46386d4 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/betainv.htm @@ -0,0 +1,43 @@ + + + + BETAINV Function + + + + + + + +
                                  +
                                  + +
                                  +

                                  BETAINV Function

                                  +

                                  The BETAINV function is one of the statistical functions. It is used to return the inverse of the cumulative beta probability density function for a specified beta distribution.

                                  +

                                  The BETAINV function syntax is:

                                  +

                                  BETAINV(x, alpha, beta, [,[A] [,[B]])

                                  +

                                  where

                                  +

                                  x is a probability associated with the beta distribution. A numeric value greater than 0 and less than or equal to 1.

                                  +

                                  alpha is the first parameter of the distribution, a numeric value greater than 0.

                                  +

                                  beta is the second parameter of the distribution, a numeric value greater than 0.

                                  +

                                  A is the lower bound to the interval of x. It is an optional parameter. If it is omitted, the default value of 0 is used.

                                  +

                                  B is the upper bound to the interval of x. It is an optional parameter. If it is omitted, the default value of 1 is used.

                                  +

                                  The values can be entered manually or included into the cells you make reference to.

                                  +

                                  To apply the BETAINV function,

                                  +
                                    +
                                  1. select the cell where you wish to display the result,
                                  2. +
                                  3. click the Insert function Insert function icon 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 Function icon icon situated at the formula bar, +
                                  4. +
                                  5. select the Statistical function group from the list,
                                  6. +
                                  7. click the BETAINV function,
                                  8. +
                                  9. enter the required arguments separating them by commas,
                                  10. +
                                  11. press the Enter button.
                                  12. +
                                  +

                                  The result will be displayed in the selected cell.

                                  +

                                  BETAINV Function

                                  +
                                  + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/hyperlink.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/hyperlink.htm new file mode 100644 index 000000000..d6f3e262c --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/hyperlink.htm @@ -0,0 +1,41 @@ + + + + HYPERLINLK Function + + + + + + + +
                                  +
                                  + +
                                  +

                                  HYPERLINLK Function

                                  +

                                  The HYPERLINLK function is one of the lookup and reference functions. It is used to create a shortcut that jumps to another location in the current workbook, or opens a document stored on a network server, an intranet, or the Internet.

                                  +

                                  The HYPERLINLK function syntax is:

                                  +

                                  HYPERLINLK(link_location [, friendly_name])

                                  +

                                  where

                                  +

                                  link_location is the path and file name to the document to be opened. In the online version, the path can be a URL address only. link_location can also refer to a certain place in the current workbook, for example, to a certain cell or a named range. The value can be specified as a text string enclosed to the quotation marks or a reference to a cell containing the link as a text string.

                                  +

                                  friendly_name is a text displayed in the cell. It is an optional value. If it is omitted, the link_location value is displayed in the cell.

                                  + +

                                  To apply the HYPERLINLK function,

                                  +
                                    +
                                  1. select the cell where you wish to display the result,
                                  2. +
                                  3. click the Insert function Insert function icon 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 Function icon icon situated at the formula bar, +
                                  4. +
                                  5. select the Lookup and Reference function group from the list,
                                  6. +
                                  7. click the HYPERLINLK function,
                                  8. +
                                  9. enter the required arguments separating them by comma,
                                  10. +
                                  11. press the Enter button.
                                  12. +
                                  +

                                  The result will be displayed in the selected cell.

                                  +

                                  To open the link click on it. To select a cell that contains a link without opening the link click and hold the mouse button.

                                  +

                                  HYPERLINLK Function

                                  +
                                  + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/About.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/About.htm index c20612c54..a6b22704c 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/About.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/About.htm @@ -15,8 +15,8 @@

                                  About Spreadsheet Editor

                                  Spreadsheet Editor is an online application that lets you edit your spreadsheets directly in your browser.

                                  -

                                  Using 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, or CSV file.

                                  -

                                  To view the current software version and licensor details, click the About icon icon at the left sidebar.

                                  +

                                  Using 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 software version and licensor details in the online version, click the About icon icon at the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item at the left sidebar of the main program window.

                                  \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm index 74fe57294..4f8b19434 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm @@ -24,7 +24,7 @@
                                • Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden on the sheet. You can view such comments only if you click the Comments Comments icon icon at the left sidebar. Enable this option if you want to display resolved comments on the sheet.
                                -
                              9. Autosave is used to turn on/off automatic saving of changes you make while editing.
                              10. +
                              11. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover spreadsheets in case of the unexpected program closing.
                              12. Reference Style is used to turn on/off the R1C1 reference style. By default, this option is disabled and the A1 reference style is used.

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

                                Active cell

                                diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm index 4caf11b12..5d21426cb 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm @@ -20,15 +20,27 @@
                              13. visual indication of cells that are being edited by other users
                              14. real-time changes display or synchronization of changes with one button click
                              15. chat to share ideas concerning particular spreadsheet parts
                              16. -
                              17. comments containing the description of a task or problem that should be solved
                              18. +
                              19. comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version)
                          +
                          +

                          Connecting to the online version

                          +

                          In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password.

                          +

                          Co-editing

                          -

                          Spreadsheet Editor allows to select one of the two available co-editing modes. Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save Save icon icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon Co-editing Mode icon at the Collaboration tab of the top toolbar:

                          +

                          Spreadsheet Editor allows to select one of the two available co-editing modes:

                          +
                            +
                          • Fast is used by default and shows the changes made by other users in real time.
                          • +
                          • Strict is selected to hide other user changes until you click the Save Save icon icon to save your own changes and accept the changes made by others.
                          • +
                          +

                          The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon Co-editing Mode icon at the Collaboration tab of the top toolbar:

                          Co-editing Mode menu

                          +

                          + Note: when you co-edit a spreadsheet in the Fast mode, the possibility to Undo/Redo the last operation is not available. +

                          When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells as well as the tab of the sheet where these cells are situated are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited cells, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text.

                          The number of users who are working at the current spreadsheet is specified on the right side of the editor header - Number of users icon. If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users.

                          -

                          When no users are viewing or editing the file, the icon in the editor header will look like Manage document access rights icon allowing you to manage the users who have access to the file right from the spreadsheet: invite new users giving them either full or read-only access, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the spreadsheet at the moment and when there are other users and the icon looks like Number of users icon. It's also possible to set access rights using the Sharing icon Sharing icon at the Collaboration tab of the top toolbar.

                          +

                          When no users are viewing or editing the file, the icon in the editor header will look like Manage document access rights icon allowing you to manage the users who have access to the file right from the spreadsheet: invite new users giving them permissions to edit, read or comment the spreadsheet, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the spreadsheet at the moment and when there are other users and the icon looks like Number of users icon. It's also possible to set access rights using the Sharing icon Sharing icon at the Collaboration tab of the top toolbar.

                          As soon as one of the users saves his/her changes by clicking the Save icon icon, the others will see a note in the upper left corner stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the Save icon icon in the left upper corner of the top toolbar.

                          Chat

                          You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which part of the spreadsheet you are going to edit now etc.

                          @@ -44,6 +56,7 @@

                          To close the panel with chat messages, click the Chat icon icon once again.

                          Comments

                          +

                          It's possible to work with comments in the offline mode, without connecting to the online version.

                          To leave a comment,

                          1. select a cell where you think there is an error or problem,
                          2. diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index 9efa5156e..f9bf720f1 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -7,6 +7,8 @@ + +
                            @@ -14,442 +16,541 @@

                            Keyboard Shortcuts

                            - +
                              +
                            • Windows/Linux
                            • Mac OS
                            • +
                            +
                            - + - - - + + + + - + + - + + - + + - + + - + + - + + - + + - - + + + - + + - + + - - - + + + + + + + + + + - + + - - - - - - - - - - - - + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - - + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + + - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + - + + - + + - + - + + - + + - + + - + - + + - + + - + + - + + - + + - + + - + - + + - + + - + - + + - + + - + + - + + - + + - + + - + + - + + - + + - + - + + - + + - + + - + - + + - + + - + + - + + - + + - + + - + + - + + - - + - + + - + + - + + - + + - - + + +
                            Working with SpreadsheetWorking with Spreadsheet
                            Open 'File' panelAlt+FOpen the File panel to save, download, print the current spreadsheet, view its info, create a new spreadsheet or open an existing one, access Spreadsheet Editor help or advanced settings.Open 'File' panelAlt+F⌥ Option+FOpen the File panel to save, download, print the current spreadsheet, view its info, create a new spreadsheet or open an existing one, access Spreadsheet Editor help or advanced settings.
                            Open 'Find and Replace' dialog boxCtrl+FCtrl+F^ Ctrl+F,
                            ⌘ Cmd+F
                            Open the Find and Replace dialog box to start searching for a cell containing the characters you need.
                            Open 'Find and Replace' dialog box with replacement fieldCtrl+HCtrl+H^ Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters.
                            Open 'Comments' panelCtrl+Shift+HCtrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                            ⌘ Cmd+⇧ Shift+H
                            Open the Comments panel to add your own comment or reply to other users' comments.
                            Open comment fieldAlt+HAlt+H⌥ Option+H Open a data entry field where you can add the text of your comment.
                            Open 'Chat' panelAlt+QAlt+Q⌥ Option+Q Open the Chat panel and send a message.
                            Save spreadsheetCtrl+SCtrl+S^ Ctrl+S,
                            ⌘ Cmd+S
                            Save all the changes to the spreadsheet currently edited with Spreadsheet Editor. The active file will be saved with its current file name, location, and file format.
                            Print spreadsheetCtrl+PCtrl+P^ Ctrl+P,
                            ⌘ Cmd+P
                            Print your spreadsheet with one of the available printers or save it to a file.
                            Download as...Ctrl+Shift+SOpen the Download as... panel to save the currently edited spreadsheet to the computer hard disk drive in one of the supported formats: XLSX, PDF, ODS, CSV.Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                            ⌘ Cmd+⇧ Shift+S
                            Open the Download as... panel to save the currently edited spreadsheet to the computer hard disk drive in one of the supported formats: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.
                            Full screenF11F11 Switch to the full screen view to fit Spreadsheet Editor into your screen.
                            Help menuF1F1F1 Open Spreadsheet Editor Help menu.
                            Open existing fileCtrl+OOn the Open local file tab in desktop editors, opens the standard dialog box that allows to select an existing file.Open existing file (Desktop Editors)Ctrl+OOn the Open local file tab in Desktop Editors, opens the standard dialog box that allows to select an existing file.
                            Close file (Desktop Editors)Ctrl+W,
                            Ctrl+F4
                            ^ Ctrl+W,
                            ⌘ Cmd+W
                            Close the current spreadsheet window in Desktop Editors.
                            Element contextual menuShift+F10⇧ Shift+F10⇧ Shift+F10 Open the selected element contextual menu.
                            Close fileCtrl+WClose the selected workbook window.
                            Close the window (tab)Ctrl+F4Close the tab in a browser.
                            NavigationNavigation
                            Move one cell up, down, left, or rightArrow keys Outline a cell above/below the currently selected one or to the left/to the right of it.
                            Jump to the edge of the current data regionCtrl+Arrow keysCtrl+ ⌘ Cmd+ Outline a cell at the edge of the current data region in a worksheet.
                            Jump to the beginning of the rowHomeHomeHome Outline a cell in the column A of the current row.
                            Jump to the beginning of the spreadsheetCtrl+HomeCtrl+Home^ Ctrl+Home Outline the cell A1.
                            Jump to the end of the rowEnd, or Ctrl+Right arrowEnd,
                            Ctrl+
                            End,
                            ⌘ Cmd+
                            Outline the last cell of the current row.
                            Jump to the end of the spreadsheetCtrl+EndCtrl+End^ Ctrl+End Outline the lower right used cell on the worksheet situated at the bottommost row with data of the rightmost column with data. If the cursor is in the formula bar, it will be placed to the end of the text.
                            Move to the previous sheetAlt+Page UpAlt+Page Up⌥ Option+Page Up Move to the previous sheet in your spreadsheet.
                            Move to the next sheetAlt+Page DownAlt+Page Down⌥ Option+Page Down Move to the next sheet in your spreadsheet.
                            Move up one rowUp arrow, or Shift+Enter,
                            ⇧ Shift+↵ Enter
                            ⇧ Shift+↵ Return Outline the cell above the current one in the same column.
                            Move down one rowDown arrow, or Enter,
                            ↵ Enter
                            ↵ Return Outline the cell below the current one in the same column.
                            Move left one columnLeft arrow, or
                            Shift+Tab
                            ,
                            ⇧ Shift+↹ Tab
                            ,
                            ⇧ Shift+↹ Tab
                            Outline the previous cell of the current row.
                            Move right one columnRight arrow, or
                            Tab
                            ,
                            ↹ Tab
                            ,
                            ↹ Tab
                            Outline the next cell of the current row.
                            Move down one screenPage DownPage DownPage Down Move one screen down in the worksheet.
                            Move up one screenPage UpPage UpPage Up Move one screen up in the worksheet.
                            Zoom InCtrl+Plus sign (+)Ctrl++^ Ctrl+=,
                            ⌘ Cmd+=
                            Zoom in the currently edited spreadsheet.
                            Zoom OutCtrl+Minus sign (-)Ctrl+-^ Ctrl+-,
                            ⌘ Cmd+-
                            Zoom out the currently edited spreadsheet.
                            Data SelectionData Selection
                            Select allCtrl+A, or
                            Ctrl+Shift+Spacebar
                            Ctrl+A,
                            Ctrl+⇧ Shift+␣ Spacebar
                            ⌘ Cmd+A Select the entire worksheet.
                            Select columnCtrl+SpacebarCtrl+␣ Spacebar^ Ctrl+␣ Spacebar Select an entire column in a worksheet.
                            Select rowShift+Spacebar⇧ Shift+␣ Spacebar⇧ Shift+␣ Spacebar Select an entire row in a worksheet.
                            Select fragmentShift+Arrow⇧ Shift+ ⇧ Shift+ Select the cell by cell.
                            Select from cursor to beginning of rowShift+Home⇧ Shift+Home⇧ Shift+Home Select a fragment from the cursor to the beginning of the current row.
                            Select from cursor to end of rowShift+End⇧ Shift+End⇧ Shift+End Select a fragment from the cursor to the end of the current row.
                            Extend the selection to beginning of worksheetCtrl+Shift+HomeCtrl+⇧ Shift+Home^ Ctrl+⇧ Shift+Home Select a fragment from the current selected cells to the beginning of the worksheet.
                            Extend the selection to the last used cellCtrl+Shift+EndCtrl+⇧ Shift+End^ Ctrl+⇧ Shift+End Select a fragment from the current selected cells to the last used cell on the worksheet (at the bottommost row with data of the rightmost column with data). If the cursor is in the formula bar, this will select all text in the formula bar from the cursor position to the end without affecting the height of the formula bar.
                            Select one cell to the leftShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Select one cell to the left in a table.
                            Select one cell to the rightTab↹ Tab↹ Tab Select one cell to the right in a table.
                            Extend the selection to the last nonblank cellCtrl+Shift+Arrow keyExtend the selection to the last nonblank cell in the same column or row as the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell.Extend the selection to the nearest nonblank cell to the right⇧ Shift+Alt+End,
                            Ctrl+⇧ Shift+
                            ⇧ Shift+⌥ Option+EndExtend the selection to the nearest nonblank cell in the same row to the right of the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell.
                            Extend the selection to the nearest nonblank cell to the left⇧ Shift+Alt+Home,
                            Ctrl+⇧ Shift+
                            ⇧ Shift+⌥ Option+HomeExtend the selection to the nearest nonblank cell in the same row to the left of the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell.
                            Extend the selection to the nearest nonblank cell up/down the columnCtrl+⇧ Shift+ Extend the selection to the nearest nonblank cell in the same column up/down from the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell.
                            Extend the selection down one screen⇧ Shift+Page Down⇧ Shift+Page DownExtend the selection to include all the cells one screen down from the active cell.
                            Extend the selection up one screen⇧ Shift+Page Up⇧ Shift+Page UpExtend the selection to include all the cells one screen up from the active cell.
                            Undo and RedoUndo and Redo
                            UndoCtrl+ZCtrl+Z⌘ Cmd+Z Reverse the latest performed action.
                            RedoCtrl+YCtrl+Y⌘ Cmd+Y Repeat the latest undone action.
                            Cut, Copy, and PasteCut, Copy, and Paste
                            CutCtrl+X, Shift+DeleteCtrl+X,
                            ⇧ Shift+Delete
                            ⌘ Cmd+X Cut the the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same worksheet, into another spreadsheet, or into some other program.
                            CopyCtrl+C, Ctrl+InsertCtrl+C,
                            Ctrl+Insert
                            ⌘ Cmd+C Send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same worksheet, into another spreadsheet, or into some other program.
                            PasteCtrl+V, Shift+InsertCtrl+V,
                            ⇧ Shift+Insert
                            ⌘ Cmd+V Insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same worksheet, from another spreadsheet, or from some other program.
                            Data FormattingData Formatting
                            BoldCtrl+BCtrl+B^ Ctrl+B,
                            ⌘ Cmd+B
                            Make the font of the selected text fragment bold giving it more weight or remove bold formatting.
                            ItalicCtrl+ICtrl+I^ Ctrl+I,
                            ⌘ Cmd+I
                            Make the font of the selected text fragment italicized giving it some right side tilt or remove italic formatting.
                            UnderlineCtrl+UCtrl+U^ Ctrl+U,
                            ⌘ Cmd+U
                            Make the selected text fragment underlined with the line going under the letters or remove underlining.
                            StrikeoutCtrl+5Ctrl+5^ Ctrl+5,
                            ⌘ Cmd+5
                            Make the selected text fragment struck out with the line going through the letters or remove strikeout formatting.
                            Add HyperlinkCtrl+KCtrl+K⌘ Cmd+K Insert a hyperlink to an external website or another worksheet.
                            Edit active cellF2
                            CONTROL+U (for Mac)
                            F2F2 Edit the active cell and position the insertion point at the end of the cell contents. If editing in a cell is turned off, the insertion point will be moved into the Formula Bar.
                            Data FilteringData Filtering
                            Enable/Remove FilterCtrl+Shift+LCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                            ⌘ Cmd+⇧ Shift+L
                            Enable a filter for a selected cell range or remove the filter.
                            Format as table templateCtrl+LCtrl+L^ Ctrl+L,
                            ⌘ Cmd+L
                            Apply a table template to a selected cell range.
                            Data EntryData Entry
                            Complete cell entry and move downEnter↵ Enter↵ Return Complete a cell entry in the selected cell or the formula bar, and move to the cell below.
                            Complete cell entry and move upShift+Enter⇧ Shift+↵ Enter⇧ Shift+↵ Return Complete a cell entry in the selected cell, and move to the cell above.
                            Start new lineAlt+EnterAlt+↵ Enter Start a new line in the same cell.
                            CancelEscEscEsc Cancel an entry in the selected cell or the formula bar.
                            Delete to the leftBackspace← Backspace← Backspace Delete one character to the left in the formula bar or in the selected cell when the cell editing mode is activated. Also removes the content of the active cell.
                            Delete to the rightDeleteDeleteDelete,
                            Fn+← Backspace
                            Delete one character to the right in the formula bar or in the selected cell when the cell editing mode is activated. Also removes the cell contents (data and formulas) from selected cells without affecting cell formats or comments.
                            Clear cell contentDeleteDelete,
                            ← Backspace
                            Delete,
                            ← Backspace
                            Remove the content (data and formulas) from selected cells without affecting cell format or comments.
                            Complete a cell entry and move to the rightTab↹ Tab↹ Tab Complete a cell entry in the selected cell or the formula bar and move to the cell on the right.
                            Complete a cell entry and move to the leftShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Complete a cell entry in the selected cell or the formula bar and move to the cell on the left .
                            FunctionsFunctions
                            SUM functionAlt+Equal sign (=)Alt+=⌥ Option+= Insert the SUM function into the selected cell.
                            Open drop-down list Alt+Down arrowAlt+ Open a selected drop-down list.
                            Open contextual menuContext menu key≣ Menu Open a contextual menu for the selected cell or cell range.
                            Data FormatsData Formats
                            Open the 'Number Format' dialog boxCtrl+1Ctrl+1^ Ctrl+1 Open the Number Format dialog box.
                            Apply the General formatCtrl+Shift+~Ctrl+⇧ Shift+~^ Ctrl+⇧ Shift+~ Applies the General number format.
                            Apply the Currency formatCtrl+Shift+$Ctrl+⇧ Shift+$^ Ctrl+⇧ Shift+$ Applies the Currency format with two decimal places (negative numbers in parentheses).
                            Apply the Percentage formatCtrl+Shift+%Ctrl+⇧ Shift+%^ Ctrl+⇧ Shift+% Applies the Percentage format with no decimal places.
                            Apply the Exponential formatCtrl+Shift+^Ctrl+⇧ Shift+^^ Ctrl+⇧ Shift+^ Applies the Exponential number format with two decimal places.
                            Apply the Date formatCtrl+Shift+#Ctrl+⇧ Shift+#^ Ctrl+⇧ Shift+# Applies the Date format with the day, month, and year.
                            Apply the Time formatCtrl+Shift+@Ctrl+⇧ Shift+@^ Ctrl+⇧ Shift+@ Applies the Time format with the hour and minute, and AM or PM.
                            Apply the Number formatCtrl+Shift+!Ctrl+⇧ Shift+!^ Ctrl+⇧ Shift+! Applies the Number format with two decimal places, thousands separator, and minus sign (-) for negative values.
                            Modifying ObjectsModifying Objects
                            Constrain movementShift+drag⇧ Shift + drag⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically.
                            Set 15-degree rotationShift+drag (when rotating)⇧ Shift + drag (when rotating)⇧ Shift + drag (when rotating) Constrain the rotation angle to 15-degree increments.
                            Maintain proportionsShift+drag (when resizing)⇧ Shift + drag (when resizing)⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing.
                            Draw straight line or arrowShift+drag (when drawing lines/arrows)⇧ Shift + drag (when drawing lines/arrows)⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow.
                            Movement by one-pixel incrementsCtrl+Arrow keysHold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time.Ctrl+ Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time.
                            diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm index 4294d9a68..222d48083 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm @@ -30,7 +30,7 @@
                          3. Freeze Panes - freezes all the rows above the active cell and all the columns to the left of the active cell so that they remain visible when you scroll the spreadsheet to the right or down. To unfreeze the panes just click this option once again or right-click anywhere within the worksheet and select the Unfreeze Panes option from the menu.

                      The right sidebar is minimized by default. To expand it, select any object (e.g. image, chart, shape) and click the icon of the currently activated tab on the right. To minimize the right sidebar, click the icon once again.

                      -

                      You can also change the size of the opened Comments or Chat panel using the simple drag-and-drop: move the mouse cursor over the left sidebar border so that it turns into the bidirectional arrow and drag the border to the right to extend the sidebar width. To restore its original width move the border to the left.

                      +

                      You can also change the size of the opened Comments or Chat panel using the simple drag-and-drop: move the mouse cursor over the left sidebar border so that it turns into the bidirectional arrow and drag the border to the right to extend the sidebar width. To restore its original width move the border to the left.

                      Use the Navigation Tools

                      To navigate through your spreadsheet, use the following tools:

                      The Scrollbars (on the bottom or right side) are used to scroll up/down and left/right the current sheet. To navigate a spreadsheet using the scrollbars:

                      diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm index 5462df1a1..d78d8a448 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm @@ -24,7 +24,8 @@
                      • Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found).
                      • Entire cell contents - is used to find only the cells that do not contain any other characters besides the ones specified in your inquiry (e.g. if your inquiry is '56' and this option is selected, the cells containing such data as '0.56' or '156' etc. will not be found).
                      • -
                      • Within - is used to search within the active Sheet only or the whole Workbook. If you want to perform a search within the selected area on the sheet, make sure that the Sheet option is selected.
                      • +
                      • Highlight results - is used to highlight all found occurrences at once. To disable this option and remove the highlight click the option once again.
                      • +
                      • Within - is used to search within the active Sheet only or the whole Workbook. If you want to perform a search within the selected area on the sheet, make sure that the Sheet option is selected.
                      • Search - is used to specify the direction that you want to search: to the right by rows or down by columns.
                      • Look in - is used to specify whether you want to search the Value of the cells or their underlying Formulas.
                      diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index acdc61ea6..56c8d7e49 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -29,7 +29,7 @@ XLS File extension for a spreadsheet file created by Microsoft Excel + - + + @@ -39,6 +39,13 @@ + + + + XLTX + Excel Open XML Spreadsheet Template
                      Zipped, XML-based file format developed by Microsoft for spreadsheet templates. An XLTX template contains formatting settings, styles etc. and can be used to create multiple spreadsheets with the same formatting + + + + + + + ODS File extension for a spreadsheet file used by OpenOffice and StarOffice suites, an open standard for spreadsheets @@ -46,6 +53,13 @@ + + + + OTS + OpenDocument Spreadsheet Template
                      OpenDocument file format for spreadsheet templates. An OTS template contains formatting settings, styles etc. and can be used to create multiple spreadsheets with the same formatting + + + + + in the online version + CSV Comma Separated Values
                      File format used to store tabular data (numbers and text) in plain-text form @@ -60,6 +74,13 @@ + + + PDF/A + Portable Document Format / A
                      An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + + + + + + diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm index aae573e5b..d13966c22 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/CollaborationTab.htm @@ -14,14 +14,21 @@

                      Collaboration tab

                      -

                      The Collaboration tab allows to organize collaborative work on the spreadsheet: share the file, select a co-editing mode, manage comments.

                      -

                      Collaboration tab

                      +

                      The Collaboration tab allows to organize collaborative work on the spreadsheet. In the online version, you can share the file, select a co-editing mode, manage comments. In the desktop version, you can manage comments.

                      +
                      +

                      Online Spreadsheet Editor window:

                      +

                      Collaboration tab

                      +
                      +
                      +

                      Desktop Spreadsheet Editor window:

                      +

                      Collaboration tab

                      +

                      Using this tab, you can:

                      diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/FileTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/FileTab.htm index 11b615c57..be0910007 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/FileTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/FileTab.htm @@ -15,15 +15,26 @@

                      File tab

                      The File tab allows to perform some basic operations on the current file.

                      -

                      File tab

                      +
                      +

                      Online Spreadsheet Editor window:

                      +

                      File tab

                      +
                      +
                      +

                      Desktop Spreadsheet Editor window:

                      +

                      File tab

                      +

                      Using this tab, you can:

                        -
                      • save the current file (in case the Autosave option is disabled), download, print or rename it,
                      • -
                      • create a new spreadsheet or open a recently edited one,
                      • +
                      • + in the online version, save the current file (in case the Autosave option is disabled), download as (save the spreadsheet in the selected format to the computer hard disk drive), save copy as (save a copy of the spreadsheet in the selected format to the portal documents), print or rename it, + in the desktop version, save the current file keeping the current format and location using the Save option or save the current file with a different name, location or format using the Save as option, print the file. +
                      • +
                      • protect the file using a password, change or remove the password (available in the desktop version only);
                      • +
                      • create a new spreadsheet or open a recently edited one (available in the online version only),
                      • view general information about the spreadsheet,
                      • -
                      • manage access rights,
                      • +
                      • manage access rights (available in the online version only),
                      • access the editor Advanced Settings,
                      • -
                      • return to the Documents list.
                      • +
                      • in the desktop version, open the folder where the file is stored in the File explorer window. In the online version, open the folder of the Documents module where the file is stored in a new browser tab.
                      diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/HomeTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/HomeTab.htm index 074710240..53ab11a64 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/HomeTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/HomeTab.htm @@ -15,7 +15,14 @@

                      Home tab

                      The Home tab opens by default when you open a spreadsheet. It allows to format cells and data within them, apply filters, insert functions. Some other options are also available here, such as color schemes, Format as table template feature and so on.

                      -

                      Home tab

                      +
                      +

                      Online Spreadsheet Editor window:

                      +

                      Home tab

                      +
                      +
                      +

                      Desktop Spreadsheet Editor window:

                      +

                      Home tab

                      +

                      Using this tab, you can:

                      • set font type, size, style, and colors,
                      • diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/InsertTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/InsertTab.htm index 1fe5994aa..dd6db68e3 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/InsertTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/InsertTab.htm @@ -15,7 +15,14 @@

                        Insert tab

                        The Insert tab allows to add visual objects and comments into your spreadsheet.

                        -

                        Insert tab

                        +
                        +

                        Online Spreadsheet Editor window:

                        +

                        Insert tab

                        +
                        +
                        +

                        Desktop Spreadsheet Editor window:

                        +

                        Insert tab

                        +

                        Using this tab, you can:

                        • insert images, shapes, text boxes and Text Art objects, charts,
                        • diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm index 74a1e15b3..d2c14f076 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/LayoutTab.htm @@ -11,14 +11,22 @@
                          - +

                          Layout tab

                          The Layout tab allows to adjust the appearance of a spreadsheet: set up page parameters and define the arrangement of visual elements.

                          -

                          Layout tab

                          +
                          +

                          Online Spreadsheet Editor window:

                          +

                          Layout tab

                          +
                          +
                          +

                          Desktop Spreadsheet Editor window:

                          +

                          Layout tab

                          +

                          Using this tab, you can:

                          diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PivotTableTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PivotTableTab.htm index aabd93983..81244904c 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PivotTableTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PivotTableTab.htm @@ -14,7 +14,9 @@

                          Pivot Table tab

                          +

                          Note: this option is available in the online version only.

                          The Pivot Table tab allows to change the appearance of an existing pivot table.

                          +

                          Online Spreadsheet Editor window:

                          Pivot Table tab

                          Using this tab, you can:

                            diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm index 6be16ebeb..76abe186c 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm @@ -15,13 +15,23 @@

                            Plugins tab

                            The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations.

                            -

                            Plugins tab

                            +
                            +

                            Online Spreadsheet Editor window:

                            +

                            Plugins tab

                            +
                            +
                            +

                            Desktop Spreadsheet Editor window:

                            +

                            Plugins tab

                            +
                            +

                            The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones.

                            The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation.

                            Currently, the following plugins are available:

                            • ClipArt allows to add images from the clipart collection into your spreadsheet,
                            • +
                            • Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color,
                            • PhotoEditor allows to edit images: crop, resize them, apply effects etc.,
                            • Symbol Table allows to insert special symbols into your text,
                            • +
                            • Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one,
                            • Translator allows to translate the selected text into other languages,
                            • YouTube allows to embed YouTube videos into your spreadsheet.
                            diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index 459dfd2ea..977e757f3 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -15,19 +15,42 @@

                            Introducing the Spreadsheet Editor user interface

                            Spreadsheet Editor uses a tabbed interface where editing commands are grouped into tabs by functionality.

                            -

                            Editor window

                            +
                            +

                            Online Spreadsheet Editor window:

                            +

                            Online Spreadsheet Editor window

                            +
                            +
                            +

                            Desktop Spreadsheet Editor window:

                            +

                            Desktop Spreadsheet Editor window

                            +

                            The editor interface consists of the following main elements:

                              -
                            1. Editor header displays the logo, menu tabs, spreadsheet name as well as three icons on the right that allow to set access rights, return to the Documents list, adjust View Settings and access the editor Advanced Settings. -

                              Icons in the editor header

                              +
                            2. + Editor header displays the logo, opened documents tabs, spreadsheet name and menu tabs. +

                              In the left part of the Editor header there are the Save, Print file, Undo and Redo buttons.

                              +

                              Icons in the editor header

                              +

                              In the right part of the Editor header the user name is displayed as well as the following icons:

                              +
                                +
                              • Open file location Open file location - in the desktop version, it allows to open the folder where the file is stored in the File explorer window. In the online version, it allows to open the folder of the Documents module where the file is stored in a new browser tab.
                              • +
                              • View Settings icon - allows to adjust View Settings and access the editor Advanced Settings.
                              • +
                              • Manage document access rights icon Manage document access rights - (available in the online version only) allows to set access rights for the documents stored in the cloud.
                              • +
                            3. -
                            4. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Pivot Table, Collaboration, Plugins. -

                              The Print, Save, Copy, Paste, Undo and Redo options are always available at the left part of the Top toolbar regardless of the selected tab.

                              -

                              Icons on the top toolbar

                              + +
                            5. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Pivot Table, Collaboration, Protection, Plugins. +

                              The Copy icon Copy and Paste icon Paste options are always available at the left part of the Top toolbar regardless of the selected tab.

                            6. Formula bar allows to enter and edit formulas or values in the cells. Formula bar displays the content of the currently selected cell.
                            7. Status bar at the bottom of the editor window contains some navigation tools: sheet navigation buttons, sheet tabs, and zoom buttons. The Status bar also displays the number of filtered records if you apply a filter, or results of the automatic calculations if you select several cells containing data.
                            8. Left sidebar contains icons that allow to use the Search and Replace tool, open the Comments and Chat panel, contact our support team and view the information about the program.
                            9. +
                            10. + Left sidebar contains the following icons: +
                                +
                              • Search icon - allows to use the Search and Replace tool,
                              • +
                              • Comments icon - allows to open the Comments panel,
                              • +
                              • Chat icon - (available in the online version only) allows to open the Chat panel, as well as the icons that allow to contact our support team and view the information about the program.
                              • +
                              +
                            11. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object on a worksheet, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar.
                            12. Working area allows to view spreadsheet content, enter and edit data.
                            13. Horizontal and vertical Scroll bars allow to scroll up/down and left/right the current sheet.
                            14. diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddBorders.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddBorders.htm index 3c2e24d1d..f485ce64f 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddBorders.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddBorders.htm @@ -19,11 +19,13 @@
                            15. select a cell, a range of cells with the mouse or the whole worksheet by pressing the Ctrl+A key combination,

                              Note: you can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse.

                            16. -
                            17. click the Borders Borders icon icon situated at the Home tab of the top toolbar or click the Cell settings Cell settings icon icon at the right sidebar,
                            18. +
                            19. click the Borders Borders icon icon situated at the Home tab of the top toolbar or click the Cell settings Cell settings icon icon at the right sidebar, +

                              Cell settings tab

                              +
                            20. select the border style you wish to apply:
                              1. open the Border Style submenu and select one of the available options,
                              2. -
                              3. open the Border Color Border Color icon submenu and select the color you need from the palette,
                              4. +
                              5. open the Border Color Border Color icon submenu or use the Color palette at the right sidebar and select the color you need from the palette,
                              6. select one of the available border templates: Outside Borders Outside Borders icon, All Borders All Borders icon, Top Borders Top Borders icon, Bottom Borders Bottom Borders icon, Left Borders Left Borders icon, Right Borders Right Borders icon, No Borders No Borders icon, Inside Borders Inside Borders icon, Inside Vertical Borders Inside Vertical Borders icon, Inside Horizontal Borders Inside Horisontal Borders icon, Diagonal Up Border Diagonal Up Border icon, Diagonal Down Border Diagonal Down Border icon.
                            21. diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm index f53e39db5..64c2928ce 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm @@ -36,7 +36,7 @@
                            22. click the OK button.

                            To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button at a position where a hyperlink will be added and select the Hyperlink option in the right-click menu.

                            -

                            When you hover the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. To follow the link press the CTRL key and click the link in your spreadsheet.

                            +

                            When you hover the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. To follow the link click the link in your spreadsheet. To select a cell that contains a link without opening the link click and hold the mouse button.

                            To delete the added hyperlink, activate the cell containing the added hyperlink and press the Delete key, or right-click the cell and select the Clear All option from the drop-down list.

                            diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm index caddb85ea..a85b505bf 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AlignText.htm @@ -37,7 +37,9 @@
                          • use the Angle Counterclockwise Angle Counterclockwise option to place the text from the bottom left corner to the top right corner of a cell,
                          • use the Angle Clockwise Angle Clockwise option to place the text from the top left corner to the bottom right corner of a cell,
                          • use the Rotate Text Up Rotate Text Up option to place the text from bottom to top of a cell,
                          • -
                          • use the Rotate Text Down Rotate Text Down option to place the text from top to bottom of a cell.
                          • +
                          • use the Rotate Text Down Rotate Text Down option to place the text from top to bottom of a cell. +

                            To rotate the text by an exactly specified angle, click the Cell settings Cell settings icon icon at 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 clicking the Wrap text Wrap text icon icon. diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm index ec7725d3a..0ebf66600 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm @@ -17,12 +17,12 @@

                          Use basic clipboard operations

                          To cut, copy and paste data in the current spreadsheet make use of the right-click menu or use the corresponding icons available at any tab of the top toolbar,

                            -
                          • Cut - select data and use the Cut option from the right-click menu to delete the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same spreadsheet.

                          • -
                          • Copy - select data and either use the Copy Copy icon icon at the top toolbar or right-click and select the Copy option from the menu to send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same spreadsheet.

                          • -
                          • Paste - select a place and either use the Paste Paste icon icon at the top toolbar or right-click and select the Paste option to insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same spreadsheet.

                            +
                          • Cut - select data and use the Cut option from the right-click menu to delete the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same spreadsheet.

                          • +
                          • Copy - select data and either use the Copy Copy icon icon at the top toolbar or right-click and select the Copy option from the menu to send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same spreadsheet.

                          • +
                          • Paste - select a place and either use the Paste Paste icon icon at the top toolbar or right-click and select the Paste option to insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same spreadsheet.

                          -

                          To copy or paste data from/into another spreadsheet or some other program use the following key combinations:

                          +

                          In the online version, the following key combinations are only used to copy or paste data from/into another spreadsheet or some other program, in the desktop version, both the corresponding buttons/menu options and key combinations can be used for any copy/paste operations:

                          • Ctrl+X key combination for cutting;
                          • Ctrl+C key combination for copying;
                          • @@ -61,6 +61,24 @@
                          • Source formatting - allows to keep the source formatting of the copied data.
                          • Destination formatting - allows to apply the formatting that is already used for the cell/autoshape you paste the data to.
                          +

                          When pasting delimited text copied from a .txt file, the following options are available:

                          +

                          The delimited text can contain several records where each record corresponds to a single table row. Each record can contain several text values separated with a delimiters (such as comma, semicolon, colon, tab, space or some other character). The file should be saved as a plain text .txt file.

                          +
                            +
                          • Keep text only - allows to paste text values into a single column where each cell contents corresponds to a row in a source text file.
                          • +
                          • Use text import wizard - allows to open the Text Import Wizard which helps to easily split the text values into multiple columns where each text value separated by a delimiter will be placed into a separate cell. +

                            When the Text Import Wizard window opens, select the text delimiter used in the delimited data from the Delimiter drop-down list. The data splitted into columns will be displayed in the Preview field below. If you are satisfied with the result, press the OK button.

                            +
                          • +
                          +

                          Text import wizard

                          +

                          If you pasted delimited data from a source that is not a plain text file (e.g. text copied from a web page etc.), or if you applied the Keep text only feature and now want to split the data from a single column into several columns, you can use the Text to Columns option.

                          +

                          To split data into multiple columns:

                          +
                            +
                          1. Select the necessary cell or column that contains data with delimiters.
                          2. +
                          3. Click the Text to columns button at the right-side panel. The Text to Columns Wizard opens.
                          4. +
                          5. In the Delimiter drop-down list, select the delimiter used in the delimited data, preview the result in the field below and click OK.
                          6. +
                          +

                          After that, each text value separated by the delimiter will be located in a separate cell.

                          +

                          If there is some data in the cells to the right of the column you want to split, the data will be overwritten.

                          Use the Auto Fill option

                          To quickly fill multiple cells with the same data use the Auto Fill option:

                            @@ -76,6 +94,7 @@

                            Right-click the necessary cell and choose the Select from drop-down list option in the contextual menu.

                            Select from drop-down list

                            Select one of the available text values to replace the current one or fill an empty cell.

                            + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm index b4253ac0a..72b1a6cfc 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm @@ -20,12 +20,12 @@ Font Font - Is used to select one of the fonts from the list of the available ones. + Is used to select one of the fonts from the list of the available ones. If a required font is not available in the list, you can download and install it on your operating system, after that the font will be available for use in the desktop version. Font size Font size - Is used to select among the preset font size values from the dropdown list, or can be entered manually to the font size field. + Is used to select among the preset font size values from 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 to the font size field and then press Enter. Increment font size @@ -70,7 +70,7 @@ Background color Background color - Is used to change the color of the cell background. + Is used to change the color of the cell background. The cell background color can also be changed using the Background color palette at the Cell settings tab of the right sidebar. Change color scheme diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm index d3c47ee27..abe4292c2 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertAutoshapes.htm @@ -82,6 +82,15 @@
                          1. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines).
                        +
                      • + Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: +
                          +
                        • Rotate counterclockwise icon to rotate the shape by 90 degrees counterclockwise
                        • +
                        • Rotate clockwise icon to rotate the shape by 90 degrees clockwise
                        • +
                        • Flip horizontally icon to flip the shape horizontally (left to right)
                        • +
                        • Flip vertically icon to flip the shape vertically (upside down)
                        • +
                        +
                      • Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list.

                      @@ -91,8 +100,14 @@
                      • Width and Height - use these options to change the autoshape width and/or height. If the Constant proportions Constant proportions icon button is clicked (in this case it looks like this Constant proportions icon activated), the width and height will be changed together preserving the original shape aspect ratio.
                      +

                      Shape - Advanced Settings

                      +

                      The Rotation tab contains the following parameters:

                      +
                        +
                      • Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right.
                      • +
                      • Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down).
                      • +

                      Shape - Advanced Settings

                      -

                      The Weights&Arrows tab contains the following parameters:

                      +

                      The Weights & Arrows tab contains the following parameters:

                      • Line Style - this option group allows to specify the following parameters:
                          @@ -134,7 +149,7 @@
                        • select the Lines group from the menu,

                          Shapes - Lines

                        • -
                        • click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely shape 10, 11 and 12),
                        • +
                        • click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely Curve, Scribble and Freeform),
                        • hover the mouse cursor over the first autoshape and click one of the connection points Connection point icon that appear on the shape outline,

                          Using connectors

                        • diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm index 3c94a2e27..8a5c6af74 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm @@ -18,6 +18,8 @@
                          • AVERAGE is used to analyze the selected range of cells and find the average value.
                          • COUNT is used to count the number of the selected cells containing values ignoring empty cells.
                          • +
                          • MIN is used to analyze the range of data and find the smallest number.
                          • +
                          • MAX is used to analyze the range of data and find the largest number.
                          • SUM is used to add all the numbers in the selected range ignoring empty cells or those contaning text.

                          The results of these calculations are displayed in the right lower corner at the status bar.

                          @@ -36,7 +38,24 @@
                        • Press the Enter key.
                        • -

                          Here is the list of the available functions grouped by categories:

                          +

                          To enter a function manually using the keyboard,

                          +
                            +
                          1. select a cell,
                          2. +
                          3. enter the equal sign (=) +

                            Each formula must begin with the equal sign (=).

                            +
                          4. +
                          5. enter the function name +

                            Once you type the initial letters, the Formula Autocomplete list will be displayed. As you type, the items (formulas and names) that match the entered characters are displayed in it. If you hover the mouse pointer over a formula, a tooltip with the formula description will be displayed. You can select the necessary formula from the list and insert it by clicking it or pressing the Tab key.

                            +
                          6. +
                          7. enter the function arguments +

                            Arguments must be enclosed into parentheses. The opening parenthesis '(' is added automatically if you select a function from the list. When you enter arguments, a tooltip that contains the formula syntax is also displayed.

                            +

                            + Function tooltip +

                            +
                          8. +
                          9. when all the agruments are specified, enter the closing parenthesis ')' and press Enter.
                          10. +
                          +

                          Here is the list of the available functions grouped by categories:

                          @@ -46,12 +65,12 @@ - + - + @@ -81,7 +100,7 @@ - + diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertImages.htm index 06af1c38a..e637dfff9 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertImages.htm @@ -25,6 +25,7 @@
                          • the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button
                          • the Image from URL option will open the window where you can enter the necessary image web address and click the OK button
                          • +
                          • the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button
                          @@ -40,6 +41,35 @@
                        • in the Size section, set the necessary Width and Height values. If the Constant proportions Constant proportions icon button is clicked (in this case it looks like this Constant proportions icon activated), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button.
                        • +

                          To crop the image:

                          +

                          Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the Arrow icon and drag the area.

                          +
                            +
                          • To crop a single side, drag the handle located in the center of this side.
                          • +
                          • To simultaneously crop two adjacent sides, drag one of the corner handles.
                          • +
                          • To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides.
                          • +
                          • To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles.
                          • +
                          +

                          When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes.

                          +

                          After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need:

                          +
                            +
                          • If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed.
                          • +
                          • If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area.
                          • +
                          +

                          To rotate the image:

                          +
                            +
                          1. select the image you wish to rotate with the mouse,
                          2. +
                          3. click the Image settings Image settings icon icon at the right sidebar,
                          4. +
                          5. + in the Rotation section click one of the buttons: +
                              +
                            • Rotate counterclockwise icon to rotate the image by 90 degrees counterclockwise
                            • +
                            • Rotate clockwise icon to rotate the image by 90 degrees clockwise
                            • +
                            • Flip horizontally icon to flip the image horizontally (left to right)
                            • +
                            • Flip vertically icon to flip the image vertically (upside down)
                            • +
                            +

                            Note: alternatively, you can right-click the image and use the Rotate option from the contextual menu.

                            +
                          6. +

                          To replace the inserted image,

                          1. select the image you wish to replace with the mouse,
                          2. @@ -48,10 +78,16 @@

                            Note: alternatively, you can right-click the image and use the Replace image option from the contextual menu.

                          -

                          The selected image will be replaced.

                          +

                          The selected image will be replaced.

                          When the image is selected, the Shape settings Shape settings icon icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly.

                          Shape Settings tab

                          To change its advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link at the right sidebar. The image properties window will open:

                          +

                          Image - Advanced Settings: Rotation

                          +

                          The Rotation tab contains the following parameters:

                          +
                            +
                          • Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right.
                          • +
                          • Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down).
                          • +

                          Image - Advanced Settings

                          The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image.

                          To delete the inserted image, click it and press the Delete key.

                          diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm index bed0e466b..7b547e8a2 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm @@ -36,9 +36,9 @@

                          Select the text box clicking on its border to be able to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines.

                          Text box selected

                            -
                          • to resize, move, rotate the text box use the special handles on the edges of the shape.
                          • +
                          • to manually resize, move, rotate the text box use the special handles on the edges of the shape.
                          • to edit the text box fill, stroke, replace the rectangular box with a different shape, or access the shape advanced settings, click the Shape settings Shape settings icon icon on the right sidebar and use the corresponding options.
                          • -
                          • to arrange text boxes as related to other objects, right-click on the text box border and use the contextual menu options.
                          • +
                          • to arrange text boxes as related to other objects, align several text boxes as related to each other, rotate or flip a text box, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects you can refer to this page.
                          • to create columns of text within the text box, 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

                          @@ -49,7 +49,7 @@
                        • Adjust font formatting settings (change the font type, size, color and apply decoration styles) using the corresponding icons situated at the Home tab of the top toolbar. Some additional font settings can be also altered at the Font tab of the paragraph properties window. To access it, right-click the text in the text box and select the Text Advanced Settings option.
                        • Align the text horizontally within the text box using the corresponding icons situated at the Home tab of the top toolbar.
                        • Align the text vertically within the text box using the corresponding icons situated at the Home tab of the top toolbar. You can also right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom.
                        • -
                        • Rotate the text within the text box. To do that, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (is selected by default), Rotate at 90° (sets a vertical direction, from top to bottom) or Rotate at 270° (sets a vertical direction, from bottom to top).
                        • +
                        • Rotate the text within the text box. To do that, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets a vertical direction, from bottom to top).
                        • Create a bulleted or numbered list. To do that, right-click the text, select the Bullets and Numbering option from the contextual menu and then choose one of the available bullet characters or numbering styles.

                          Bullets and numbering

                        • Insert a hyperlink.
                        • @@ -77,7 +77,9 @@
                        • Subscript is used to make the text smaller and place it to 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.
                        • +
                        • 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.

                          +
                        • Paragraph Properties - Tab tab

                          The Tab tab allows to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard.

                          diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm index ff7930ebb..bc822766a 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ManipulateObjects.htm @@ -15,36 +15,59 @@

                          Manipulate objects

                          You can resize, move, rotate and arrange autoshapes, images and charts inserted into your worksheet.

                          +

                          + Note: the list of keyboard shortcuts that can be used when working with objects is available here. +

                          Resize objects

                          To change the autoshape/image/chart size, drag small squares Square icon situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons.

                          -

                          Note: to resize the inserted chart or image you can also use the right sidebar that will be activated once you select the necessary object. To open it, click the Chart settings Chart settings icon or the Image settings Image settings icon icon to the right. +

                          Note: to resize the inserted chart or image you can also use the right sidebar that will be activated once you select the necessary object. To open it, click the Chart settings Chart settings icon or the Image settings Image settings icon icon to the right.

                          Maintaining proportions

                          Move objects

                          To alter the autoshape/image/chart position, use the Arrow icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging.

                          Rotate objects

                          -

                          To rotate the autoshape/image, hover the mouse cursor over the rotation handle Rotation Handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating.

                          -

                          Reshape autoshapes

                          +

                          To manually rotate the autoshape/image, hover the mouse cursor over the rotation handle Rotation Handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating.

                          +

                          To rotate a shape or image by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings Shape settings icon or the Image settings Image settings icon icon to the right. Click one of the buttons:

                          +
                            +
                          • Rotate counterclockwise icon to rotate the object by 90 degrees counterclockwise
                          • +
                          • Rotate clockwise icon to rotate the object by 90 degrees clockwise
                          • +
                          • Flip horizontally icon to flip the object horizontally (left to right)
                          • +
                          • Flip vertically icon to flip the object vertically (upside down)
                          • +
                          +

                          It's also possible to right-click the image or shape, choose the Rotate option from the contextual menu and then use one of the available rotation options.

                          +

                          To rotate a shape or image by an exactly specified angle, click the Show advanced settings link at the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK.

                          +

                          Reshape autoshapes

                          When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped Yellow diamond icon icon is also available. It allows to adjust some aspects of the shape, for example, the length of the head of an arrow.

                          Reshaping autoshape

                          Align objects

                          -

                          To align selected objects in relation to each other, hold down the Ctrl key while selecting the objects with the mouse, then click the Align icon Align icon at the Layout tab of the top toolbar and select the necessary alignment type from the list:

                          +

                          To align two or more selected objects in relation to each other, hold down the Ctrl key while selecting the objects with the mouse, then click the Align icon Align icon at the Layout tab of the top toolbar and select the necessary alignment type from the list:

                            -
                          • Align Left Align Left icon - to align objects by the left side in relation to each other,
                          • -
                          • Align Center Align Center icon - to align objects by the center in relation to each other,
                          • -
                          • Align Right Align Right icon - to align objects by the right side in relation to each other,
                          • -
                          • Align Top Align Top icon - to align objects by the top side in relation to each other,
                          • -
                          • Align Middle Align Middle icon - to align objects by the middle in relation to each other,
                          • -
                          • Align Bottom Align Bottom icon - to align objects by the bottom side in relation to each other.
                          • +
                          • Align Left Align Left icon - to align objects in relation to each other by the left edge of the leftmost object,
                          • +
                          • Align Center Align Center icon - to align objects in relation to each other by their centers,
                          • +
                          • Align Right Align Right icon - to align objects in relation to each other by the right edge of the rightmost object,
                          • +
                          • Align Top Align Top icon - to align objects in relation to each other by the top edge of the topmost object,
                          • +
                          • Align Middle Align Middle icon - to align objects in relation to each other by their middles,
                          • +
                          • Align Bottom Align Bottom icon - to align objects in relation to each other by the bottom edge of the bottommost object.
                          +

                          Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available alignment options.

                          +

                          Note: the alignment options are disabled if you select less than two objects.

                          +

                          Distribute objects

                          +

                          To distribute three or more selected objects horizontally or vertically between two outermost selected objects so that the equal distance appears between them, click the Align icon Align icon at the Layout tab of the top toolbar and select the necessary distribution type from the list:

                          +
                            +
                          • Distribute Horizontally Distribute Horizontally icon - to distribute objects evenly between the leftmost and rightmost selected objects.
                          • +
                          • Distribute Vertically Distribute Vertically icon - to distribute objects evenly between the topmost and bottommost selected objects.
                          • +
                          +

                          Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available distribution options.

                          +

                          Note: the distribution options are disabled if you select less than three objects.

                          Group several objects

                          To manipulate several objects at once, you can group them. Hold down the Ctrl key while selecting the objects with the mouse, then click the arrow next to the Group icon Group icon at the Layout tab of the top toolbar and select the necessary option from the list:

                          • Group Group icon - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object.
                          • Ungroup Ungroup icon - to ungroup the selected group of the previously joined objects.
                          -

                          Alternatively, you can right-click the selected objects and choose the Group or Ungroup option from the contextual menu.

                          +

                          Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option.

                          +

                          Note: the Group option is disabled if you select less than two objects. The Ungroup option is available only when a group of the previously joined objects is selected.

                          Group several objects

                          Arrange several objects

                          To arrange the selected object or several objects (e.g. to change their order when several objects overlap each other), you can use the Bring Forward icon Bring Forward and Send Backward icon Send Backward icons at the Layout tab of the top toolbar and select the necessary arrangement type from the list.

                          @@ -57,7 +80,8 @@
                          • Send To Background Send To Background icon - to move the object(s) behind all other objects,
                          • Send Backward Send Backward icon - to move the selected object(s) by one level backward as related to other objects.
                          • -
                          + +

                          Alternatively, you can right-click the selected object(s), choose the Arrange option from the contextual menu and then use one of the available arrangement options.

                          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm index 2da9cf556..cc598c9f9 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm @@ -14,19 +14,52 @@

                          Create a new spreadsheet or open an existing one

                          -

                          When Spreadsheet Editor is open to create a new spreadsheet:

                          -
                            -
                          1. click the File tab of the top toolbar,
                          2. -
                          3. select the Create New... option.
                          4. -
                          -

                          After you finished working at one spreadsheet, you can immediately proceed to an already existing spreadsheet that you have recently edited, or return to the list of existing ones.

                          -

                          To open a recently edited spreadsheet within Spreadsheet Editor,

                          -
                            -
                          1. click the File tab of the top toolbar,
                          2. -
                          3. select the Open Recent... option,
                          4. -
                          5. choose the spreadsheet you need from the list of recently edited spreadsheets.
                          6. -
                          -

                          To return to the list of existing spreadsheets, click the Go to Documents Go to Documents icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Go to Documents option.

                          +
                          To create a new spreadsheet
                          +
                          +

                          In the online editor

                          +
                            +
                          1. click the File tab of the top toolbar,
                          2. +
                          3. select the Create New option.
                          4. +
                          +
                          +
                          +

                          In the desktop editor

                          +
                            +
                          1. in the main program window, select the Spreadsheet menu item from the Create new section of the left sidebar - a new file will open in a new tab,
                          2. +
                          3. when all the necessary changes are made, click the Save Save icon icon in the upper left corner or switch to the File tab and choose the Save as menu item.
                          4. +
                          5. in the file manager window, select the file location, specify its name, choose the format you want to save the spreadsheet to (XLSX, Spreadsheet template, ODS, CSV, PDF or PDFA) and click the Save button.
                          6. +
                          +
                          + +
                          +
                          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. +
                          3. choose the necessary spreadsheet from the file manager window and click the Open button.
                          4. +
                          +

                          You can also right-click the necessary spreadsheet in the file manager window, select the Open with option and choose the necessary application from the menu. If the office documents files are associated with the application, you can also open spreadsheets by double-clicking the file name in the file explorer window.

                          +

                          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
                          +
                          +

                          In the online editor

                          +
                            +
                          1. click the File tab of the top toolbar,
                          2. +
                          3. select the Open Recent... option,
                          4. +
                          5. choose the spreadsheet you need from the list of recently edited documents.
                          6. +
                          +
                          +
                          +

                          In the desktop editor

                          +
                            +
                          1. in the main program window, select the Recent files menu item at the left sidebar,
                          2. +
                          3. choose the spreadsheet you need from the list of recently edited documents.
                          4. +
                          +
                          + +

                          To open the folder where the file is stored in a new browser tab in the online version, in the file explorer window in the desktop version, click the Open file location Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Open file location option.

                          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm index 7d4e5b5b0..08735f258 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm @@ -14,6 +14,7 @@

                          Edit pivot tables

                          +

                          Note: this option is available in the online version only.

                          You can change the appearance of existing pivot tables in a spreadsheet using the editing tools available at the Pivot Table tab of the top toolbar.

                          Select at least one cell within the pivot table with the mouse to activate the editing tools at the top toolbar.

                          Pivot Table tab

                          diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index a1dea57c4..796c7be73 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -14,35 +14,57 @@

                          Save/print/download your spreadsheet

                          -

                          By default, Spreadsheet Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page.

                          -

                          To save your current spreadsheet manually,

                          +

                          Saving

                          +

                          By default, online Spreadsheet Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page.

                          +

                          To save your current spreadsheet manually in the current format and location,

                            -
                          • click the Save Save icon icon at the top toolbar, or
                          • +
                          • click the Save Save icon icon in the left part of the editor header, or
                          • use the Ctrl+S key combination, or
                          • click the File tab of the top toolbar and select the Save option.
                          +

                          Note: in the desktop version, to prevent data loss in case of the unexpected program closing you can turn on the Autorecover option at the Advanced Settings page.

                          +
                          +

                          In the desktop version, you can save the spreadsheet with another name, in a new location or format,

                          +
                            +
                          1. click the File tab of the top toolbar,
                          2. +
                          3. select the Save as... option,
                          4. +
                          5. choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDFA. You can also choose the Spreadsheet template (XLTX) option.
                          6. +
                          +
                          -

                          To download the resulting spreadsheet onto your computer hard disk drive,

                          +

                          Downloading

                          +

                          In the online version, you can download the resulting spreadsheet onto your computer hard disk drive,

                          1. click the File tab of the top toolbar,
                          2. select the Download as... option,
                          3. -
                          4. choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV. +
                          5. choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

                            Note: if you select the CSV format, all features (font formatting, formulas etc.) except the plain text will not be preserved in the CSV file. If you continue saving, the Choose CSV Options window will open. By default, Unicode (UTF-8) is used as the Encoding type. The default Delimiter is comma (,), but the following options are also available: semicolon (;), colon (:), Tab, Space and Other (this option allows you to set a custom delimiter character).

                          +

                          Saving a copy

                          +

                          In the online version, you can save a copy of the file on your portal,

                          +
                            +
                          1. click the File tab of the top toolbar,
                          2. +
                          3. select the Save Copy as... option,
                          4. +
                          5. choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS,
                          6. +
                          7. select a location of the file on the portal and press Save.
                          8. +
                          +

                          Printing

                          To print out the current spreadsheet,

                            -
                          • click the Print Print icon icon at the top toolbar, or
                          • +
                          • click the Print Print icon icon in the left part of the editor header, or
                          • use the Ctrl+P key combination, or
                          • click the File tab of the top toolbar and select the Print option.

                          The Print Settings window will open, where you can change the default print settings. Click the Show Details button at the bottom of the window to display all the parameters.

                          -

                          Note: you can also adjust the print settings on the Advanced Settings... page: click the File tab of the top toolbar and follow Advanced Settings... >> Page Settings.
                          Some of these settings (page Margins, Orientation and Size) are also available at the Layout tab of the top toolbar.

                          +

                          Note: you can also adjust the print settings on the Advanced Settings... page: click the File tab of the top toolbar and follow Advanced Settings... >> Page Settings.
                          Some of these settings (page Margins, Orientation, Size as well as Print Area) are also available at the Layout tab of the top toolbar.

                          Print Settings window

                          Here you can adjust the following parameters:

                            -
                          • Print Range - specify what to print: the whole Current Sheet, All Sheets of your spreadsheet or previously selected range of cells (Selection),
                          • +
                          • Print Range - specify what to print: the whole Current Sheet, All Sheets of your spreadsheet or previously selected range of cells (Selection), +

                            If you previously set a constant print area but want to print the entire sheet, check the Ignore Print Area box.

                            +
                          • Sheet Settings - specify individual print settings for each separate sheet, if you have selected the All Sheets option in the Print Range drop-down list,
                          • Page Size - select one of the available sizes from the drop-down list,
                          • Page Orientation - choose the Portrait option if you wish to print vertically on the page, or use the Landscape option to print horizontally,
                          • @@ -50,8 +72,33 @@
                          • Margins - specify the distance between the worksheet data and the edges of the printed page changing the default sizes in the Top, Bottom, Left and Right fields,
                          • Print - specify the worksheet elements to print checking the corresponding boxes: Print Gridlines and Print Row and Column Headings.
                          -

                          When the parameters are set, click the Save & Print button to apply the changes and close the window. After that a PDF file will be generated on the basis of the spreadsheet. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later.

                          - +

                          In the desktop version, the file will be printed directly. In the online version, a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing.

                          +
                          Setting up a print area
                          +

                          If you want to print a selected cell range only instead of an entire worksheet, you can use the Selection option from the Print Range drop-down list. When the workbook is saved, this setting is not saved, it is intended for single use.

                          +

                          If a cell range should be printed frequently, you can set a constant print area on the worksheet. When the workbook is saved, the print area is also saved, it can be used when you open the spreadsheet next time. It's also possible to set several constant print areas on a sheet, in this case each area will be printed on a separate page.

                          +

                          To set a print area:

                          +
                            +
                          1. select the necessary cell range on the worksheet. To select multiple cell ranges, hold down the Ctrl key,
                          2. +
                          3. switch to the Layout tab of the top toolbar,
                          4. +
                          5. click the arrow next to the Print Area icon Print Area button and select the Set Print Area option.
                          6. +
                          +

                          The created print area is saved when the workbook is saved. When you open the file next time, the specified print area will be printed.

                          +

                          Note: when you create a print area, a Print_Area named range is also automatically created, which is displayed in the Name Manager. To highlight the borders of all the print areas on the current worksheet, you can click the arrow in the name box located to the left of the the formula bar and select the Print_Area name from the name list.

                          +

                          To add cells to a print area:

                          +
                            +
                          1. open the necessary worksheet where the print area is added,
                          2. +
                          3. select the necessary cell range on the worksheet,
                          4. +
                          5. switch to the Layout tab of the top toolbar,
                          6. +
                          7. click the arrow next to the Print Area icon Print Area button and select the Add to Print Area option.
                          8. +
                          +

                          A new print area will be added. Each print area will be printed on a separate page.

                          +

                          To remove a print area:

                          +
                            +
                          1. open the necessary worksheet where the print area is added,
                          2. +
                          3. switch to the Layout tab of the top toolbar,
                          4. +
                          5. click the arrow next to the Print Area icon Print Area button and select the Clear Print Area option.
                          6. +
                          +

                          All the existing print areas on this sheet will be removed. Then the entire sheet will be printed.

                          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UndoRedo.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UndoRedo.htm index e146a01bd..5d156b0db 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UndoRedo.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UndoRedo.htm @@ -14,12 +14,15 @@

                          Undo/redo your actions

                          -

                          To perform the undo/redo operations, use the corresponding icons available at any tab of the top toolbar:

                          +

                          To perform the undo/redo operations, use the corresponding icons available at the left part of the editor header:

                          • Undo – use the Undo Undo icon icon to undo the last operation you performed.
                          • Redo – use the Redo Redo icon icon to redo the last undone operation.
                          -

                          Note: the undo/redo operations can be also performed using the Keyboard Shortcuts.

                          +

                          The undo/redo operations can be also performed using the Keyboard Shortcuts.

                          +

                          + Note: when you co-edit a spreadsheet in the Fast mode, the possibility to Undo/Redo the last operation is not available. +

                          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UseNamedRanges.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UseNamedRanges.htm index 76f067099..25e71f67c 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UseNamedRanges.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/UseNamedRanges.htm @@ -17,7 +17,7 @@

                          Names are meaningful notations that can be assigned for a cell or cell range and used to simplify working with formulas. Creating a formula, you can insert a name as its argument instead of using a reference to a cell range. For example, if you assign the Annual_Income name for a cell range, it will be possible to enter =SUM(Annual_Income) instead of =SUM(B1:B12). In such a form, formulas become clearer. This feature can also be useful in case a lot of formulas are referred to one and the same cell range. If the range address is changed, you can make the correction once using the Name Manager instead of editing all the formulas one by one.

                          There are two types of names that can be used:

                            -
                          • Defined name – an arbitrary name that you can specify for a certain cell range.
                          • +
                          • Defined name – an arbitrary name that you can specify for a certain cell range. Defined names also include the names created automatically when setting up print areas.
                          • Table name – a default name that is automatically assigned to a new formatted table (Table1, Table2 etc.). You can edit such a name later.

                          Names are also classified by Scope, i.e. the location where a name is recognized. A name can be scoped to the whole workbook (it will be recognized for any worksheet within this workbook) or to a separate worksheet (it will be recognized for the specified worksheet only). Each name must be unique within a single scope, the same names can be used within different scopes.

                          @@ -49,7 +49,7 @@

                          All the existing names can be accessed via the Name Manager. To open it:

                          • click the Named ranges Named ranges icon icon at the Home tab of the top toolbar and select the Name manager option from the menu,
                          • -
                          • or click the arrow in the name field and select the Manager option.
                          • +
                          • or click the arrow in the name field and select the Name Manager option.

                          The Name Manager window will open:

                          Name Manager window

                          diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm index f2c3e046b..551b5fac7 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm @@ -16,12 +16,13 @@

                          View file information

                          To access the detailed information about the currently edited spreadsheet, click the File tab of the top toolbar and select the Spreadsheet Info option.

                          General Information

                          -

                          The file information includes spreadsheet title, author, location and creation date.

                          +

                          The file information includes spreadsheet title and the application the spreadsheet was created with. In the online version, the following information is also displayed: author, location, creation date.

                          Note: Online Editors allow you to change the spreadsheet title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK.

                          Permission Information

                          +

                          In the online version, you can view the information about permissions to the files stored in the cloud.

                          Note: this option is not available for users with the Read Only permissions.

                          To find out, who have rights to view or edit the spreadsheet, select the Access Rights... option at the left sidebar.

                          You can also change currently selected access rights clicking the Change access rights button in the Persons who have rights section.

                          diff --git a/apps/spreadsheeteditor/main/resources/help/en/editor.css b/apps/spreadsheeteditor/main/resources/help/en/editor.css index cf3e4f141..b715ff519 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/en/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 70%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/asc.png b/apps/spreadsheeteditor/main/resources/help/en/images/asc.png new file mode 100644 index 000000000..e29075da5 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/asc.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/basiccalculations.png b/apps/spreadsheeteditor/main/resources/help/en/images/basiccalculations.png index 68419edb5..a79b891e1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/basiccalculations.png and b/apps/spreadsheeteditor/main/resources/help/en/images/basiccalculations.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/betainv.png b/apps/spreadsheeteditor/main/resources/help/en/images/betainv.png new file mode 100644 index 000000000..e99466819 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/betainv.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/cellsettingstab.png b/apps/spreadsheeteditor/main/resources/help/en/images/cellsettingstab.png new file mode 100644 index 000000000..f03368509 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/cellsettingstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/distributehorizontally.png b/apps/spreadsheeteditor/main/resources/help/en/images/distributehorizontally.png new file mode 100644 index 000000000..8e33a0c28 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/distributehorizontally.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/distributevertically.png b/apps/spreadsheeteditor/main/resources/help/en/images/distributevertically.png new file mode 100644 index 000000000..1e5f39011 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/distributevertically.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/fliplefttoright.png b/apps/spreadsheeteditor/main/resources/help/en/images/fliplefttoright.png new file mode 100644 index 000000000..b6babc560 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/fliplefttoright.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/flipupsidedown.png b/apps/spreadsheeteditor/main/resources/help/en/images/flipupsidedown.png new file mode 100644 index 000000000..b8ce45f8f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/flipupsidedown.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/functiontooltip.png b/apps/spreadsheeteditor/main/resources/help/en/images/functiontooltip.png new file mode 100644 index 000000000..1f985e99e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/functiontooltip.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/grouping.png b/apps/spreadsheeteditor/main/resources/help/en/images/grouping.png index c37d40e34..229da2bf1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/grouping.png and b/apps/spreadsheeteditor/main/resources/help/en/images/grouping.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/hyperlinkfunction.png b/apps/spreadsheeteditor/main/resources/help/en/images/hyperlinkfunction.png new file mode 100644 index 000000000..45e156224 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/hyperlinkfunction.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings.png b/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings.png index 4892aad09..1343fce2a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings.png and b/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings1.png b/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings1.png new file mode 100644 index 000000000..4835b214e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/imageadvancedsettings1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/imagesettings.png b/apps/spreadsheeteditor/main/resources/help/en/images/imagesettings.png index 29f69d47f..7c653d268 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/imagesettings.png and b/apps/spreadsheeteditor/main/resources/help/en/images/imagesettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/collaborationtab.png index 96fd40538..c56e7e069 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png new file mode 100644 index 000000000..a28830de6 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_editorwindow.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_editorwindow.png new file mode 100644 index 000000000..24836c931 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_filetab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_filetab.png new file mode 100644 index 000000000..9a17d15e8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_hometab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_hometab.png new file mode 100644 index 000000000..3f810b0dc Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_inserttab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_inserttab.png new file mode 100644 index 000000000..1daa5bf5d Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_layouttab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_layouttab.png new file mode 100644 index 000000000..35632fc95 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pluginstab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pluginstab.png new file mode 100644 index 000000000..ae423ec2a Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/editorwindow.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/editorwindow.png index 3ae2c26c9..d3a1e5ea7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/filetab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/filetab.png index d7da8a9cf..7691d645e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/filetab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/hometab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/hometab.png index fa675157b..181272376 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/hometab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/inserttab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/inserttab.png index 20c471c83..7858feaa3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/inserttab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/layouttab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/layouttab.png index a044d3386..ea90ea84b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/layouttab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/leftpart.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/leftpart.png index f3f1306f3..e87f5f590 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/leftpart.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/leftpart.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/pivottabletab.png index b62425057..25072e5c8 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/pluginstab.png index dd2ddabf2..271286cb2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/namelist.png b/apps/spreadsheeteditor/main/resources/help/en/images/namelist.png index 56505e6f2..939ce3ec2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/namelist.png and b/apps/spreadsheeteditor/main/resources/help/en/images/namelist.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/namemanagerwindow.png b/apps/spreadsheeteditor/main/resources/help/en/images/namemanagerwindow.png index 550657e0d..b353c4549 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/namemanagerwindow.png and b/apps/spreadsheeteditor/main/resources/help/en/images/namemanagerwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/print.png b/apps/spreadsheeteditor/main/resources/help/en/images/print.png index 03fd49783..d3479672f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/print.png and b/apps/spreadsheeteditor/main/resources/help/en/images/print.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/printareabutton.png b/apps/spreadsheeteditor/main/resources/help/en/images/printareabutton.png new file mode 100644 index 000000000..55306bc43 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/printareabutton.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/printsettingswindow.png b/apps/spreadsheeteditor/main/resources/help/en/images/printsettingswindow.png index a26a46775..725ac985e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/printsettingswindow.png and b/apps/spreadsheeteditor/main/resources/help/en/images/printsettingswindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/redo.png b/apps/spreadsheeteditor/main/resources/help/en/images/redo.png index 5002b4109..f80d5163a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/redo.png and b/apps/spreadsheeteditor/main/resources/help/en/images/redo.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/redo1.png b/apps/spreadsheeteditor/main/resources/help/en/images/redo1.png new file mode 100644 index 000000000..5002b4109 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/redo1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/rotateclockwise.png b/apps/spreadsheeteditor/main/resources/help/en/images/rotateclockwise.png new file mode 100644 index 000000000..d27f575b3 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/rotateclockwise.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/rotatecounterclockwise.png b/apps/spreadsheeteditor/main/resources/help/en/images/rotatecounterclockwise.png new file mode 100644 index 000000000..43e6a1064 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/rotatecounterclockwise.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/save.png b/apps/spreadsheeteditor/main/resources/help/en/images/save.png index e6a82d6ac..9b6f7ff7c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/save.png and b/apps/spreadsheeteditor/main/resources/help/en/images/save.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties.png b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties.png index 1bb3e784a..3cc444621 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties.png and b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_1.png b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_1.png index be4eda8b1..997f18dad 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_1.png and b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_2.png b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_2.png index 4e31547ec..d41e88d57 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_2.png and b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_3.png b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_3.png index 82ed7956c..edcb4bb61 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_3.png and b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_3.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_4.png b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_4.png index 1cf9b86ba..7e8044eb2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_4.png and b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_4.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_5.png b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_5.png new file mode 100644 index 000000000..ae3f0a43b Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/shape_properties_5.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/textimportwizard.png b/apps/spreadsheeteditor/main/resources/help/en/images/textimportwizard.png new file mode 100644 index 000000000..dbd7492ae Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/textimportwizard.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/undo.png b/apps/spreadsheeteditor/main/resources/help/en/images/undo.png index bb7f9407d..bc291458a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/undo.png and b/apps/spreadsheeteditor/main/resources/help/en/images/undo.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/undo1.png b/apps/spreadsheeteditor/main/resources/help/en/images/undo1.png new file mode 100644 index 000000000..bb7f9407d Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/undo1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/viewsettingsicon.png b/apps/spreadsheeteditor/main/resources/help/en/images/viewsettingsicon.png index 9fa0d1fba..a29f033a2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/viewsettingsicon.png and b/apps/spreadsheeteditor/main/resources/help/en/images/viewsettingsicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js index e48936a5b..25ba342f7 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js @@ -65,6 +65,11 @@ var indexes = "title": "ARABIC Function", "body": "The ARABIC function is one of the math and trigonometry functions. The function is used to convert a Roman numeral to an Arabic numeral. The ARABIC function syntax is: ARABIC(x) where x is a text representation of a Roman numeral: a string enclosed in quotation marks or a reference to a cell containing text. Note: if an empty string (\"\") is used as an argument, the function returns the value 0. To apply the ARABIC 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 Math and trigonometry function group from the list, click the ARABIC function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." }, + { + "id": "Functions/asc.htm", + "title": "ASC Function", + "body": "The ASC function is one of the text and data functions. Is used to change full-width (double-byte) characters to half-width (single-byte) characters for languages that use the double-byte character set (DBCS) like Japanese, Chinese, Korean etc. The ASC function syntax is: ASC(text) where text is a data entered manually or included into the cell you make reference to. If the text does not contain full-width characters it remains unchanged. To apply the ASC 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 Text and data function group from the list, click the ASC function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." + }, { "id": "Functions/asin.htm", "title": "ASIN Function", @@ -155,6 +160,11 @@ var indexes = "title": "BETADIST Function", "body": "The BETADIST function is one of the statistical functions. It is used to return the cumulative beta probability density function. The BETADIST function syntax is: BETADIST(x, alpha, beta, [,[A] [,[B]]) where x is the value between A and B at which the function should be calculated. alpha is the first parameter of the distribution, a numeric value greater than 0. beta is the second parameter of the distribution, a numeric value greater than 0. A is the lower bound to the interval of x. It is an optional parameter. If it is omitted, the default value of 0 is used. B is the upper bound to the interval of x. It is an optional parameter. If it is omitted, the default value of 1 is used. The values can be entered manually or included into the cells you make reference to. To apply the BETADIST 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 Statistical function group from the list, click the BETADIST function, enter the required arguments separating them by commas, press the Enter button. The result will be displayed in the selected cell." }, + { + "id": "Functions/betainv.htm", + "title": "BETAINV Function", + "body": "The BETAINV function is one of the statistical functions. It is used to return the inverse of the cumulative beta probability density function for a specified beta distribution. The BETAINV function syntax is: BETAINV(x, alpha, beta, [,[A] [,[B]]) where x is a probability associated with the beta distribution. A numeric value greater than 0 and less than or equal to 1. alpha is the first parameter of the distribution, a numeric value greater than 0. beta is the second parameter of the distribution, a numeric value greater than 0. A is the lower bound to the interval of x. It is an optional parameter. If it is omitted, the default value of 0 is used. B is the upper bound to the interval of x. It is an optional parameter. If it is omitted, the default value of 1 is used. The values can be entered manually or included into the cells you make reference to. To apply the BETAINV 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 Statistical function group from the list, click the BETAINV function, enter the required arguments separating them by commas, press the Enter button. The result will be displayed in the selected cell." + }, { "id": "Functions/bin2dec.htm", "title": "BIN2DEC Function", @@ -920,6 +930,11 @@ var indexes = "title": "HOUR Function", "body": "The HOUR function is one of the date and time functions. It returns the hour (a number from 0 to 23) of the time value. The HOUR function syntax is: HOUR( time-value ) where time-value is a value entered manually or included into the cell you make reference to. Note: the time-value may be expressed as a string value (e.g. \"13:39\"), a decimal number (e.g. 0.56 corresponds to 13:26) , or the result of a formula (e.g. the result of the NOW function in the default format - 9/26/12 13:39) To apply the HOUR 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 Date and time function group from the list, click the HOUR function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." }, + { + "id": "Functions/hyperlink.htm", + "title": "HYPERLINLK Function", + "body": "The HYPERLINLK function is one of the lookup and reference functions. It is used to create a shortcut that jumps to another location in the current workbook, or opens a document stored on a network server, an intranet, or the Internet. The HYPERLINLK function syntax is: HYPERLINLK(link_location [, friendly_name]) where link_location is the path and file name to the document to be opened. In the online version, the path can be a URL address only. link_location can also refer to a certain place in the current workbook, for example, to a certain cell or a named range. The value can be specified as a text string enclosed to the quotation marks or a reference to a cell containing the link as a text string. friendly_name is a text displayed in the cell. It is an optional value. If it is omitted, the link_location value is displayed in the cell. To apply the HYPERLINLK 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 HYPERLINLK function, enter the required arguments separating them by comma, press the Enter button. The result will be displayed in the selected cell. To open the link click on it. To select a cell that contains a link without opening the link click and hold the mouse button." + }, { "id": "Functions/hypgeom-dist.htm", "title": "HYPGEOM.DIST Function", @@ -2208,22 +2223,22 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About Spreadsheet Editor", - "body": "Spreadsheet Editor is an online application that lets you edit your spreadsheets directly in your browser . Using 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, or CSV file. To view the current software version and licensor details, click the icon at the left sidebar." + "body": "Spreadsheet Editor is an online application that lets you edit your spreadsheets directly in your browser . Using 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 software version and licensor details in the online version, click the icon at the left sidebar. To view the current software version and licensor details in the desktop version, select the About menu item at the left sidebar of the main program window." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of Spreadsheet Editor", - "body": "Spreadsheet Editor lets you change its general advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The general advanced settings are: Commenting Display is used to turn on/off the live commenting option: Turn on display of the comments - if you disable this feature, the commented cells will be marked on the sheet only if you click the Comments icon at the left sidebar. Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden on the sheet. You can view such comments only if you click the Comments icon at the left sidebar. Enable this option if you want to display resolved comments on the sheet. Autosave is used to turn on/off automatic saving of changes you make while editing. Reference Style is used to turn on/off the R1C1 reference style. By default, this option is disabled and the A1 reference style is used. When the A1 reference style is used, columns are designated by letters, and rows are designated by numbers. If you select the cell located in row 3 and column 2, its address displayed in the box to the left of the the formula bar looks like this: B3. If the R1C1 reference style is enabled, both rows and columns are designated by numbers. If you select the cell at the intersection of row 3 and column 2, its address will look like this: R3C2. Letter R indicates the row number and letter C indicates the column number. In case you refer to other cells using the R1C1 reference style, the reference to a target cell is formed based on the distance from an active cell. For example, when you select the cell in row 5 and column 1 and refer to the cell in row 3 and column 2, the reference is R[-2]C[1]. Numbers in square brackets designate the position of the cell you refer to relative to the current cell position, i.e. the target cell is 2 rows up and 1 column to the right of the active cell. If you select the cell in row 1 and column 2 and refer to the same cell in row 3 and column 2, the reference is R[2]C, i.e. the target cell is 2 rows down from the active cell and in the same column. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. Font Hinting is used to select the type a font is displayed in Spreadsheet Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Unit of Measurement is used to specify what units are used for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. Formula Language is used to select the language for displaying and entering formula names. Regional Settings is used to select the default display format for currency and date and time. To save the changes you made, click the Apply button." + "body": "Spreadsheet Editor lets you change its general advanced settings. To access them, open the File tab at the top toolbar and select the Advanced Settings... option. You can also click the View settings icon on the right side of the editor header and select the Advanced settings option. The general advanced settings are: Commenting Display is used to turn on/off the live commenting option: Turn on display of the comments - if you disable this feature, the commented cells will be marked on the sheet only if you click the Comments icon at the left sidebar. Turn on display of the resolved comments - this feature is disabled by default so that the resolved comments were hidden on the sheet. You can view such comments only if you click the Comments icon at the left sidebar. Enable this option if you want to display resolved comments on the sheet. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows to automatically recover spreadsheets in case of the unexpected program closing. Reference Style is used to turn on/off the R1C1 reference style. By default, this option is disabled and the A1 reference style is used. When the A1 reference style is used, columns are designated by letters, and rows are designated by numbers. If you select the cell located in row 3 and column 2, its address displayed in the box to the left of the the formula bar looks like this: B3. If the R1C1 reference style is enabled, both rows and columns are designated by numbers. If you select the cell at the intersection of row 3 and column 2, its address will look like this: R3C2. Letter R indicates the row number and letter C indicates the column number. In case you refer to other cells using the R1C1 reference style, the reference to a target cell is formed based on the distance from an active cell. For example, when you select the cell in row 5 and column 1 and refer to the cell in row 3 and column 2, the reference is R[-2]C[1]. Numbers in square brackets designate the position of the cell you refer to relative to the current cell position, i.e. the target cell is 2 rows up and 1 column to the right of the active cell. If you select the cell in row 1 and column 2 and refer to the same cell in row 3 and column 2, the reference is R[2]C, i.e. the target cell is 2 rows down from the active cell and in the same column. Co-editing Mode is used to select the display of the changes made during the co-editing: By default the Fast mode is selected, the users who take part in the document co-editing will see the changes in real time once they are made by other users. If you prefer not to see other user changes (so that they do not disturb you, or for some other reason), select the Strict mode and all the changes will be shown only after you click the Save icon notifying you that there are changes from other users. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 200%. Font Hinting is used to select the type a font is displayed in Spreadsheet Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Unit of Measurement is used to specify what units are used for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. Formula Language is used to select the language for displaying and entering formula names. Regional Settings is used to select the default display format for currency and date and time. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Collaborative Spreadsheet Editing", - "body": "Spreadsheet Editor offers you the possibility to work at a spreadsheet collaboratively with other users. This feature includes: simultaneous multi-user access to the edited spreadsheet visual indication of cells that are being edited by other users real-time changes display or synchronization of changes with one button click chat to share ideas concerning particular spreadsheet parts comments containing the description of a task or problem that should be solved Co-editing Spreadsheet Editor allows to select one of the two available co-editing modes. Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon at the Collaboration tab of the top toolbar: When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells as well as the tab of the sheet where these cells are situated are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited cells, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text. The number of users who are working at the current spreadsheet is specified on the right side of the editor header - . If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the spreadsheet: invite new users giving them either full or read-only access, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the spreadsheet at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note in the upper left corner stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which part of the spreadsheet you are going to edit now etc. The chat messages are stored during one session only. To discuss the spreadsheet content it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon at the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon once again. Comments To leave a comment, select a cell where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or use the icon at the left sidebar to open the Comments panel and click the Add Comment to Document link, or right-click within the selected cell and select the Add Сomment option from the menu, enter the needed text, click the Add Comment/Add button. The comment will be seen on the panel on the left. The orange triangle will appear in the upper right corner of the cell you commented. If you need to disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case the commented cells will be marked only if you click the icon. To view the comment, just click within the cell. You or any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, use the Add Reply link. You can manage the comments you added in the following way: edit them by clicking the icon, delete them by clicking the icon, close the discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. If you want to hide resolved comments, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the icon. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. To close the panel with comments, click the icon at the left sidebar once again." + "body": "Spreadsheet Editor offers you the possibility to work at a spreadsheet collaboratively with other users. This feature includes: simultaneous multi-user access to the edited spreadsheet visual indication of cells that are being edited by other users real-time changes display or synchronization of changes with one button click chat to share ideas concerning particular spreadsheet parts comments containing the description of a task or problem that should be solved (it's also possible to work with comments in the offline mode, without connecting to the online version) Connecting to the online version In the desktop editor, open the Connect to cloud option of the left-side menu in the main program window. Connect to your cloud office specifying your account login and password. Co-editing Spreadsheet Editor allows to select one of the two available co-editing modes: Fast is used by default and shows the changes made by other users in real time. Strict is selected to hide other user changes until you click the Save icon to save your own changes and accept the changes made by others. The mode can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon at the Collaboration tab of the top toolbar: Note: when you co-edit a spreadsheet in the Fast mode, the possibility to Undo/Redo the last operation is not available. When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells as well as the tab of the sheet where these cells are situated are marked with dashed lines of different colors. By hovering the mouse cursor over one of the edited cells, the name of the user who is editing it at the moment is displayed. The Fast mode will show the actions and the names of the co-editors once they are editing the text. The number of users who are working at the current spreadsheet is specified on the right side of the editor header - . If you want to see who exactly are editing the file now, you can click this icon or open the Chat panel with the full list of the users. When no users are viewing or editing the file, the icon in the editor header will look like allowing you to manage the users who have access to the file right from the spreadsheet: invite new users giving them permissions to edit, read or comment the spreadsheet, or deny some users access rights to the file. Click this icon to manage the access to the file; this can be done both when there are no other users who view or co-edit the spreadsheet at the moment and when there are other users and the icon looks like . It's also possible to set access rights using the Sharing icon at the Collaboration tab of the top toolbar. As soon as one of the users saves his/her changes by clicking the icon, the others will see a note in the upper left corner stating that they have updates. To save the changes you made, so that other users can view them, and get the updates saved by your co-editors, click the icon in the left upper corner of the top toolbar. Chat You can use this tool to coordinate the co-editing process on-the-fly, for example, to arrange with your collaborators about who is doing what, which part of the spreadsheet you are going to edit now etc. The chat messages are stored during one session only. To discuss the spreadsheet content it is better to use comments which are stored until you decide to delete them. To access the chat and leave a message for other users, click the icon at the left sidebar, or switch to the Collaboration tab of the top toolbar and click the Chat button, enter your text into the corresponding field below, press the Send button. All the messages left by users will be displayed on the panel on the left. If there are new messages you haven't read yet, the chat icon will look like this - . To close the panel with chat messages, click the icon once again. Comments It's possible to work with comments in the offline mode, without connecting to the online version. To leave a comment, select a cell where you think there is an error or problem, switch to the Insert or Collaboration tab of the top toolbar and click the Comment button, or use the icon at the left sidebar to open the Comments panel and click the Add Comment to Document link, or right-click within the selected cell and select the Add Сomment option from the menu, enter the needed text, click the Add Comment/Add button. The comment will be seen on the panel on the left. The orange triangle will appear in the upper right corner of the cell you commented. If you need to disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option and uncheck the Turn on display of the comments box. In this case the commented cells will be marked only if you click the icon. To view the comment, just click within the cell. You or any other user can answer to the added comment asking questions or reporting on the work he/she has done. For this purpose, use the Add Reply link. You can manage the comments you added in the following way: edit them by clicking the icon, delete them by clicking the icon, close the discussion by clicking the icon if the task or problem you stated in your comment was solved, after that the discussion you opened with your comment gets the resolved status. To open it again, click the icon. If you want to hide resolved comments, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the resolved comments box and click Apply. In this case the resolved comments will be highlighted only if you click the icon. If you are using the Strict co-editing mode, new comments added by other users will become visible only after you click the icon in the left upper corner of the top toolbar. To close the panel with comments, click the icon at the left sidebar once again." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Working with Spreadsheet Open 'File' panel Alt+F Open the File panel to save, download, print the current spreadsheet, view its info, create a new spreadsheet or open an existing one, access Spreadsheet Editor help or advanced settings. Open 'Find and Replace' dialog box Ctrl+F Open the Find and Replace dialog box to start searching for a cell containing the characters you need. Open 'Find and Replace' dialog box with replacement field Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters. Open 'Comments' panel Ctrl+Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q Open the Chat panel and send a message. Save spreadsheet Ctrl+S Save all the changes to the spreadsheet currently edited with Spreadsheet Editor. The active file will be saved with its current file name, location, and file format. Print spreadsheet Ctrl+P Print your spreadsheet with one of the available printers or save it to a file. Download as... Ctrl+Shift+S Open the Download as... panel to save the currently edited spreadsheet to the computer hard disk drive in one of the supported formats: XLSX, PDF, ODS, CSV. Full screen F11 Switch to the full screen view to fit Spreadsheet Editor into your screen. Help menu F1 Open Spreadsheet Editor Help menu. Open existing file Ctrl+O On the Open local file tab in desktop editors, opens the standard dialog box that allows to select an existing file. Element contextual menu Shift+F10 Open the selected element contextual menu. Close file Ctrl+W Close the selected workbook window. Close the window (tab) Ctrl+F4 Close the tab in a browser. Navigation Move one cell up, down, left, or right Arrow keys Outline a cell above/below the currently selected one or to the left/to the right of it. Jump to the edge of the current data region Ctrl+Arrow keys Outline a cell at the edge of the current data region in a worksheet. Jump to the beginning of the row Home Outline a cell in the column A of the current row. Jump to the beginning of the spreadsheet Ctrl+Home Outline the cell A1. Jump to the end of the row End, or Ctrl+Right arrow Outline the last cell of the current row. Jump to the end of the spreadsheet Ctrl+End Outline the lower right used cell on the worksheet situated at the bottommost row with data of the rightmost column with data. If the cursor is in the formula bar, it will be placed to the end of the text. Move to the previous sheet Alt+Page Up Move to the previous sheet in your spreadsheet. Move to the next sheet Alt+Page Down Move to the next sheet in your spreadsheet. Move up one row Up arrow, or Shift+Enter Outline the cell above the current one in the same column. Move down one row Down arrow, or Enter Outline the cell below the current one in the same column. Move left one column Left arrow, or Shift+Tab Outline the previous cell of the current row. Move right one column Right arrow, or Tab Outline the next cell of the current row. Move down one screen Page Down Move one screen down in the worksheet. Move up one screen Page Up Move one screen up in the worksheet. Zoom In Ctrl+Plus sign (+) Zoom in the currently edited spreadsheet. Zoom Out Ctrl+Minus sign (-) Zoom out the currently edited spreadsheet. Data Selection Select all Ctrl+A, or Ctrl+Shift+Spacebar Select the entire worksheet. Select column Ctrl+Spacebar Select an entire column in a worksheet. Select row Shift+Spacebar Select an entire row in a worksheet. Select fragment Shift+Arrow Select the cell by cell. Select from cursor to beginning of row Shift+Home Select a fragment from the cursor to the beginning of the current row. Select from cursor to end of row Shift+End Select a fragment from the cursor to the end of the current row. Extend the selection to beginning of worksheet Ctrl+Shift+Home Select a fragment from the current selected cells to the beginning of the worksheet. Extend the selection to the last used cell Ctrl+Shift+End Select a fragment from the current selected cells to the last used cell on the worksheet (at the bottommost row with data of the rightmost column with data). If the cursor is in the formula bar, this will select all text in the formula bar from the cursor position to the end without affecting the height of the formula bar. Select one cell to the left Shift+Tab Select one cell to the left in a table. Select one cell to the right Tab Select one cell to the right in a table. Extend the selection to the last nonblank cell Ctrl+Shift+Arrow key Extend the selection to the last nonblank cell in the same column or row as the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell. Undo and Redo Undo Ctrl+Z Reverse the latest performed action. Redo Ctrl+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, Shift+Delete Cut the the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same worksheet, into another spreadsheet, or into some other program. Copy Ctrl+C, Ctrl+Insert Send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same worksheet, into another spreadsheet, or into some other program. Paste Ctrl+V, Shift+Insert Insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same worksheet, from another spreadsheet, or from some other program. Data Formatting Bold Ctrl+B Make the font of the selected text fragment bold giving it more weight or remove bold formatting. Italic Ctrl+I Make the font of the selected text fragment italicized giving it some right side tilt or remove italic formatting. Underline Ctrl+U Make the selected text fragment underlined with the line going under the letters or remove underlining. Strikeout Ctrl+5 Make the selected text fragment struck out with the line going through the letters or remove strikeout formatting. Add Hyperlink Ctrl+K Insert a hyperlink to an external website or another worksheet. Edit active cell F2 CONTROL+U (for Mac) Edit the active cell and position the insertion point at the end of the cell contents. If editing in a cell is turned off, the insertion point will be moved into the Formula Bar. Data Filtering Enable/Remove Filter Ctrl+Shift+L Enable a filter for a selected cell range or remove the filter. Format as table template Ctrl+L Apply a table template to a selected cell range. Data Entry Complete cell entry and move down Enter Complete a cell entry in the selected cell or the formula bar, and move to the cell below. Complete cell entry and move up Shift+Enter Complete a cell entry in the selected cell, and move to the cell above. Start new line Alt+Enter Start a new line in the same cell. Cancel Esc Cancel an entry in the selected cell or the formula bar. Delete to the left Backspace Delete one character to the left in the formula bar or in the selected cell when the cell editing mode is activated. Also removes the content of the active cell. Delete to the right Delete Delete one character to the right in the formula bar or in the selected cell when the cell editing mode is activated. Also removes the cell contents (data and formulas) from selected cells without affecting cell formats or comments. Clear cell content Delete Remove the content (data and formulas) from selected cells without affecting cell format or comments. Complete a cell entry and move to the right Tab Complete a cell entry in the selected cell or the formula bar and move to the cell on the right. Complete a cell entry and move to the left Shift+Tab Complete a cell entry in the selected cell or the formula bar and move to the cell on the left . Functions SUM function Alt+Equal sign (=) Insert the SUM function into the selected cell. Open drop-down list Alt+Down arrow Open a selected drop-down list. Open contextual menu Context menu key Open a contextual menu for the selected cell or cell range. Data Formats Open the 'Number Format' dialog box Ctrl+1 Open the Number Format dialog box. Apply the General format Ctrl+Shift+~ Applies the General number format. Apply the Currency format Ctrl+Shift+$ Applies the Currency format with two decimal places (negative numbers in parentheses). Apply the Percentage format Ctrl+Shift+% Applies the Percentage format with no decimal places. Apply the Exponential format Ctrl+Shift+^ Applies the Exponential number format with two decimal places. Apply the Date format Ctrl+Shift+# Applies the Date format with the day, month, and year. Apply the Time format Ctrl+Shift+@ Applies the Time format with the hour and minute, and AM or PM. Apply the Number format Ctrl+Shift+! Applies the Number format with two decimal places, thousands separator, and minus sign (-) for negative values. Modifying Objects Constrain movement Shift+drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree rotation Shift+drag (when rotating) Constrain the rotation angle to 15-degree increments. Maintain proportions Shift+drag (when resizing) Maintain the proportions of the selected object when resizing. Draw straight line or arrow Shift+drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Movement by one-pixel increments Ctrl+Arrow keys Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time." + "body": "Windows/LinuxMac OS Working with Spreadsheet Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current spreadsheet, view its info, create a new spreadsheet or open an existing one, access Spreadsheet Editor help or advanced settings. Open 'Find and Replace' dialog box Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Open the Find and Replace dialog box to start searching for a cell containing the characters you need. Open 'Find and Replace' dialog box with replacement field Ctrl+H ^ Ctrl+H Open the Find and Replace dialog box with the replacement field to replace one or more occurrences of the found characters. Open 'Comments' panel Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Open the Comments panel to add your own comment or reply to other users' comments. Open comment field Alt+H ⌥ Option+H Open a data entry field where you can add the text of your comment. Open 'Chat' panel Alt+Q ⌥ Option+Q Open the Chat panel and send a message. Save spreadsheet Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Save all the changes to the spreadsheet currently edited with Spreadsheet Editor. The active file will be saved with its current file name, location, and file format. Print spreadsheet Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Print your spreadsheet with one of the available printers or save it to a file. Download as... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Open the Download as... panel to save the currently edited spreadsheet to the computer hard disk drive in one of the supported formats: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Full screen F11 Switch to the full screen view to fit Spreadsheet Editor into your screen. Help menu F1 F1 Open Spreadsheet Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in Desktop Editors, opens the standard dialog box that allows to select an existing file. Close file (Desktop Editors) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Close the current spreadsheet window in Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Navigation Move one cell up, down, left, or right ← → ↑ ↓ ← → ↑ ↓ Outline a cell above/below the currently selected one or to the left/to the right of it. Jump to the edge of the current data region Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Outline a cell at the edge of the current data region in a worksheet. Jump to the beginning of the row Home Home Outline a cell in the column A of the current row. Jump to the beginning of the spreadsheet Ctrl+Home ^ Ctrl+Home Outline the cell A1. Jump to the end of the row End, Ctrl+→ End, ⌘ Cmd+→ Outline the last cell of the current row. Jump to the end of the spreadsheet Ctrl+End ^ Ctrl+End Outline the lower right used cell on the worksheet situated at the bottommost row with data of the rightmost column with data. If the cursor is in the formula bar, it will be placed to the end of the text. Move to the previous sheet Alt+Page Up ⌥ Option+Page Up Move to the previous sheet in your spreadsheet. Move to the next sheet Alt+Page Down ⌥ Option+Page Down Move to the next sheet in your spreadsheet. Move up one row ↑, ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Outline the cell above the current one in the same column. Move down one row ↓, ↵ Enter ↵ Return Outline the cell below the current one in the same column. Move left one column ←, ⇧ Shift+↹ Tab ←, ⇧ Shift+↹ Tab Outline the previous cell of the current row. Move right one column →, ↹ Tab →, ↹ Tab Outline the next cell of the current row. Move down one screen Page Down Page Down Move one screen down in the worksheet. Move up one screen Page Up Page Up Move one screen up in the worksheet. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited spreadsheet. Zoom Out Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom out the currently edited spreadsheet. Data Selection Select all Ctrl+A, Ctrl+⇧ Shift+␣ Spacebar ⌘ Cmd+A Select the entire worksheet. Select column Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Select an entire column in a worksheet. Select row ⇧ Shift+␣ Spacebar ⇧ Shift+␣ Spacebar Select an entire row in a worksheet. Select fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select the cell by cell. Select from cursor to beginning of row ⇧ Shift+Home ⇧ Shift+Home Select a fragment from the cursor to the beginning of the current row. Select from cursor to end of row ⇧ Shift+End ⇧ Shift+End Select a fragment from the cursor to the end of the current row. Extend the selection to beginning of worksheet Ctrl+⇧ Shift+Home ^ Ctrl+⇧ Shift+Home Select a fragment from the current selected cells to the beginning of the worksheet. Extend the selection to the last used cell Ctrl+⇧ Shift+End ^ Ctrl+⇧ Shift+End Select a fragment from the current selected cells to the last used cell on the worksheet (at the bottommost row with data of the rightmost column with data). If the cursor is in the formula bar, this will select all text in the formula bar from the cursor position to the end without affecting the height of the formula bar. Select one cell to the left ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Select one cell to the left in a table. Select one cell to the right ↹ Tab ↹ Tab Select one cell to the right in a table. Extend the selection to the nearest nonblank cell to the right ⇧ Shift+Alt+End, Ctrl+⇧ Shift+→ ⇧ Shift+⌥ Option+End Extend the selection to the nearest nonblank cell in the same row to the right of the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell. Extend the selection to the nearest nonblank cell to the left ⇧ Shift+Alt+Home, Ctrl+⇧ Shift+← ⇧ Shift+⌥ Option+Home Extend the selection to the nearest nonblank cell in the same row to the left of the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell. Extend the selection to the nearest nonblank cell up/down the column Ctrl+⇧ Shift+↑ ↓ Extend the selection to the nearest nonblank cell in the same column up/down from the active cell. If the next cell is blank, the selection will be extended to the next nonblank cell. Extend the selection down one screen ⇧ Shift+Page Down ⇧ Shift+Page Down Extend the selection to include all the cells one screen down from the active cell. Extend the selection up one screen ⇧ Shift+Page Up ⇧ Shift+Page Up Extend the selection to include all the cells one screen up from the active cell. Undo and Redo Undo Ctrl+Z ⌘ Cmd+Z Reverse the latest performed action. Redo Ctrl+Y ⌘ Cmd+Y Repeat the latest undone action. Cut, Copy, and Paste Cut Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Cut the the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same worksheet, into another spreadsheet, or into some other program. Copy Ctrl+C, Ctrl+Insert ⌘ Cmd+C Send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same worksheet, into another spreadsheet, or into some other program. Paste Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same worksheet, from another spreadsheet, or from some other program. Data Formatting Bold Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Make the font of the selected text fragment bold giving it more weight or remove bold formatting. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized giving it some right side tilt or remove italic formatting. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with the line going under the letters or remove underlining. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with the line going through the letters or remove strikeout formatting. Add Hyperlink Ctrl+K ⌘ Cmd+K Insert a hyperlink to an external website or another worksheet. Edit active cell F2 F2 Edit the active cell and position the insertion point at the end of the cell contents. If editing in a cell is turned off, the insertion point will be moved into the Formula Bar. Data Filtering Enable/Remove Filter Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Enable a filter for a selected cell range or remove the filter. Format as table template Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Apply a table template to a selected cell range. Data Entry Complete cell entry and move down ↵ Enter ↵ Return Complete a cell entry in the selected cell or the formula bar, and move to the cell below. Complete cell entry and move up ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Complete a cell entry in the selected cell, and move to the cell above. Start new line Alt+↵ Enter Start a new line in the same cell. Cancel Esc Esc Cancel an entry in the selected cell or the formula bar. Delete to the left ← Backspace ← Backspace Delete one character to the left in the formula bar or in the selected cell when the cell editing mode is activated. Also removes the content of the active cell. Delete to the right Delete Delete, Fn+← Backspace Delete one character to the right in the formula bar or in the selected cell when the cell editing mode is activated. Also removes the cell contents (data and formulas) from selected cells without affecting cell formats or comments. Clear cell content Delete, ← Backspace Delete, ← Backspace Remove the content (data and formulas) from selected cells without affecting cell format or comments. Complete a cell entry and move to the right ↹ Tab ↹ Tab Complete a cell entry in the selected cell or the formula bar and move to the cell on the right. Complete a cell entry and move to the left ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Complete a cell entry in the selected cell or the formula bar and move to the cell on the left . Functions SUM function Alt+= ⌥ Option+= Insert the SUM function into the selected cell. Open drop-down list Alt+↓ Open a selected drop-down list. Open contextual menu ≣ Menu Open a contextual menu for the selected cell or cell range. Data Formats Open the 'Number Format' dialog box Ctrl+1 ^ Ctrl+1 Open the Number Format dialog box. Apply the General format Ctrl+⇧ Shift+~ ^ Ctrl+⇧ Shift+~ Applies the General number format. Apply the Currency format Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Applies the Currency format with two decimal places (negative numbers in parentheses). Apply the Percentage format Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Applies the Percentage format with no decimal places. Apply the Exponential format Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Applies the Exponential number format with two decimal places. Apply the Date format Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Applies the Date format with the day, month, and year. Apply the Time format Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Applies the Time format with the hour and minute, and AM or PM. Apply the Number format Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Applies the Number format with two decimal places, thousands separator, and minus sign (-) for negative values. Modifying Objects Constrain movement ⇧ Shift + drag ⇧ Shift + drag Constrain the movement of the selected object horizontally or vertically. Set 15-degree rotation ⇧ Shift + drag (when rotating) ⇧ Shift + drag (when rotating) Constrain the rotation angle to 15-degree increments. Maintain proportions ⇧ Shift + drag (when resizing) ⇧ Shift + drag (when resizing) Maintain the proportions of the selected object when resizing. Draw straight line or arrow ⇧ Shift + drag (when drawing lines/arrows) ⇧ Shift + drag (when drawing lines/arrows) Draw a straight vertical/horizontal/45-degree line or arrow. Movement by one-pixel increments Ctrl+← → ↑ ↓ Hold down the Ctrl key and use the keybord arrows to move the selected object by one pixel at a time." }, { "id": "HelpfulHints/Navigation.htm", @@ -2233,67 +2248,67 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Search and Replace Functions", - "body": "To search for the needed characters, words or phrases used in the current spreadsheet, click the icon situated at the left sidebar or use the Ctrl+F key combination. If you want to search for/replace values within a certain area on the current sheet only, select the necessary cell range and then click the icon. The Find and Replace window will open: Type in your inquiry into the corresponding data entry field. Specify search options clicking the icon next to the data entry field and checking the necesary options: Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). Entire cell contents - is used to find only the cells that do not contain any other characters besides the ones specified in your inquiry (e.g. if your inquiry is '56' and this option is selected, the cells containing such data as '0.56' or '156' etc. will not be found). Within - is used to search within the active Sheet only or the whole Workbook. If you want to perform a search within the selected area on the sheet, make sure that the Sheet option is selected. Search - is used to specify the direction that you want to search: to the right by rows or down by columns. Look in - is used to specify whether you want to search the Value of the cells or their underlying Formulas. Click one of the arrow buttons on the right. The search will be performed either towards the beginning of the worksheet (if you click the button) or towards the end of the worksheet (if you click the button) from the current position. The first occurrence of the required characters in the selected direction will be highlighted. If it is not the word you are looking for, click the selected button again to find the next occurrence of the characters you entered. To replace one or more occurrences of the found characters click the Replace link below the data entry field or use the Ctrl+H key combination. The Find and Replace window will change: Type in the replacement text into the bottom data entry field. Click the Replace button to replace the currently selected occurrence or the Replace All button to replace all the found occurrences. To hide the replace field, click the Hide Replace link." + "body": "To search for the needed characters, words or phrases used in the current spreadsheet, click the icon situated at the left sidebar or use the Ctrl+F key combination. If you want to search for/replace values within a certain area on the current sheet only, select the necessary cell range and then click the icon. The Find and Replace window will open: Type in your inquiry into the corresponding data entry field. Specify search options clicking the icon next to the data entry field and checking the necesary options: Case sensitive - is used to find only the occurrences typed in the same case as your inquiry (e.g. if your inquiry is 'Editor' and this option is selected, such words as 'editor' or 'EDITOR' etc. will not be found). Entire cell contents - is used to find only the cells that do not contain any other characters besides the ones specified in your inquiry (e.g. if your inquiry is '56' and this option is selected, the cells containing such data as '0.56' or '156' etc. will not be found). Highlight results - is used to highlight all found occurrences at once. To disable this option and remove the highlight click the option once again. Within - is used to search within the active Sheet only or the whole Workbook. If you want to perform a search within the selected area on the sheet, make sure that the Sheet option is selected. Search - is used to specify the direction that you want to search: to the right by rows or down by columns. Look in - is used to specify whether you want to search the Value of the cells or their underlying Formulas. Click one of the arrow buttons on the right. The search will be performed either towards the beginning of the worksheet (if you click the button) or towards the end of the worksheet (if you click the button) from the current position. The first occurrence of the required characters in the selected direction will be highlighted. If it is not the word you are looking for, click the selected button again to find the next occurrence of the characters you entered. To replace one or more occurrences of the found characters click the Replace link below the data entry field or use the Ctrl+H key combination. The Find and Replace window will change: Type in the replacement text into the bottom data entry field. Click the Replace button to replace the currently selected occurrence or the Replace All button to replace all the found occurrences. To hide the replace field, click the Hide Replace link." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Spreadsheets", - "body": "A spreadsheet is a table of data organized in rows and columns. It is most frequently used to store the financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell. Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. Formats Description View Edit Download XLS File extension for a spreadsheet file created by Microsoft Excel + XLSX Default file extension for a spreadsheet file written in Microsoft Office Excel 2007 (or later versions) + + + ODS File extension for a spreadsheet file used by OpenOffice and StarOffice suites, an open standard for spreadsheets + + + CSV Comma Separated Values File format used to store tabular data (numbers and text) in plain-text form + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems +" + "body": "A spreadsheet is a table of data organized in rows and columns. It is most frequently used to store the financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell. Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. Formats Description View Edit Download XLS File extension for a spreadsheet file created by Microsoft Excel + + XLSX Default file extension for a spreadsheet file written in Microsoft Office Excel 2007 (or later versions) + + + XLTX Excel Open XML Spreadsheet Template Zipped, XML-based file format developed by Microsoft for spreadsheet templates. An XLTX template contains formatting settings, styles etc. and can be used to create multiple spreadsheets with the same formatting + + + ODS File extension for a spreadsheet file used by OpenOffice and StarOffice suites, an open standard for spreadsheets + + + OTS OpenDocument Spreadsheet Template OpenDocument file format for spreadsheet templates. An OTS template contains formatting settings, styles etc. and can be used to create multiple spreadsheets with the same formatting + + in the online version CSV Comma Separated Values File format used to store tabular data (numbers and text) in plain-text form + + + PDF Portable Document Format File format used to represent documents in a manner independent of application software, hardware, and operating systems + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) specialized for use in the archiving and long-term preservation of electronic documents. + +" }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Collaboration tab", - "body": "The Collaboration tab allows to organize collaborative work on the spreadsheet: share the file, select a co-editing mode, manage comments. Using this tab, you can: specify sharing settings, switch between the Strict and Fast co-editing modes, add comments to the spreadsheet, open the Chat panel." + "body": "The Collaboration tab allows to organize collaborative work on the spreadsheet. In the online version, you can share the file, select a co-editing mode, manage comments. In the desktop version, you can manage comments. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: Using this tab, you can: specify sharing settings (available in the online version only), switch between the Strict and Fast co-editing modes (available in the online version only), add comments to the spreadsheet, open the Chat panel (available in the online version only)." }, { "id": "ProgramInterface/FileTab.htm", "title": "File tab", - "body": "The File tab allows to perform some basic operations on the current file. Using this tab, you can: save the current file (in case the Autosave option is disabled), download, print or rename it, create a new spreadsheet or open a recently edited one, view general information about the spreadsheet, manage access rights, access the editor Advanced Settings, return to the Documents list." + "body": "The File tab allows to perform some basic operations on the current file. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: Using this tab, you can: in the online version, save the current file (in case the Autosave option is disabled), download as (save the spreadsheet in the selected format to the computer hard disk drive), save copy as (save a copy of the spreadsheet in the selected format to the portal documents), print or rename it, in the desktop version, save the current file keeping the current format and location using the Save option or save the current file with a different name, location or format using the Save as option, print the file. protect the file using a password, change or remove the password (available in the desktop version only); create a new spreadsheet or open a recently edited one (available in the online version only), view general information about the spreadsheet, manage access rights (available in the online version only), access the editor Advanced Settings, in the desktop version, open the folder where the file is stored in the File explorer window. In the online version, open the folder of the Documents module where the file is stored in a new browser tab." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Home tab", - "body": "The Home tab opens by default when you open a spreadsheet. It allows to format cells and data within them, apply filters, insert functions. Some other options are also available here, such as color schemes, Format as table template feature and so on. Using this tab, you can: set font type, size, style, and colors, align your data in cells, add cell borders and merge cells, insert functions and create named ranges, sort and filter data, change number format, add or remove cells, rows, columns, copy/clear cell formatting, apply a table template to a selected cell range." + "body": "The Home tab opens by default when you open a spreadsheet. It allows to format cells and data within them, apply filters, insert functions. Some other options are also available here, such as color schemes, Format as table template feature and so on. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: Using this tab, you can: set font type, size, style, and colors, align your data in cells, add cell borders and merge cells, insert functions and create named ranges, sort and filter data, change number format, add or remove cells, rows, columns, copy/clear cell formatting, apply a table template to a selected cell range." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Insert tab", - "body": "The Insert tab allows to add visual objects and comments into your spreadsheet. Using this tab, you can: insert images, shapes, text boxes and Text Art objects, charts, insert comments and hyperlinks, insert equations." + "body": "The Insert tab allows to add visual objects and comments into your spreadsheet. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: Using this tab, you can: insert images, shapes, text boxes and Text Art objects, charts, insert comments and hyperlinks, insert equations." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Layout tab", - "body": "The Layout tab allows to adjust the appearance of a spreadsheet: set up page parameters and define the arrangement of visual elements. Using this tab, you can: adjust page margins, orientation, size, align and arrange objects (images, charts, shapes)." + "body": "The Layout tab allows to adjust the appearance of a spreadsheet: set up page parameters and define the arrangement of visual elements. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: Using this tab, you can: adjust page margins, orientation, size, specify a print area, align and arrange objects (images, charts, shapes)." }, { "id": "ProgramInterface/PivotTableTab.htm", "title": "Pivot Table tab", - "body": "The Pivot Table tab allows to change the appearance of an existing pivot table. Using this tab, you can: select an entire pivot table with a single click, emphasize certain rows/columns applying a specific formatting to them, choose one of the predefined tables styles." + "body": "Note: this option is available in the online version only. The Pivot Table tab allows to change the appearance of an existing pivot table. Online Spreadsheet Editor window: Using this tab, you can: select an entire pivot table with a single click, emphasize certain rows/columns applying a specific formatting to them, choose one of the predefined tables styles." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Plugins tab", - "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available: ClipArt allows to add images from the clipart collection into your spreadsheet, PhotoEditor allows to edit images: crop, resize them, apply effects etc., Symbol Table allows to insert special symbols into your text, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your spreadsheet. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." + "body": "The Plugins tab allows to access advanced editing features using available third-party components. Here you can also use macros to simplify routine operations. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: The Settings button allows to open the window where you can view and manage all installed plugins and add your own ones. The Macros button allows to open the window where you can create your own macros and run them. To learn more about macros you can refer to our API Documentation. Currently, the following plugins are available: ClipArt allows to add images from the clipart collection into your spreadsheet, Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, PhotoEditor allows to edit images: crop, resize them, apply effects etc., Symbol Table allows to insert special symbols into your text, Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your spreadsheet. To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the Spreadsheet Editor user interface", - "body": "Spreadsheet Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. The editor interface consists of the following main elements: Editor header displays the logo, menu tabs, spreadsheet name as well as three icons on the right that allow to set access rights, return to the Documents list, adjust View Settings and access the editor Advanced Settings. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Pivot Table, Collaboration, Plugins. The Print, Save, Copy, Paste, Undo and Redo options are always available at the left part of the Top toolbar regardless of the selected tab. Formula bar allows to enter and edit formulas or values in the cells. Formula bar displays the content of the currently selected cell. Status bar at the bottom of the editor window contains some navigation tools: sheet navigation buttons, sheet tabs, and zoom buttons. The Status bar also displays the number of filtered records if you apply a filter, or results of the automatic calculations if you select several cells containing data. Left sidebar contains icons that allow to use the Search and Replace tool, open the Comments and Chat panel, contact our support team and view the information about the program. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object on a worksheet, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar. Working area allows to view spreadsheet content, enter and edit data. Horizontal and vertical Scroll bars allow to scroll up/down and left/right the current sheet. For your convenience you can hide some components and display them again when it is necessary. To learn more on how to adjust view settings please refer to this page." + "body": "Spreadsheet Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Online Spreadsheet Editor window: Desktop Spreadsheet Editor window: The editor interface consists of the following main elements: Editor header displays the logo, opened documents tabs, spreadsheet name and menu tabs. In the left part of the Editor header there are the Save, Print file, Undo and Redo buttons. In the right part of the Editor header the user name is displayed as well as the following icons: Open file location - in the desktop version, it allows to open the folder where the file is stored in the File explorer window. In the online version, it allows to open the folder of the Documents module where the file is stored in a new browser tab. - allows to adjust View Settings and access the editor Advanced Settings. Manage document access rights - (available in the online version only) allows to set access rights for the documents stored in the cloud. Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Pivot Table, Collaboration, Protection, Plugins. The Copy and Paste options are always available at the left part of the Top toolbar regardless of the selected tab. Formula bar allows to enter and edit formulas or values in the cells. Formula bar displays the content of the currently selected cell. Status bar at the bottom of the editor window contains some navigation tools: sheet navigation buttons, sheet tabs, and zoom buttons. The Status bar also displays the number of filtered records if you apply a filter, or results of the automatic calculations if you select several cells containing data. Left sidebar contains icons that allow to use the Search and Replace tool, open the Comments and Chat panel, contact our support team and view the information about the program. Left sidebar contains the following icons: - allows to use the Search and Replace tool, - allows to open the Comments panel, - (available in the online version only) allows to open the Chat panel, as well as the icons that allow to contact our support team and view the information about the program. Right sidebar allows to adjust additional parameters of different objects. When you select a particular object on a worksheet, the corresponding icon is activated at the right sidebar. Click this icon to expand the right sidebar. Working area allows to view spreadsheet content, enter and edit data. Horizontal and vertical Scroll bars allow to scroll up/down and left/right the current sheet. For your convenience you can hide some components and display them again when it is necessary. To learn more on how to adjust view settings please refer to this page." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Add borders", - "body": "To add and format borders to a worksheet, select a cell, a range of cells with the mouse or the whole worksheet by pressing the Ctrl+A key combination, Note: you can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. click the Borders icon situated at the Home tab of the top toolbar or click the Cell settings icon at the right sidebar, select the border style you wish to apply: open the Border Style submenu and select one of the available options, open the Border Color submenu and select the color you need from the palette, select one of the available border templates: Outside Borders , All Borders , Top Borders , Bottom Borders , Left Borders , Right Borders , No Borders , Inside Borders , Inside Vertical Borders , Inside Horizontal Borders , Diagonal Up Border , Diagonal Down Border ." + "body": "To add and format borders to a worksheet, select a cell, a range of cells with the mouse or the whole worksheet by pressing the Ctrl+A key combination, Note: you can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. click the Borders icon situated at the Home tab of the top toolbar or click the Cell settings icon at the right sidebar, select the border style you wish to apply: open the Border Style submenu and select one of the available options, open the Border Color submenu or use the Color palette at the right sidebar and select the color you need from the palette, select one of the available border templates: Outside Borders , All Borders , Top Borders , Bottom Borders , Left Borders , Right Borders , No Borders , Inside Borders , Inside Vertical Borders , Inside Horizontal Borders , Diagonal Up Border , Diagonal Down Border ." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Add hyperlinks", - "body": "To add a hyperlink, select a cell where a hyperlink will be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon at the top toolbar, after that the Hyperlink Settings will appear where you can specify the hyperlink settings: Select a link type you wish to insert: Use the External Link option and enter a URL in the format http://www.example.com in the Link to field below if you need to add a hyperlink leading to an external website. Use the Internal Data Range option and select a worksheet and a cell range in the fields below if you need to add a hyperlink leading to a certain cell range in the same spreadsheet. Display - enter a text that will become clickable and lead to the web address specified in the upper field. Note: if the selected cell already contains data, it will be automatically displayed in this field. ScreenTip Text - enter a text that will become visible in a small pop-up window that provides a brief note or label pertaining to the hyperlink being pointed to. click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button at a position where a hyperlink will be added and select the Hyperlink option in the right-click menu. When you hover the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. To follow the link press the CTRL key and click the link in your spreadsheet. To delete the added hyperlink, activate the cell containing the added hyperlink and press the Delete key, or right-click the cell and select the Clear All option from the drop-down list." + "body": "To add a hyperlink, select a cell where a hyperlink will be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon at the top toolbar, after that the Hyperlink Settings will appear where you can specify the hyperlink settings: Select a link type you wish to insert: Use the External Link option and enter a URL in the format http://www.example.com in the Link to field below if you need to add a hyperlink leading to an external website. Use the Internal Data Range option and select a worksheet and a cell range in the fields below if you need to add a hyperlink leading to a certain cell range in the same spreadsheet. Display - enter a text that will become clickable and lead to the web address specified in the upper field. Note: if the selected cell already contains data, it will be automatically displayed in this field. ScreenTip Text - enter a text that will become visible in a small pop-up window that provides a brief note or label pertaining to the hyperlink being pointed to. click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button at a position where a hyperlink will be added and select the Hyperlink option in the right-click menu. When you hover the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. To follow the link click the link in your spreadsheet. To select a cell that contains a link without opening the link click and hold the mouse button. To delete the added hyperlink, activate the cell containing the added hyperlink and press the Delete key, or right-click the cell and select the Clear All option from the drop-down list." }, { "id": "UsageInstructions/AlignText.htm", "title": "Align data in cells", - "body": "You can align your data horizontally and vertically or even rotate data within a cell. To do that, select a cell, a range of cells 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 at the Home tab of the top toolbar. Apply one of the horizontal alignment of the data within a cell, click the Align left icon to align your data by the left side of the cell (the right side remains unaligned); click the Align center icon to align your data by the center of the cell (the right and the left sides remains unaligned); click the Align right icon to align your data by the right side of the cell (the left side remains unaligned); click the Justified icon to align your data by both 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, clicking the Orientation icon and choosing one of the 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 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. Fit your data to the column width clicking the Wrap text icon. Note: if you change the column width, data wrapping adjusts automatically." + "body": "You can align your data horizontally and vertically or even rotate data within a cell. To do that, select a cell, a range of cells 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 at the Home tab of the top toolbar. Apply one of the horizontal alignment of the data within a cell, click the Align left icon to align your data by the left side of the cell (the right side remains unaligned); click the Align center icon to align your data by the center of the cell (the right and the left sides remains unaligned); click the Align right icon to align your data by the right side of the cell (the left side remains unaligned); click the Justified icon to align your data by both 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, clicking the Orientation icon and choosing one of the 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 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. To rotate the text by an exactly specified angle, click the Cell settings icon at 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 clicking the Wrap text icon. Note: if you change the column width, data wrapping adjusts automatically." }, { "id": "UsageInstructions/ChangeNumberFormat.htm", @@ -2308,17 +2323,17 @@ var indexes = { "id": "UsageInstructions/CopyPasteData.htm", "title": "Cut/copy/paste data", - "body": "Use basic clipboard operations To cut, copy and paste data in the current spreadsheet make use of the right-click menu or use the corresponding icons available at any tab of the top toolbar, Cut - select data and use the Cut option from the right-click menu to delete the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same spreadsheet. Copy - select data and either use the Copy icon at the top toolbar or right-click and select the Copy option from the menu to send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same spreadsheet. Paste - select a place and either use the Paste icon at the top toolbar or right-click and select the Paste option to insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same spreadsheet. To copy or paste data from/into another spreadsheet or some other program use the following key combinations: Ctrl+X key combination for cutting; Ctrl+C key combination for copying; Ctrl+V key combination for pasting. Note: instead of cutting and pasting data within the same worksheet you can select the necessary cell/range of cells, hover the mouse cursor over the selection border so that it turns into the icon and drag and drop the selection to the necessary position. Use the Paste Special feature Once the copied data is pasted, the Paste Special button appears next to the lower right corner of the inserted cell/cell range. Click this button to select the necessary paste option. When pasting a cell/cell range with formatted data, the following options are available: Paste - allows to paste all the cell contents including data formatting. This option is selected by default. The following options can be used if the copied data contains formulas: Paste only formula - allows to paste formulas without pasting the data formatting. Formula + number format - allows to paste formulas with the formatting applied to numbers. Formula + all formatting - allows to paste formulas with all the data formatting. Formula without borders - allows to paste formulas with the all the data formatting excepting cell borders. Formula + column width - allows to paste formulas with all the data formatting and set the source column width for the cell range you paste the data to. The following options allow to paste the result that the copied formula returns without pasting the formula itself: Paste only value - allows to paste the formula results without pasting the data formatting. Value + number format - allows to paste the formula results with the formatting applied to numbers. Value + all formatting - allows to paste the formula results with all the data formatting. Paste only formatting - allows to paste the cell formatting only without pasting the cell contents. Transpose - allows to paste data changing columns to rows and rows to columns. This option is available for regular data ranges, but not for formatted tables. When pasting the contents of a single cell or some text within autoshapes, the following options are available: Source formatting - allows to keep the source formatting of the copied data. Destination formatting - allows to apply the formatting that is already used for the cell/autoshape you paste the data to. Use the Auto Fill option To quickly fill multiple cells with the same data use the Auto Fill option: select a cell/range of cells containing the necessary data, move the mouse cursor over the fill handle in the right lower corner of the cell. The cursor will turn into the black cross: drag the handle over the adjacent cells you want to fill with the selected data. Note: if you need to create a series of numbers (such as 1, 2, 3, 4...; 2, 4, 6, 8... etc.) or dates, you can enter at least two starting values and quickly extend the series selecting these cells and dragging the fill handle. Fill cells in the column with text values If a column in your spreadsheet contains some text values, you can easily replace any value within this column or fill the next blank cell selecting one of already existing text values. Right-click the necessary cell and choose the Select from drop-down list option in the contextual menu. Select one of the available text values to replace the current one or fill an empty cell." + "body": "Use basic clipboard operations To cut, copy and paste data in the current spreadsheet make use of the right-click menu or use the corresponding icons available at any tab of the top toolbar, Cut - select data and use the Cut option from the right-click menu to delete the selected data and send them to the computer clipboard memory. The cut data can be later inserted to another place in the same spreadsheet. Copy - select data and either use the Copy icon at the top toolbar or right-click and select the Copy option from the menu to send the selected data to the computer clipboard memory. The copied data can be later inserted to another place in the same spreadsheet. Paste - select a place and either use the Paste icon at the top toolbar or right-click and select the Paste option to insert the previously copied/cut data from the computer clipboard memory to the current cursor position. The data can be previously copied from the same spreadsheet. In the online version, the following key combinations are only used to copy or paste data from/into another spreadsheet or some other program, in the desktop version, both the corresponding buttons/menu options and key combinations can be used for any copy/paste operations: Ctrl+X key combination for cutting; Ctrl+C key combination for copying; Ctrl+V key combination for pasting. Note: instead of cutting and pasting data within the same worksheet you can select the necessary cell/range of cells, hover the mouse cursor over the selection border so that it turns into the icon and drag and drop the selection to the necessary position. Use the Paste Special feature Once the copied data is pasted, the Paste Special button appears next to the lower right corner of the inserted cell/cell range. Click this button to select the necessary paste option. When pasting a cell/cell range with formatted data, the following options are available: Paste - allows to paste all the cell contents including data formatting. This option is selected by default. The following options can be used if the copied data contains formulas: Paste only formula - allows to paste formulas without pasting the data formatting. Formula + number format - allows to paste formulas with the formatting applied to numbers. Formula + all formatting - allows to paste formulas with all the data formatting. Formula without borders - allows to paste formulas with the all the data formatting excepting cell borders. Formula + column width - allows to paste formulas with all the data formatting and set the source column width for the cell range you paste the data to. The following options allow to paste the result that the copied formula returns without pasting the formula itself: Paste only value - allows to paste the formula results without pasting the data formatting. Value + number format - allows to paste the formula results with the formatting applied to numbers. Value + all formatting - allows to paste the formula results with all the data formatting. Paste only formatting - allows to paste the cell formatting only without pasting the cell contents. Transpose - allows to paste data changing columns to rows and rows to columns. This option is available for regular data ranges, but not for formatted tables. When pasting the contents of a single cell or some text within autoshapes, the following options are available: Source formatting - allows to keep the source formatting of the copied data. Destination formatting - allows to apply the formatting that is already used for the cell/autoshape you paste the data to. When pasting delimited text copied from a .txt file, the following options are available: The delimited text can contain several records where each record corresponds to a single table row. Each record can contain several text values separated with a delimiters (such as comma, semicolon, colon, tab, space or some other character). The file should be saved as a plain text .txt file. Keep text only - allows to paste text values into a single column where each cell contents corresponds to a row in a source text file. Use text import wizard - allows to open the Text Import Wizard which helps to easily split the text values into multiple columns where each text value separated by a delimiter will be placed into a separate cell. When the Text Import Wizard window opens, select the text delimiter used in the delimited data from the Delimiter drop-down list. The data splitted into columns will be displayed in the Preview field below. If you are satisfied with the result, press the OK button. If you pasted delimited data from a source that is not a plain text file (e.g. text copied from a web page etc.), or if you applied the Keep text only feature and now want to split the data from a single column into several columns, you can use the Text to Columns option. To split data into multiple columns: Select the necessary cell or column that contains data with delimiters. Click the Text to columns button at the right-side panel. The Text to Columns Wizard opens. In the Delimiter drop-down list, select the delimiter used in the delimited data, preview the result in the field below and click OK. After that, each text value separated by the delimiter will be located in a separate cell. If there is some data in the cells to the right of the column you want to split, the data will be overwritten. Use the Auto Fill option To quickly fill multiple cells with the same data use the Auto Fill option: select a cell/range of cells containing the necessary data, move the mouse cursor over the fill handle in the right lower corner of the cell. The cursor will turn into the black cross: drag the handle over the adjacent cells you want to fill with the selected data. Note: if you need to create a series of numbers (such as 1, 2, 3, 4...; 2, 4, 6, 8... etc.) or dates, you can enter at least two starting values and quickly extend the series selecting these cells and dragging the fill handle. Fill cells in the column with text values If a column in your spreadsheet contains some text values, you can easily replace any value within this column or fill the next blank cell selecting one of already existing text values. Right-click the necessary cell and choose the Select from drop-down list option in the contextual menu. Select one of the available text values to replace the current one or fill an empty cell." }, { "id": "UsageInstructions/FontTypeSizeStyle.htm", "title": "Set font type, size, style, and colors", - "body": "You can select the font type and its size, apply one of the decoration styles and change the font and background colors using the corresponding icons situated at the Home tab of the top toolbar. Note: in case you want to apply the formatting to the data already present in the spreadsheet, select them with the mouse or using the keyboard and apply the formatting. If you need to apply the formatting to multiple non-adjacent cells or cell ranges, hold down the Ctrl key while selecting cells/ranges with the mouse. Font Is used to select one of the fonts from the list of the available ones. Font size Is used to select among the preset font size values from the dropdown list, or can be entered manually to the font size field. Increment font size Is used to change the font size making it larger one point each time the icon is clicked. Decrement font size Is used to change the font size making it smaller one point each time the icon is clicked. Bold Is used to make the font bold giving it more weight. Italic Is used to make the font italicized giving it some right side tilt. Underline Is used to make the text underlined with the line going under the letters. Strikeout Is used to make the text struck out with the line going through the letters. Subscript/Superscript Allows to choose the Superscript or Subscript option. The Superscript option is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. The Subscript option is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Font color Is used to change the color of the letters/characters in cells. Background color Is used to change the color of the cell background. Change color scheme Is used to change the default color palette for worksheet elements (font, background, chats and chart elements) selecting one of the available ones: Office, Grayscale, Apex, Aspect, Civic, Concourse, Equity, Flow, Foundry, Median, Metro, Module, Odulent, Oriel, Origin, Paper, Solstice, Technic, Trek, Urban, or Verve. Note: it's also possible to apply one of the formatting presets selecting the cell you wish to format and choosing the desired preset from the list at the Home tab of the top toolbar: To change the font/background color, select characters/cells with the mouse or the whole worksheet using the Ctrl+A key combination, click the corresponding icon at the top toolbar, select any color in the available palettes Theme Colors - the colors that correspond to the selected color scheme of the spreadsheet. Standard Colors - the default colors set. Custom Color - click this caption if there is no needed color in the available palettes. Select the necessary colors range moving the vertical color slider and set the specific color dragging the color picker within the large square color field. Once you select a color with the color picker, the appropriate RGB and sRGB color values will be displayed in the fields on the right. You can also specify a color on the base of the RGB color model entering the necessary numeric values into the R, G, B (red, green, blue) fields or enter the sRGB hexadecimal code into the field marked with the # sign. The selected color appears in the New preview box. If the object was previously filled with any custom color, this color is displayed in the Current box so you can compare the original and modified colors. When the color is specified, click the Add button: The custom color will be applied to the selected text/cell and added to the Custom color palette. To clear the background color of a certain cell, select a cell, or a range of cells with the mouse or the whole worksheet using the Ctrl+A key combination, click the Background color icon at the Home tab of the top toolbar, select the icon." + "body": "You can select the font type and its size, apply one of the decoration styles and change the font and background colors using the corresponding icons situated at the Home tab of the top toolbar. Note: in case you want to apply the formatting to the data already present in the spreadsheet, select them with the mouse or using the keyboard and apply the formatting. If you need to apply the formatting to multiple non-adjacent cells or cell ranges, hold down the Ctrl key while selecting cells/ranges with the mouse. Font Is used to select one of the fonts from the list of the available ones. If a required font is not available in the list, you can download and install it on your operating system, after that the font will be available for use in the desktop version. Font size Is used to select among the preset font size values from 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 to the font size field and then press Enter. Increment font size Is used to change the font size making it larger one point each time the icon is clicked. Decrement font size Is used to change the font size making it smaller one point each time the icon is clicked. Bold Is used to make the font bold giving it more weight. Italic Is used to make the font italicized giving it some right side tilt. Underline Is used to make the text underlined with the line going under the letters. Strikeout Is used to make the text struck out with the line going through the letters. Subscript/Superscript Allows to choose the Superscript or Subscript option. The Superscript option is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. The Subscript option is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Font color Is used to change the color of the letters/characters in cells. Background color Is used to change the color of the cell background. The cell background color can also be changed using the Background color palette at the Cell settings tab of the right sidebar. Change color scheme Is used to change the default color palette for worksheet elements (font, background, chats and chart elements) selecting one of the available ones: Office, Grayscale, Apex, Aspect, Civic, Concourse, Equity, Flow, Foundry, Median, Metro, Module, Odulent, Oriel, Origin, Paper, Solstice, Technic, Trek, Urban, or Verve. Note: it's also possible to apply one of the formatting presets selecting the cell you wish to format and choosing the desired preset from the list at the Home tab of the top toolbar: To change the font/background color, select characters/cells with the mouse or the whole worksheet using the Ctrl+A key combination, click the corresponding icon at the top toolbar, select any color in the available palettes Theme Colors - the colors that correspond to the selected color scheme of the spreadsheet. Standard Colors - the default colors set. Custom Color - click this caption if there is no needed color in the available palettes. Select the necessary colors range moving the vertical color slider and set the specific color dragging the color picker within the large square color field. Once you select a color with the color picker, the appropriate RGB and sRGB color values will be displayed in the fields on the right. You can also specify a color on the base of the RGB color model entering the necessary numeric values into the R, G, B (red, green, blue) fields or enter the sRGB hexadecimal code into the field marked with the # sign. The selected color appears in the New preview box. If the object was previously filled with any custom color, this color is displayed in the Current box so you can compare the original and modified colors. When the color is specified, click the Add button: The custom color will be applied to the selected text/cell and added to the Custom color palette. To clear the background color of a certain cell, select a cell, or a range of cells with the mouse or the whole worksheet using the Ctrl+A key combination, click the Background color icon at the Home tab of the top toolbar, select the icon." }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insert and format autoshapes", - "body": "Insert an autoshape To add an autoshape to your spreadsheet, switch to the Insert tab of the top toolbar, click the Shape icon at the top toolbar, select one of the available autoshape groups: basic shapes, figured arrows, math, charts, stars & ribbons, callouts, buttons, rectangles, lines, click the necessary autoshape within the selected group, place the mouse cursor where you want the shape to be put, once the autoshape is added you can change its size and position as well as its settings. Adjust the autoshape settings Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar that opens if you select the inserted autoshape with the mouse and click the Shape settings icon. Here you can change the following settings: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - select this option to specify the solid color you want to fill the inner space of the selected autoshape with. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Theme Colors - the colors that correspond to the selected color scheme of the document. Standard Colors - the default colors set. Custom Color - click this caption if there is no needed color in the available palettes. Select the necessary colors range moving the vertical color slider and set the specific color dragging the color picker within the large square color field. Once you select a color with the color picker, the appropriate RGB and sRGB color values will be displayed in the fields on the right. You can also specify a color on the base of the RGB color model entering the necessary numeric values into the R, G, B (red, green, blue) fields or enter the sRGB hexadecimal code into the field marked with the # sign. The selected color appears in the New preview box. If the object was previously filled with any custom color, this color is displayed in the Current box so you can compare the original and modified colors. When the color is specified, click the Add button. The custom color will be applied to your autoshape and added to the Custom color palette.

                          Gradient Fill - fill the shape with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available : top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Picture or Texture - select this option to use an image or a predefined texture as the shape background. If you wish to use an image as a background for the shape, you can add an image From File selecting it on your computer HDD or From URL inserting the appropriate URL address into the opened window. If you wish to use a texture as a background for the shape, open the From Texture menu and select the necessary texture preset. Currently, the following textures are available: canvas, carton, dark fabric, grain, granite, grey paper, knit, leather, brown paper, papyrus, wood. In case the selected Picture has less or more dimensions than the autoshape has, you can choose the Stretch or Tile setting from the dropdown list. The Stretch option allows you to adjust the image size to fit the autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions or repeat the smaller image keeping its original dimensions over the autoshape surface so that it could fill the space completely. Note: any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill. Opacity - use this section to set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. Stroke - use this section to change the autoshape stroke width, color or type. To change the stroke width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. To change the advanced settings of the autoshape, use the Show advanced settings link at the right sidebar. The 'Shape - Advanced Settings' window will open: The Size tab contains the following parameters: Width and Height - use these options to change the autoshape width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original shape aspect ratio. The Weights&Arrows tab contains the following parameters: Line Style - this option group allows to specify the following parameters: Cap Type - this option allows to set the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows to set the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows to set the arrow Start and End Style and Size by selecting the appropriate option from the dropdown lists. The Text Padding tab allows to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Columns tab allows to add columns of text within the autoshape specifying the necessary Number of columns (up to 16) and Spacing between columns. Once you click OK, the text that already exists or any other text you enter within the autoshape will appear in columns and will flow from one column to another. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the shape. Insert and format text within the autoshape To insert a text into the autoshape select the shape with the mouse and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). All the formatting options you can apply to the text within the autoshape are listed here. Join autoshapes using connectors You can connect autoshapes using lines with connection points to demonstrate dependencies between the objects (e.g. if you want to create a flowchart). To do that, click the Shape icon at the Insert tab of the top toolbar, select the Lines group from the menu, click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely shape 10, 11 and 12), hover the mouse cursor over the first autoshape and click one of the connection points that appear on the shape outline, drag the mouse cursor towards the second autoshape and click the necessary connection point on its outline. If you move the joined autoshapes, the connector remains attached to the shapes and moves together with them. You can also detach the connector from the shapes and then attach it to any other connection points." + "body": "Insert an autoshape To add an autoshape to your spreadsheet, switch to the Insert tab of the top toolbar, click the Shape icon at the top toolbar, select one of the available autoshape groups: basic shapes, figured arrows, math, charts, stars & ribbons, callouts, buttons, rectangles, lines, click the necessary autoshape within the selected group, place the mouse cursor where you want the shape to be put, once the autoshape is added you can change its size and position as well as its settings. Adjust the autoshape settings Some of the autoshape settings can be altered using the Shape settings tab of the right sidebar that opens if you select the inserted autoshape with the mouse and click the Shape settings icon. Here you can change the following settings: Fill - use this section to select the autoshape fill. You can choose the following options: Color Fill - select this option to specify the solid color you want to fill the inner space of the selected autoshape with. Click the colored box below and select the necessary color from the available color sets or specify any color you like: Theme Colors - the colors that correspond to the selected color scheme of the document. Standard Colors - the default colors set. Custom Color - click this caption if there is no needed color in the available palettes. Select the necessary colors range moving the vertical color slider and set the specific color dragging the color picker within the large square color field. Once you select a color with the color picker, the appropriate RGB and sRGB color values will be displayed in the fields on the right. You can also specify a color on the base of the RGB color model entering the necessary numeric values into the R, G, B (red, green, blue) fields or enter the sRGB hexadecimal code into the field marked with the # sign. The selected color appears in the New preview box. If the object was previously filled with any custom color, this color is displayed in the Current box so you can compare the original and modified colors. When the color is specified, click the Add button. The custom color will be applied to your autoshape and added to the Custom color palette.

                          Gradient Fill - fill the shape with two colors which smoothly change from one to another. Style - choose one of the available options: Linear (colors change in a straight line i.e. along a horizontal/vertical axis or diagonally at a 45 degree angle) or Radial (colors change in a circular path from the center to the edges). Direction - choose a template from the menu. If the Linear gradient is selected, the following directions are available : top-left to bottom-right, top to bottom, top-right to bottom-left, right to left, bottom-right to top-left, bottom to top, bottom-left to top-right, left to right. If the Radial gradient is selected, only one template is available. Gradient - click on the left slider under the gradient bar to activate the color box which corresponds to the first color. Click on the color box on the right to choose the first color in the palette. Drag the slider to set the gradient stop i.e. the point where one color changes into another. Use the right slider under the gradient bar to specify the second color and set the gradient stop. Picture or Texture - select this option to use an image or a predefined texture as the shape background. If you wish to use an image as a background for the shape, you can add an image From File selecting it on your computer HDD or From URL inserting the appropriate URL address into the opened window. If you wish to use a texture as a background for the shape, open the From Texture menu and select the necessary texture preset. Currently, the following textures are available: canvas, carton, dark fabric, grain, granite, grey paper, knit, leather, brown paper, papyrus, wood. In case the selected Picture has less or more dimensions than the autoshape has, you can choose the Stretch or Tile setting from the dropdown list. The Stretch option allows you to adjust the image size to fit the autoshape size so that it could fill the space completely. The Tile option allows you to display only a part of the bigger image keeping its original dimensions or repeat the smaller image keeping its original dimensions over the autoshape surface so that it could fill the space completely. Note: any selected Texture preset fills the space completely, but you can apply the Stretch effect if necessary. Pattern - select this option to fill the shape with a two-colored design composed of regularly repeated elements. Pattern - select one of the predefined designs from the menu. Foreground color - click this color box to change the color of the pattern elements. Background color - click this color box to change the color of the pattern background. No Fill - select this option if you don't want to use any fill. Opacity - use this section to set an Opacity level dragging the slider or entering the percent value manually. The default value is 100%. It corresponds to the full opacity. The 0% value corresponds to the full transparency. Stroke - use this section to change the autoshape stroke width, color or type. To change the stroke width, select one of the available options from the Size dropdown list. The available options are: 0.5 pt, 1 pt, 1.5 pt, 2.25 pt, 3 pt, 4.5 pt, 6 pt. Alternatively, select the No Line option if you don't want to use any stroke. To change the stroke color, click on the colored box below and select the necessary color. To change the stroke type, select the necessary option from the corresponding dropdown list (a solid line is applied by default, you can change it to one of the available dashed lines). Rotation is used to rotate the shape by 90 degrees clockwise or counterclockwise as well as to flip the shape horizontally or vertically. Click one of the buttons: to rotate the shape by 90 degrees counterclockwise to rotate the shape by 90 degrees clockwise to flip the shape horizontally (left to right) to flip the shape vertically (upside down) Change Autoshape - use this section to replace the current autoshape with another one selected from the dropdown list. To change the advanced settings of the autoshape, use the Show advanced settings link at the right sidebar. The 'Shape - Advanced Settings' window will open: The Size tab contains the following parameters: Width and Height - use these options to change the autoshape width and/or height. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original shape aspect ratio. The Rotation tab contains the following parameters: Angle - use this option to rotate the shape by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the shape horizontally (left to right) or check the Vertically box to flip the shape vertically (upside down). The Weights & Arrows tab contains the following parameters: Line Style - this option group allows to specify the following parameters: Cap Type - this option allows to set the style for the end of the line, therefore it can be applied only to the shapes with the open outline, such as lines, polylines etc.: Flat - the end points will be flat. Round - the end points will be rounded. Square - the end points will be square. Join Type - this option allows to set the style for the intersection of two lines, for example, it can affect a polyline or the corners of the triangle or rectangle outline: Round - the corner will be rounded. Bevel - the corner will be cut off angularly. Miter - the corner will be pointed. It goes well to shapes with sharp angles. Note: the effect will be more noticeable if you use a large outline width. Arrows - this option group is available if a shape from the Lines shape group is selected. It allows to set the arrow Start and End Style and Size by selecting the appropriate option from the dropdown lists. The Text Padding tab allows to change the autoshape Top, Bottom, Left and Right internal margins (i.e. the distance between the text within the shape and the autoshape borders). Note: this tab is only available if text is added within the autoshape, otherwise the tab is disabled. The Columns tab allows to add columns of text within the autoshape specifying the necessary Number of columns (up to 16) and Spacing between columns. Once you click OK, the text that already exists or any other text you enter within the autoshape will appear in columns and will flow from one column to another. The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the shape. Insert and format text within the autoshape To insert a text into the autoshape select the shape with the mouse and start typing your text. The text you add in this way becomes a part of the autoshape (when you move or rotate the shape, the text moves or rotates with it). All the formatting options you can apply to the text within the autoshape are listed here. Join autoshapes using connectors You can connect autoshapes using lines with connection points to demonstrate dependencies between the objects (e.g. if you want to create a flowchart). To do that, click the Shape icon at the Insert tab of the top toolbar, select the Lines group from the menu, click the necessary shape within the selected group (excepting the last three shapes which are not connectors, namely Curve, Scribble and Freeform), hover the mouse cursor over the first autoshape and click one of the connection points that appear on the shape outline, drag the mouse cursor towards the second autoshape and click the necessary connection point on its outline. If you move the joined autoshapes, the connector remains attached to the shapes and moves together with them. You can also detach the connector from the shapes and then attach it to any other connection points." }, { "id": "UsageInstructions/InsertChart.htm", @@ -2338,17 +2353,17 @@ var indexes = { "id": "UsageInstructions/InsertFunction.htm", "title": "Insert function", - "body": "The ability to perform basic calculations is the principal reason for using a spreadsheet. Some of them are performed automatically when you select a range of cells in your spreadsheet: AVERAGE is used to analyze the selected range of cells and find the average value. COUNT is used to count the number of the selected cells containing values ignoring empty cells. SUM is used to add all the numbers in the selected range ignoring empty cells or those contaning text. The results of these calculations are displayed in the right lower corner at the status bar. To perform any other calculations you can insert a needed formula manually using the common mathematical operators or insert a predefined formula - Function. To insert a function, select a cell you wish to insert a function into, click the Insert function icon situated at the Home tab of the top toolbar and select one of the commonly used functions (SUM, MIN, MAX, COUNT) or click the Additional option, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon before the formula bar, in the Insert Function window that opens, select the necessary function group, then choose the function you need from the list and click OK. enter the function arguments either manually or dragging to select a range of cells to be included as an argument. If the function requires several arguments, they must be separated by commas. Note: generally, numeric values, logical values (TRUE, FALSE), text values (must be quoted), cell references, cell range references, names assigned to ranges and other functions can be used as function arguments. Press the Enter key. Here is the list of the available functions grouped by categories: Function Category Description Functions Text and Data Functions Are used to correctly display the text data in your spreadsheet. CHAR; CLEAN; CODE; CONCATENATE; CONCAT; DOLLAR; EXACT; FIND; FINDB; FIXED; LEFT; LEFTB; LEN; LENB; LOWER; MID; MIDB; NUMBERVALUE; PROPER; REPLACE; REPLACEB; REPT; RIGHT; RIGHTB; SEARCH; SEARCHB; SUBSTITUTE; T; TEXT; TEXTJOIN; TRIM; UNICHAR; UNICODE; UPPER; VALUE Statistical Functions Are used to analyze data: finding the average value, the largest or smallest values in a range of cells. AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST Math and Trigonometry Functions Are used to perform basic math and trigonometry operations such as adding, multiplying, dividing, rounding, etc. ABS; ACOS; ACOSH; ACOT; ACOTH; AGGREGATE; ARABIC; ASIN; ASINH; ATAN; ATAN2; ATANH; BASE; CEILING; CEILING.MATH; CEILING.PRECISE; COMBIN; COMBINA; COS; COSH; COT; COTH; CSC; CSCH; DECIMAL; DEGREES; ECMA.CEILING; EVEN; EXP; FACT; FACTDOUBLE; FLOOR; FLOOR.PRECISE; FLOOR.MATH; GCD; INT; ISO.CEILING; LCM; LN; LOG; LOG10; MDETERM; MINVERSE; MMULT; MOD; MROUND; MULTINOMIAL; ODD; PI; POWER; PRODUCT; QUOTIENT; RADIANS; RAND; RANDBETWEEN; ROMAN; ROUND; ROUNDDOWN; ROUNDUP; SEC; SECH; SERIESSUM; SIGN; SIN; SINH; SQRT; SQRTPI; SUBTOTAL; SUM; SUMIF; SUMIFS; SUMPRODUCT; SUMSQ; SUMX2MY2; SUMX2PY2; SUMXMY2; TAN; TANH; TRUNC Date and Time Functions Are used to correctly display date and time in your spreadsheet. DATE; DATEDIF; DATEVALUE; DAY; DAYS; DAYS360; EDATE; EOMONTH; HOUR; ISOWEEKNUM; MINUTE; MONTH; NETWORKDAYS; NETWORKDAYS.INTL; NOW; SECOND; TIME; TIMEVALUE; TODAY; WEEKDAY; WEEKNUM; WORKDAY; WORKDAY.INTL; YEAR; YEARFRAC Engineering Functions Are used to perform some engineering calculations: converting between different bases, finding complex numbers etc. BESSELI; BESSELJ; BESSELK; BESSELY; BIN2DEC; BIN2HEX; BIN2OCT; BITAND; BITLSHIFT; BITOR; BITRSHIFT; BITXOR; COMPLEX; CONVERT; DEC2BIN; DEC2HEX; DEC2OCT; DELTA; ERF; ERF.PRECISE; ERFC; ERFC.PRECISE; GESTEP; HEX2BIN; HEX2DEC; HEX2OCT; IMABS; IMAGINARY; IMARGUMENT; IMCONJUGATE; IMCOS; IMCOSH; IMCOT; IMCSC; IMCSCH; IMDIV; IMEXP; IMLN; IMLOG10; IMLOG2; IMPOWER; IMPRODUCT; IMREAL; IMSEC; IMSECH; IMSIN; IMSINH; IMSQRT; IMSUB; IMSUM; IMTAN; OCT2BIN; OCT2DEC; OCT2HEX Database Functions Are used to perform calculations for the values in a certain field of the database that correspond to the specified criteria. DAVERAGE; DCOUNT; DCOUNTA; DGET; DMAX; DMIN; DPRODUCT; DSTDEV; DSTDEVP; DSUM; DVAR; DVARP Financial Functions Are used to perform some financial calculations calculating the net present value, payments etc. ACCRINT; ACCRINTM; AMORDEGRC; AMORLINC; COUPDAYBS; COUPDAYS; COUPDAYSNC; COUPNCD; COUPNUM; COUPPCD; CUMIPMT; CUMPRINC; DB; DDB; DISC; DOLLARDE; DOLLARFR; DURATION; EFFECT; FV; FVSCHEDULE; INTRATE; IPMT; IRR; ISPMT; MDURATION; MIRR; NOMINAL; NPER; NPV; ODDFPRICE; ODDFYIELD; ODDLPRICE; ODDLYIELD; PDURATION; PMT; PPMT; PRICE; PRICEDISC; PRICEMAT; PV; RATE; RECEIVED; RRI; SLN; SYD; TBILLEQ; TBILLPRICE; TBILLYIELD; VDB; XIRR; XNPV; YIELD; YIELDDISC; YIELDMAT Lookup and Reference Functions Are used to easily find the information from the data list. ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; VLOOKUP Information Functions Are used to give you the information about the data in the selected cell or a range of cells. ERROR.TYPE; ISBLANK; ISERR; ISERROR; ISEVEN; ISFORMULA; ISLOGICAL; ISNA; ISNONTEXT; ISNUMBER; ISODD; ISREF; ISTEXT; N; NA; SHEET; SHEETS; TYPE Logical Functions Are used to check if a condition is true or false. AND; FALSE; IF; IFERROR; IFNA; IFS; NOT; OR; SWITCH; TRUE; XOR" + "body": "The ability to perform basic calculations is the principal reason for using a spreadsheet. Some of them are performed automatically when you select a range of cells in your spreadsheet: AVERAGE is used to analyze the selected range of cells and find the average value. COUNT is used to count the number of the selected cells containing values ignoring empty cells. MIN is used to analyze the range of data and find the smallest number. MAX is used to analyze the range of data and find the largest number. SUM is used to add all the numbers in the selected range ignoring empty cells or those contaning text. The results of these calculations are displayed in the right lower corner at the status bar. To perform any other calculations you can insert a needed formula manually using the common mathematical operators or insert a predefined formula - Function. To insert a function, select a cell you wish to insert a function into, click the Insert function icon situated at the Home tab of the top toolbar and select one of the commonly used functions (SUM, MIN, MAX, COUNT) or click the Additional option, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon before the formula bar, in the Insert Function window that opens, select the necessary function group, then choose the function you need from the list and click OK. enter the function arguments either manually or dragging to select a range of cells to be included as an argument. If the function requires several arguments, they must be separated by commas. Note: generally, numeric values, logical values (TRUE, FALSE), text values (must be quoted), cell references, cell range references, names assigned to ranges and other functions can be used as function arguments. Press the Enter key. To enter a function manually using the keyboard, select a cell, enter the equal sign (=) Each formula must begin with the equal sign (=). enter the function name Once you type the initial letters, the Formula Autocomplete list will be displayed. As you type, the items (formulas and names) that match the entered characters are displayed in it. If you hover the mouse pointer over a formula, a tooltip with the formula description will be displayed. You can select the necessary formula from the list and insert it by clicking it or pressing the Tab key. enter the function arguments Arguments must be enclosed into parentheses. The opening parenthesis '(' is added automatically if you select a function from the list. When you enter arguments, a tooltip that contains the formula syntax is also displayed. when all the agruments are specified, enter the closing parenthesis ')' and press Enter. Here is the list of the available functions grouped by categories: Function Category Description Functions Text and Data Functions Are used to correctly display the text data in your spreadsheet. ASC; CHAR; CLEAN; CODE; CONCATENATE; CONCAT; DOLLAR; EXACT; FIND; FINDB; FIXED; LEFT; LEFTB; LEN; LENB; LOWER; MID; MIDB; NUMBERVALUE; PROPER; REPLACE; REPLACEB; REPT; RIGHT; RIGHTB; SEARCH; SEARCHB; SUBSTITUTE; T; TEXT; TEXTJOIN; TRIM; UNICHAR; UNICODE; UPPER; VALUE Statistical Functions Are used to analyze data: finding the average value, the largest or smallest values in a range of cells. AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BETAINV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST Math and Trigonometry Functions Are used to perform basic math and trigonometry operations such as adding, multiplying, dividing, rounding, etc. ABS; ACOS; ACOSH; ACOT; ACOTH; AGGREGATE; ARABIC; ASIN; ASINH; ATAN; ATAN2; ATANH; BASE; CEILING; CEILING.MATH; CEILING.PRECISE; COMBIN; COMBINA; COS; COSH; COT; COTH; CSC; CSCH; DECIMAL; DEGREES; ECMA.CEILING; EVEN; EXP; FACT; FACTDOUBLE; FLOOR; FLOOR.PRECISE; FLOOR.MATH; GCD; INT; ISO.CEILING; LCM; LN; LOG; LOG10; MDETERM; MINVERSE; MMULT; MOD; MROUND; MULTINOMIAL; ODD; PI; POWER; PRODUCT; QUOTIENT; RADIANS; RAND; RANDBETWEEN; ROMAN; ROUND; ROUNDDOWN; ROUNDUP; SEC; SECH; SERIESSUM; SIGN; SIN; SINH; SQRT; SQRTPI; SUBTOTAL; SUM; SUMIF; SUMIFS; SUMPRODUCT; SUMSQ; SUMX2MY2; SUMX2PY2; SUMXMY2; TAN; TANH; TRUNC Date and Time Functions Are used to correctly display date and time in your spreadsheet. DATE; DATEDIF; DATEVALUE; DAY; DAYS; DAYS360; EDATE; EOMONTH; HOUR; ISOWEEKNUM; MINUTE; MONTH; NETWORKDAYS; NETWORKDAYS.INTL; NOW; SECOND; TIME; TIMEVALUE; TODAY; WEEKDAY; WEEKNUM; WORKDAY; WORKDAY.INTL; YEAR; YEARFRAC Engineering Functions Are used to perform some engineering calculations: converting between different bases, finding complex numbers etc. BESSELI; BESSELJ; BESSELK; BESSELY; BIN2DEC; BIN2HEX; BIN2OCT; BITAND; BITLSHIFT; BITOR; BITRSHIFT; BITXOR; COMPLEX; CONVERT; DEC2BIN; DEC2HEX; DEC2OCT; DELTA; ERF; ERF.PRECISE; ERFC; ERFC.PRECISE; GESTEP; HEX2BIN; HEX2DEC; HEX2OCT; IMABS; IMAGINARY; IMARGUMENT; IMCONJUGATE; IMCOS; IMCOSH; IMCOT; IMCSC; IMCSCH; IMDIV; IMEXP; IMLN; IMLOG10; IMLOG2; IMPOWER; IMPRODUCT; IMREAL; IMSEC; IMSECH; IMSIN; IMSINH; IMSQRT; IMSUB; IMSUM; IMTAN; OCT2BIN; OCT2DEC; OCT2HEX Database Functions Are used to perform calculations for the values in a certain field of the database that correspond to the specified criteria. DAVERAGE; DCOUNT; DCOUNTA; DGET; DMAX; DMIN; DPRODUCT; DSTDEV; DSTDEVP; DSUM; DVAR; DVARP Financial Functions Are used to perform some financial calculations calculating the net present value, payments etc. ACCRINT; ACCRINTM; AMORDEGRC; AMORLINC; COUPDAYBS; COUPDAYS; COUPDAYSNC; COUPNCD; COUPNUM; COUPPCD; CUMIPMT; CUMPRINC; DB; DDB; DISC; DOLLARDE; DOLLARFR; DURATION; EFFECT; FV; FVSCHEDULE; INTRATE; IPMT; IRR; ISPMT; MDURATION; MIRR; NOMINAL; NPER; NPV; ODDFPRICE; ODDFYIELD; ODDLPRICE; ODDLYIELD; PDURATION; PMT; PPMT; PRICE; PRICEDISC; PRICEMAT; PV; RATE; RECEIVED; RRI; SLN; SYD; TBILLEQ; TBILLPRICE; TBILLYIELD; VDB; XIRR; XNPV; YIELD; YIELDDISC; YIELDMAT Lookup and Reference Functions Are used to easily find the information from the data list. ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; HYPERLINLK; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; VLOOKUP Information Functions Are used to give you the information about the data in the selected cell or a range of cells. ERROR.TYPE; ISBLANK; ISERR; ISERROR; ISEVEN; ISFORMULA; ISLOGICAL; ISNA; ISNONTEXT; ISNUMBER; ISODD; ISREF; ISTEXT; N; NA; SHEET; SHEETS; TYPE Logical Functions Are used to check if a condition is true or false. AND; FALSE; IF; IFERROR; IFNA; IFS; NOT; OR; SWITCH; TRUE; XOR" }, { "id": "UsageInstructions/InsertImages.htm", "title": "Insert images", - "body": "Spreadsheet Editor allows you to insert images in the most popular formats into your worksheet. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. Insert an image To insert an image into the spreadsheet, place the cursor where you want the image to be put, switch to the Insert tab of the top toolbar, click the Image icon at the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button the Image from URL option will open the window where you can enter the necessary image web address and click the OK button After that the image will be added to the worksheet. Adjust the image settings Once the image is added you can change its size and position. To specify exact image dimensions: select the image you wish to resize with the mouse, click the Image settings icon at the right sidebar, in the Size section, set the necessary Width and Height values. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button. To replace the inserted image, select the image you wish to replace with the mouse, click the Image settings icon at the right sidebar, in the Replace Image section click the button you need: From File or From URL and select the desired image. Note: alternatively, you can right-click the image and use the Replace image option from the contextual menu. The selected image will be replaced. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. To change its advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link at the right sidebar. The image properties window will open: The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image. To delete the inserted image, click it and press the Delete key." + "body": "Spreadsheet Editor allows you to insert images in the most popular formats into your worksheet. The following image formats are supported: BMP, GIF, JPEG, JPG, PNG. Insert an image To insert an image into the spreadsheet, place the cursor where you want the image to be put, switch to the Insert tab of the top toolbar, click the Image icon at the top toolbar, select one of the following options to load the image: the Image from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary file and click the Open button the Image from URL option will open the window where you can enter the necessary image web address and click the OK button the Image from Storage option will open the Select data source window. Select an image stored on your portal and click the OK button After that the image will be added to the worksheet. Adjust the image settings Once the image is added you can change its size and position. To specify exact image dimensions: select the image you wish to resize with the mouse, click the Image settings icon at the right sidebar, in the Size section, set the necessary Width and Height values. If the Constant proportions button is clicked (in this case it looks like this ), the width and height will be changed together preserving the original image aspect ratio. To restore the default size of the added image, click the Default Size button. To crop the image: Click the Crop button to activate cropping handles which appear on the image corners and in the center of each its side. Manually drag the handles to set the cropping area. You can move the mouse cursor over the cropping area border so that it turns into the icon and drag the area. To crop a single side, drag the handle located in the center of this side. To simultaneously crop two adjacent sides, drag one of the corner handles. To equally crop two opposite sides of the image, hold down the Ctrl key when dragging the handle in the center of one of these sides. To equally crop all sides of the image, hold down the Ctrl key when dragging any of the corner handles. When the cropping area is specified, click the Crop button once again, or press the Esc key, or click anywhere outside of the cropping area to apply the changes. After the cropping area is selected, it's also possible to use the Fill and Fit options available from the Crop drop-down menu. Click the Crop button once again and select the option you need: If you select the Fill option, the central part of the original image will be preserved and used to fill the selected cropping area, while other parts of the image will be removed. If you select the Fit option, the image will be resized so that it fits the cropping area height or width. No parts of the original image will be removed, but empty spaces may appear within the selected cropping area. To rotate the image: select the image you wish to rotate with the mouse, click the Image settings icon at the right sidebar, in the Rotation section click one of the buttons: to rotate the image by 90 degrees counterclockwise to rotate the image by 90 degrees clockwise to flip the image horizontally (left to right) to flip the image vertically (upside down) Note: alternatively, you can right-click the image and use the Rotate option from the contextual menu. To replace the inserted image, select the image you wish to replace with the mouse, click the Image settings icon at the right sidebar, in the Replace Image section click the button you need: From File or From URL and select the desired image. Note: alternatively, you can right-click the image and use the Replace image option from the contextual menu. The selected image will be replaced. When the image is selected, the Shape settings icon is also available on the right. You can click this icon to open the Shape settings tab at the right sidebar and adjust the shape Stroke type, size and color as well as change the shape type selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. To change its advanced settings, click the image with the right mouse button and select the Image Advanced Settings option from the right-click menu or just click the Show advanced settings link at the right sidebar. The image properties window will open: The Rotation tab contains the following parameters: Angle - use this option to rotate the image by an exactly specified angle. Enter the necessary value measured in degrees into the field or adjust it using the arrows on the right. Flipped - check the Horizontally box to flip the image horizontally (left to right) or check the Vertically box to flip the image vertically (upside down). The Alternative Text tab allows to specify a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information there is in the image. To delete the inserted image, click it and press the Delete key." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Insert text objects", - "body": "To draw attention to a specific part of the spreadsheet, you can insert a text box (a rectangular frame that allows to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows to apply some text effects). Add a text object You can add a text object anywhere on the worksheet. To do that: switch to the Insert tab of the top toolbar, select the necessary text object type: to add a text box, click the Text Box icon at 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. Note: it's also possible to insert a text box by clicking the Shape icon at the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon at the top toolbar, then click on the desired style template – the Text Art object will be added in the center of the worksheet. Select the default text within the text box with the mouse and replace it with your own text. click outside of the text object to apply the changes and return to the worksheet. 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 with text in it (Text Art objects have invisible text box borders by default) 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 on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box clicking on its border to be able 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, stroke, 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 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, 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 be able 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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion of the text separately. Adjust font formatting settings (change the font type, size, color and apply decoration styles) using the corresponding icons situated at the Home tab of the top toolbar. Some additional font settings can be also altered at the Font tab of the paragraph properties window. To access it, right-click the text in the text box and select the Text Advanced Settings option. Align the text horizontally within the text box using the corresponding icons situated at the Home tab of the top toolbar. Align the text vertically within the text box using the corresponding icons situated at the Home tab of the top toolbar. You can also right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom. Rotate the text within the text box. To do that, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (is selected by default), Rotate at 90° (sets a vertical direction, from top to bottom) or Rotate at 270° (sets a vertical direction, from bottom to top). Create a bulleted or numbered list. To do that, right-click the text, select the Bullets and Numbering option from the contextual menu and then choose one of the available bullet characters or numbering styles. Insert a hyperlink. Set line and paragraph spacing for the multi-line text within the text box using the Text settings tab of the right sidebar that opens if you click the Text settings icon. Here you can set the line height for the text lines within the paragraph as well as the margins between the current and the preceding or the subsequent paragraph. 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. Change the advanced settings of the paragraph (you can adjust paragraph indents and tab stops for the multi-line text within the text box and apply some font formatting settings). Put the cursor within the paragraph you need - the Text settings tab will be activated at the right sidebar. Click the Show advanced settings link. The paragraph properties window will be opened: The Indents & Placement tab allows to change the first line offset from the left internal margin of the text box as well as the paragraph offset from the left and right internal margins of the text box. The Font tab contains the following parameters: Strikethrough is used to make the text struck out with the line going through the letters. Double strikethrough is used to make the text struck out with the double line going through the letters. Superscript is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller and place it to 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. The Tab tab allows to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard. 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 click the Specify button. Your custom tab position will be added to the list in the field below. Default Tab is set at 1.25 cm. You can decrease or increase this value using the arrow buttons or enter the necessary one in the box. 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 radiobutton and click the Specify button. Left - lines up your text by the left side at the tab stop position; the text moves to the right from the tab stop as you type. Center - centres the text at the tab stop position. Right - lines up your text by the right side at the tab stop position; the text moves to the left from the tab stop as you type. To delete tab stops from the list select a tab stop and click the Remove or Remove All button. 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 stroke. 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": "To draw attention to a specific part of the spreadsheet, you can insert a text box (a rectangular frame that allows to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows to apply some text effects). Add a text object You can add a text object anywhere on the worksheet. To do that: switch to the Insert tab of the top toolbar, select the necessary text object type: to add a text box, click the Text Box icon at 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. Note: it's also possible to insert a text box by clicking the Shape icon at the top toolbar and selecting the shape from the Basic Shapes group. to add a Text Art object, click the Text Art icon at the top toolbar, then click on the desired style template – the Text Art object will be added in the center of the worksheet. Select the default text within the text box with the mouse and replace it with your own text. click outside of the text object to apply the changes and return to the worksheet. 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 with text in it (Text Art objects have invisible text box borders by default) 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 on the keyboard. The text within the text box will also be deleted. Format a text box Select the text box clicking on its border to be able to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines. to manually resize, move, rotate the text box use the special handles on the edges of the shape. to edit the text box fill, stroke, 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 arrange text boxes as related to other objects, align several text boxes as related to each other, rotate or flip a text box, right-click on the text box border and use the contextual menu options. To learn more on how to arrange and align objects you can refer to this page. to create columns of text within the text box, 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 be able 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 all the text within the text box. Some font formatting options (font type, size, color and decoration styles) can be applied to a previously selected portion of the text separately. Adjust font formatting settings (change the font type, size, color and apply decoration styles) using the corresponding icons situated at the Home tab of the top toolbar. Some additional font settings can be also altered at the Font tab of the paragraph properties window. To access it, right-click the text in the text box and select the Text Advanced Settings option. Align the text horizontally within the text box using the corresponding icons situated at the Home tab of the top toolbar. Align the text vertically within the text box using the corresponding icons situated at the Home tab of the top toolbar. You can also right-click the text, select the Vertical Alignment option and then choose one of the available options: Align Top, Align Center or Align Bottom. Rotate the text within the text box. To do that, right-click the text, select the Text Direction option and then choose one of the available options: Horizontal (is selected by default), Rotate Text Down (sets a vertical direction, from top to bottom) or Rotate Text Up (sets a vertical direction, from bottom to top). Create a bulleted or numbered list. To do that, right-click the text, select the Bullets and Numbering option from the contextual menu and then choose one of the available bullet characters or numbering styles. Insert a hyperlink. Set line and paragraph spacing for the multi-line text within the text box using the Text settings tab of the right sidebar that opens if you click the Text settings icon. Here you can set the line height for the text lines within the paragraph as well as the margins between the current and the preceding or the subsequent paragraph. 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. Change the advanced settings of the paragraph (you can adjust paragraph indents and tab stops for the multi-line text within the text box and apply some font formatting settings). Put the cursor within the paragraph you need - the Text settings tab will be activated at the right sidebar. Click the Show advanced settings link. The paragraph properties window will be opened: The Indents & Placement tab allows to change the first line offset from the left internal margin of the text box as well as the paragraph offset from the left and right internal margins of the text box. The Font tab contains the following parameters: Strikethrough is used to make the text struck out with the line going through the letters. Double strikethrough is used to make the text struck out with the double line going through the letters. Superscript is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller and place it to 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 to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard. 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 click the Specify button. Your custom tab position will be added to the list in the field below. Default Tab is set at 1.25 cm. You can decrease or increase this value using the arrow buttons or enter the necessary one in the box. 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 radiobutton and click the Specify button. Left - lines up your text by the left side at the tab stop position; the text moves to the right from the tab stop as you type. Center - centres the text at the tab stop position. Right - lines up your text by the right side at the tab stop position; the text moves to the left from the tab stop as you type. To delete tab stops from the list select a tab stop and click the Remove or Remove All button. 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 stroke. 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/ManageSheets.htm", @@ -2358,7 +2373,7 @@ var indexes = { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Manipulate objects", - "body": "You can resize, move, rotate and arrange autoshapes, images and charts inserted into your worksheet. Resize objects To change the autoshape/image/chart size, drag small squares situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons. Note: to resize the inserted chart or image you can also use the right sidebar that will be activated once you select the necessary object. To open it, click the Chart settings or the Image settings icon to the right. Move objects To alter the autoshape/image/chart position, use the icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. Rotate objects To rotate the autoshape/image, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. Reshape autoshapes When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped icon is also available. It allows to adjust some aspects of the shape, for example, the length of the head of an arrow. Align objects To align selected objects in relation to each other, hold down the Ctrl key while selecting the objects with the mouse, then click the Align icon at the Layout tab of the top toolbar and select the necessary alignment type from the list: Align Left - to align objects by the left side in relation to each other, Align Center - to align objects by the center in relation to each other, Align Right - to align objects by the right side in relation to each other, Align Top - to align objects by the top side in relation to each other, Align Middle - to align objects by the middle in relation to each other, Align Bottom - to align objects by the bottom side in relation to each other. Group several objects To manipulate several objects at once, you can group them. Hold down the Ctrl key while selecting the objects with the mouse, then click the arrow next to the Group icon at the Layout tab of the top toolbar and select the necessary option from the list: Group - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object. Ungroup - to ungroup the selected group of the previously joined objects. Alternatively, you can right-click the selected objects and choose the Group or Ungroup option from the contextual menu. Arrange several objects To arrange the selected object or several objects (e.g. to change their order when several objects overlap each other), you can use the Bring Forward and Send Backward icons at the Layout tab of the top toolbar and select the necessary arrangement type from the list. To move the selected object(s) forward, click the arrow next to the Bring Forward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Bring To Foreground - to move the object(s) in front of all other objects, Bring Forward - to move the selected object(s) by one level forward as related to other objects. To move the selected object(s) backward, click the arrow next to the Send Backward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Send To Background - to move the object(s) behind all other objects, Send Backward - to move the selected object(s) by one level backward as related to other objects." + "body": "You can resize, move, rotate and arrange autoshapes, images and charts inserted into your worksheet. Note: the list of keyboard shortcuts that can be used when working with objects is available here. Resize objects To change the autoshape/image/chart size, drag small squares situated on the object edges. To maintain the original proportions of the selected object while resizing, hold down the Shift key and drag one of the corner icons. Note: to resize the inserted chart or image you can also use the right sidebar that will be activated once you select the necessary object. To open it, click the Chart settings or the Image settings icon to the right. Move objects To alter the autoshape/image/chart position, use the icon that appears after hovering your mouse cursor over the object. Drag the object to the necessary position without releasing the mouse button. To move the object by the one-pixel increments, hold down the Ctrl key and use the keybord arrows. To move the object strictly horizontally/vertically and prevent it from moving in a perpendicular direction, hold down the Shift key when dragging. Rotate objects To manually rotate the autoshape/image, hover the mouse cursor over the rotation handle and drag it clockwise or counterclockwise. To constrain the rotation angle to 15 degree increments, hold down the Shift key while rotating. To rotate a shape or image by 90 degrees counterclockwise/clockwise or flip the object horizontally/vertically you can use the Rotation section of the right sidebar that will be activated once you select the necessary object. To open it, click the Shape settings or the Image settings icon to the right. Click one of the buttons: to rotate the object by 90 degrees counterclockwise to rotate the object by 90 degrees clockwise to flip the object horizontally (left to right) to flip the object vertically (upside down) It's also possible to right-click the image or shape, choose the Rotate option from the contextual menu and then use one of the available rotation options. To rotate a shape or image by an exactly specified angle, click the Show advanced settings link at the right sidebar and use the Rotation tab of the Advanced Settings window. Specify the necessary value measured in degrees in the Angle field and click OK. Reshape autoshapes When modifying some shapes, for example Figured arrows or Callouts, the yellow diamond-shaped icon is also available. It allows to adjust some aspects of the shape, for example, the length of the head of an arrow. Align objects To align two or more selected objects in relation to each other, hold down the Ctrl key while selecting the objects with the mouse, then click the Align icon at the Layout tab of the top toolbar and select the necessary alignment type from the list: Align Left - to align objects in relation to each other by the left edge of the leftmost object, Align Center - to align objects in relation to each other by their centers, Align Right - to align objects in relation to each other by the right edge of the rightmost object, Align Top - to align objects in relation to each other by the top edge of the topmost object, Align Middle - to align objects in relation to each other by their middles, Align Bottom - to align objects in relation to each other by the bottom edge of the bottommost object. Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available alignment options. Note: the alignment options are disabled if you select less than two objects. Distribute objects To distribute three or more selected objects horizontally or vertically between two outermost selected objects so that the equal distance appears between them, click the Align icon at the Layout tab of the top toolbar and select the necessary distribution type from the list: Distribute Horizontally - to distribute objects evenly between the leftmost and rightmost selected objects. Distribute Vertically - to distribute objects evenly between the topmost and bottommost selected objects. Alternatively, you can right-click the selected objects, choose the Align option from the contextual menu and then use one of the available distribution options. Note: the distribution options are disabled if you select less than three objects. Group several objects To manipulate several objects at once, you can group them. Hold down the Ctrl key while selecting the objects with the mouse, then click the arrow next to the Group icon at the Layout tab of the top toolbar and select the necessary option from the list: Group - to join several objects into a group so that they can be simultaneously rotated, moved, resized, aligned, arranged, copied, pasted, formatted like a single object. Ungroup - to ungroup the selected group of the previously joined objects. Alternatively, you can right-click the selected objects, choose the Arrange option from the contextual menu and then use the Group or Ungroup option. Note: the Group option is disabled if you select less than two objects. The Ungroup option is available only when a group of the previously joined objects is selected. Arrange several objects To arrange the selected object or several objects (e.g. to change their order when several objects overlap each other), you can use the Bring Forward and Send Backward icons at the Layout tab of the top toolbar and select the necessary arrangement type from the list. To move the selected object(s) forward, click the arrow next to the Bring Forward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Bring To Foreground - to move the object(s) in front of all other objects, Bring Forward - to move the selected object(s) by one level forward as related to other objects. To move the selected object(s) backward, click the arrow next to the Send Backward icon at the Layout tab of the top toolbar and select the necessary arrangement type from the list: Send To Background - to move the object(s) behind all other objects, Send Backward - to move the selected object(s) by one level backward as related to other objects. Alternatively, you can right-click the selected object(s), choose the Arrange option from the contextual menu and then use one of the available arrangement options." }, { "id": "UsageInstructions/MergeCells.htm", @@ -2368,17 +2383,17 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Create a new spreadsheet or open an existing one", - "body": "When Spreadsheet Editor is open to create a new spreadsheet: click the File tab of the top toolbar, select the Create New... option. After you finished working at one spreadsheet, you can immediately proceed to an already existing spreadsheet that you have recently edited, or return to the list of existing ones. To open a recently edited spreadsheet within Spreadsheet Editor, click the File tab of the top toolbar, select the Open Recent... option, choose the spreadsheet you need from the list of recently edited spreadsheets. To return to the list of existing spreadsheets, click the Go to Documents icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Go to Documents option." + "body": "To create a new spreadsheet In the online editor click the File tab of the top toolbar, select the Create New option. In the desktop editor in the main program window, select the Spreadsheet menu item from the Create new section of the left sidebar - a new file will open in a new tab, when all the necessary changes are made, click the Save icon in the upper left corner or switch to the File tab and choose the Save as menu item. in the file manager window, select the file location, specify its name, choose the format you want to save the spreadsheet to (XLSX, Spreadsheet template, ODS, CSV, PDF or PDFA) and click the Save button. To open an existing document In the desktop editor in the main program window, select the Open local file menu item at the left sidebar, choose the necessary spreadsheet from the file manager window and click the Open button. You can also right-click the necessary spreadsheet in the file manager window, select the Open with option and choose the necessary application from the menu. If the office documents files are associated with the application, you can also open spreadsheets by double-clicking the file name in the file explorer window. 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 In the online editor click the File tab of the top toolbar, select the Open Recent... option, choose the spreadsheet you need from the list of recently edited documents. In the desktop editor in the main program window, select the Recent files menu item at the left sidebar, choose the spreadsheet you need from the list of recently edited documents. To open the folder where the file is stored in a new browser tab in the online version, in the file explorer window in the desktop version, click the Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab of the top toolbar and select the Open file location option." }, { "id": "UsageInstructions/PivotTables.htm", "title": "Edit pivot tables", - "body": "You can change the appearance of existing pivot tables in a spreadsheet using the editing tools available at the Pivot Table tab of the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools at the top toolbar. The Select button allows to select the entire pivot table. The rows and columns options allow you to emphasize certain rows/columns applying a specific formatting to them, or highlight different rows/columns with the different background colors to clearly distinguish them. The following options are available: Row Headers - allows to highlight the row headers with a special formatting. Column Headers - allows to highlight the column headers with a 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." + "body": "Note: this option is available in the online version only. You can change the appearance of existing pivot tables in a spreadsheet using the editing tools available at the Pivot Table tab of the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools at the top toolbar. The Select button allows to select the entire pivot table. The rows and columns options allow you to emphasize certain rows/columns applying a specific formatting to them, or highlight different rows/columns with the different background colors to clearly distinguish them. The following options are available: Row Headers - allows to highlight the row headers with a special formatting. Column Headers - allows to highlight the column headers with a 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." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Save/print/download your spreadsheet", - "body": "By default, Spreadsheet Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your current spreadsheet manually, click the Save icon at the top toolbar, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. To download the resulting spreadsheet onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as... option, choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV. Note: if you select the CSV format, all features (font formatting, formulas etc.) except the plain text will not be preserved in the CSV file. If you continue saving, the Choose CSV Options window will open. By default, Unicode (UTF-8) is used as the Encoding type. The default Delimiter is comma (,), but the following options are also available: semicolon (;), colon (:), Tab, Space and Other (this option allows you to set a custom delimiter character). To print out the current spreadsheet, click the Print icon at the top toolbar, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. The Print Settings window will open, where you can change the default print settings. Click the Show Details button at the bottom of the window to display all the parameters. Note: you can also adjust the print settings on the Advanced Settings... page: click the File tab of the top toolbar and follow Advanced Settings... >> Page Settings. Some of these settings (page Margins, Orientation and Size) are also available at the Layout tab of the top toolbar. Here you can adjust the following parameters: Print Range - specify what to print: the whole Current Sheet, All Sheets of your spreadsheet or previously selected range of cells (Selection), Sheet Settings - specify individual print settings for each separate sheet, if you have selected the All Sheets option in the Print Range drop-down list, Page Size - select one of the available sizes from the drop-down list, Page Orientation - choose the Portrait option if you wish to print vertically on the page, or use the Landscape option to print horizontally, Scaling - if you do not want some columns or rows to be printed on a second page, you can shrink sheet contents to fit it on one page selecting the corresponding option: Fit Sheet on One Page, Fit All Columns on One Page or Fit All Rows on One Page. Leave the Actual Size option to print the sheet without adjusting, Margins - specify the distance between the worksheet data and the edges of the printed page changing the default sizes in the Top, Bottom, Left and Right fields, Print - specify the worksheet elements to print checking the corresponding boxes: Print Gridlines and Print Row and Column Headings. When the parameters are set, click the Save & Print button to apply the changes and close the window. After that a PDF file will be generated on the basis of the spreadsheet. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later." + "body": "Saving By default, online Spreadsheet Editor automatically saves your file each 2 seconds when you work on it preventing your data loss in case of the unexpected program closing. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if they have been made. When the file is being co-edited in the Strict mode, changes are automatically saved at 10-minute intervals. If you need, you can easily select the preferred co-editing mode or disable the Autosave feature on the Advanced Settings page. To save your current spreadsheet manually in the current format and location, click the Save icon in the left part of the editor header, or use the Ctrl+S key combination, or click the File tab of the top toolbar and select the Save option. Note: in the desktop version, to prevent data loss in case of the unexpected program closing you can turn on the Autorecover option at the Advanced Settings page. In the desktop version, you can save the spreadsheet with another name, in a new location or format, click the File tab of the top toolbar, select the Save as... option, choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDFA. You can also choose the Spreadsheet template (XLTX) option. Downloading In the online version, you can download the resulting spreadsheet onto your computer hard disk drive, click the File tab of the top toolbar, select the Download as... option, choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Note: if you select the CSV format, all features (font formatting, formulas etc.) except the plain text will not be preserved in the CSV file. If you continue saving, the Choose CSV Options window will open. By default, Unicode (UTF-8) is used as the Encoding type. The default Delimiter is comma (,), but the following options are also available: semicolon (;), colon (:), Tab, Space and Other (this option allows you to set a custom delimiter character). Saving a copy In the online version, you can save a copy of the file on your portal, click the File tab of the top toolbar, select the Save Copy as... option, choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, select a location of the file on the portal and press Save. Printing To print out the current spreadsheet, click the Print icon in the left part of the editor header, or use the Ctrl+P key combination, or click the File tab of the top toolbar and select the Print option. The Print Settings window will open, where you can change the default print settings. Click the Show Details button at the bottom of the window to display all the parameters. Note: you can also adjust the print settings on the Advanced Settings... page: click the File tab of the top toolbar and follow Advanced Settings... >> Page Settings. Some of these settings (page Margins, Orientation, Size as well as Print Area) are also available at the Layout tab of the top toolbar. Here you can adjust the following parameters: Print Range - specify what to print: the whole Current Sheet, All Sheets of your spreadsheet or previously selected range of cells (Selection), If you previously set a constant print area but want to print the entire sheet, check the Ignore Print Area box. Sheet Settings - specify individual print settings for each separate sheet, if you have selected the All Sheets option in the Print Range drop-down list, Page Size - select one of the available sizes from the drop-down list, Page Orientation - choose the Portrait option if you wish to print vertically on the page, or use the Landscape option to print horizontally, Scaling - if you do not want some columns or rows to be printed on a second page, you can shrink sheet contents to fit it on one page selecting the corresponding option: Fit Sheet on One Page, Fit All Columns on One Page or Fit All Rows on One Page. Leave the Actual Size option to print the sheet without adjusting, Margins - specify the distance between the worksheet data and the edges of the printed page changing the default sizes in the Top, Bottom, Left and Right fields, Print - specify the worksheet elements to print checking the corresponding boxes: Print Gridlines and Print Row and Column Headings. In the desktop version, the file will be printed directly. In the online version, a PDF file will be generated on the basis of the document. You can open and print it out, or save onto your computer hard disk drive or removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing. Setting up a print area If you want to print a selected cell range only instead of an entire worksheet, you can use the Selection option from the Print Range drop-down list. When the workbook is saved, this setting is not saved, it is intended for single use. If a cell range should be printed frequently, you can set a constant print area on the worksheet. When the workbook is saved, the print area is also saved, it can be used when you open the spreadsheet next time. It's also possible to set several constant print areas on a sheet, in this case each area will be printed on a separate page. To set a print area: select the necessary cell range on the worksheet. To select multiple cell ranges, hold down the Ctrl key, switch to the Layout tab of the top toolbar, click the arrow next to the Print Area button and select the Set Print Area option. The created print area is saved when the workbook is saved. When you open the file next time, the specified print area will be printed. Note: when you create a print area, a Print_Area named range is also automatically created, which is displayed in the Name Manager. To highlight the borders of all the print areas on the current worksheet, you can click the arrow in the name box located to the left of the the formula bar and select the Print_Area name from the name list. To add cells to a print area: open the necessary worksheet where the print area is added, select the necessary cell range on the worksheet, switch to the Layout tab of the top toolbar, click the arrow next to the Print Area button and select the Add to Print Area option. A new print area will be added. Each print area will be printed on a separate page. To remove a print area: open the necessary worksheet where the print area is added, switch to the Layout tab of the top toolbar, click the arrow next to the Print Area button and select the Clear Print Area option. All the existing print areas on this sheet will be removed. Then the entire sheet will be printed." }, { "id": "UsageInstructions/SortData.htm", @@ -2388,16 +2403,16 @@ var indexes = { "id": "UsageInstructions/UndoRedo.htm", "title": "Undo/redo your actions", - "body": "To perform the undo/redo operations, use the corresponding icons available at any tab of the top toolbar: Undo – use the Undo icon to undo the last operation you performed. Redo – use the Redo icon to redo the last undone operation. Note: the undo/redo operations can be also performed using the Keyboard Shortcuts." + "body": "To perform the undo/redo operations, use the corresponding icons available at the left part of the editor header: Undo – use the Undo icon to undo the last operation you performed. Redo – use the Redo icon to redo the last undone operation. The undo/redo operations can be also performed using the Keyboard Shortcuts. Note: when you co-edit a spreadsheet in the Fast mode, the possibility to Undo/Redo the last operation is not available." }, { "id": "UsageInstructions/UseNamedRanges.htm", "title": "Use named ranges", - "body": "Names are meaningful notations that can be assigned for a cell or cell range and used to simplify working with formulas. Creating a formula, you can insert a name as its argument instead of using a reference to a cell range. For example, if you assign the Annual_Income name for a cell range, it will be possible to enter =SUM(Annual_Income) instead of =SUM(B1:B12). In such a form, formulas become clearer. This feature can also be useful in case a lot of formulas are referred to one and the same cell range. If the range address is changed, you can make the correction once using the Name Manager instead of editing all the formulas one by one. There are two types of names that can be used: Defined name – an arbitrary name that you can specify for a certain cell range. Table name – a default name that is automatically assigned to a new formatted table (Table1, Table2 etc.). You can edit such a name later. Names are also classified by Scope, i.e. the location where a name is recognized. A name can be scoped to the whole workbook (it will be recognized for any worksheet within this workbook) or to a separate worksheet (it will be recognized for the specified worksheet only). Each name must be unique within a single scope, the same names can be used within different scopes. Create new names To create a new defined name for a selection: Select a cell or cell range you want to assign a name to. Open a new name window in a suitable way: Right-click the selection and choose the Define Name option from the contextual menu, or click the Named ranges icon at the Home tab of the top toolbar and select the New name option from the menu. The New Name window will open: Enter the necessary Name in the text entry field. Note: a name cannot start from a number, contain spaces or punctuation marks. Underscores (_) are allowed. Case does not matter. Specify the name Scope. The Workbook scope is selected by default, but you can specify an individual worksheet selecting it from the list. Check the selected Data Range address. If necessary, you can change it. Click the Select Data button - the Select Data Range window will open. Change the link to the cell range in the entry field or select a new range on the worksheet with the mouse and click OK. Click OK to save the new name. To quickly create a new name for the selected range of cells, you can also enter the desired name into the name box located to the left of the the formula bar and press Enter. A name created in such a way is scoped to the Workbook. Manage names All the existing names can be accessed via the Name Manager. To open it: click the Named ranges icon at the Home tab of the top toolbar and select the Name manager option from the menu, or click the arrow in the name field and select the Manager option. The Name Manager window will open: For your convenience, you can filter the names selecting the name category you want to be displayed: All, Defined names, Table names, Names Scoped to Sheet or Names Scoped to Workbook. The names that belong to the selected category will be displayed in the list, the other names will be hidden. To change the sort order for the displayed list you can click on the Named Ranges or Scope titles in this window. To edit a name, select it in the list and click the Edit button. The Edit Name window will open: For a defined name, you can change the name and the data range it refers to. For a table name, you can change the name only. When all the necessary changes are made, click OK to apply them. To discard the changes, click Cancel. If the edited name is used in a formula, the formula will be automatically changed accordingly. To delete a name, select it in the list and click the Delete button. Note: if you delete the name that is used in a formula, the formula will no longer work (it will return the #NAME? error). You can also create a new name in the Name Manager window by clicking the New button. Use names when working with the spreadsheet To quickly navigate between cell ranges you can click the arrow in the name box and select the necessary name from the name list – the data range that corresponds to this name will be selected on the worksheet. Note: the name list displays the defined names and table names scoped to the current worksheet and to the whole workbook. To add a name as an argument of a formula: Place the insertion point where you need to add a name. Do one of the following: enter the name of the necessary named range manually using the keyboard. Once you type the initial letters, the Formula Autocomplete list will be displayed. As you type, the items (formulas and names) that match the entered characters are displayed in it. You can select the necessary name from the list and insert it into the formula by double-clicking it or pressing the Tab key. or click the Named ranges icon at the Home tab of the top toolbar, select the Paste name option from the menu, choose the necessary name from the Paste Name window and click OK: Note: the Paste Name window displays the defined names and table names scoped to the current worksheet and to the whole workbook." + "body": "Names are meaningful notations that can be assigned for a cell or cell range and used to simplify working with formulas. Creating a formula, you can insert a name as its argument instead of using a reference to a cell range. For example, if you assign the Annual_Income name for a cell range, it will be possible to enter =SUM(Annual_Income) instead of =SUM(B1:B12). In such a form, formulas become clearer. This feature can also be useful in case a lot of formulas are referred to one and the same cell range. If the range address is changed, you can make the correction once using the Name Manager instead of editing all the formulas one by one. There are two types of names that can be used: Defined name – an arbitrary name that you can specify for a certain cell range. Defined names also include the names created automatically when setting up print areas. Table name – a default name that is automatically assigned to a new formatted table (Table1, Table2 etc.). You can edit such a name later. Names are also classified by Scope, i.e. the location where a name is recognized. A name can be scoped to the whole workbook (it will be recognized for any worksheet within this workbook) or to a separate worksheet (it will be recognized for the specified worksheet only). Each name must be unique within a single scope, the same names can be used within different scopes. Create new names To create a new defined name for a selection: Select a cell or cell range you want to assign a name to. Open a new name window in a suitable way: Right-click the selection and choose the Define Name option from the contextual menu, or click the Named ranges icon at the Home tab of the top toolbar and select the New name option from the menu. The New Name window will open: Enter the necessary Name in the text entry field. Note: a name cannot start from a number, contain spaces or punctuation marks. Underscores (_) are allowed. Case does not matter. Specify the name Scope. The Workbook scope is selected by default, but you can specify an individual worksheet selecting it from the list. Check the selected Data Range address. If necessary, you can change it. Click the Select Data button - the Select Data Range window will open. Change the link to the cell range in the entry field or select a new range on the worksheet with the mouse and click OK. Click OK to save the new name. To quickly create a new name for the selected range of cells, you can also enter the desired name into the name box located to the left of the the formula bar and press Enter. A name created in such a way is scoped to the Workbook. Manage names All the existing names can be accessed via the Name Manager. To open it: click the Named ranges icon at the Home tab of the top toolbar and select the Name manager option from the menu, or click the arrow in the name field and select the Name Manager option. The Name Manager window will open: For your convenience, you can filter the names selecting the name category you want to be displayed: All, Defined names, Table names, Names Scoped to Sheet or Names Scoped to Workbook. The names that belong to the selected category will be displayed in the list, the other names will be hidden. To change the sort order for the displayed list you can click on the Named Ranges or Scope titles in this window. To edit a name, select it in the list and click the Edit button. The Edit Name window will open: For a defined name, you can change the name and the data range it refers to. For a table name, you can change the name only. When all the necessary changes are made, click OK to apply them. To discard the changes, click Cancel. If the edited name is used in a formula, the formula will be automatically changed accordingly. To delete a name, select it in the list and click the Delete button. Note: if you delete the name that is used in a formula, the formula will no longer work (it will return the #NAME? error). You can also create a new name in the Name Manager window by clicking the New button. Use names when working with the spreadsheet To quickly navigate between cell ranges you can click the arrow in the name box and select the necessary name from the name list – the data range that corresponds to this name will be selected on the worksheet. Note: the name list displays the defined names and table names scoped to the current worksheet and to the whole workbook. To add a name as an argument of a formula: Place the insertion point where you need to add a name. Do one of the following: enter the name of the necessary named range manually using the keyboard. Once you type the initial letters, the Formula Autocomplete list will be displayed. As you type, the items (formulas and names) that match the entered characters are displayed in it. You can select the necessary name from the list and insert it into the formula by double-clicking it or pressing the Tab key. or click the Named ranges icon at the Home tab of the top toolbar, select the Paste name option from the menu, choose the necessary name from the Paste Name window and click OK: Note: the Paste Name window displays the defined names and table names scoped to the current worksheet and to the whole workbook." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "View file information", - "body": "To access the detailed information about the currently edited spreadsheet, click the File tab of the top toolbar and select the Spreadsheet Info option. General Information The file information includes spreadsheet title, author, location and creation date. Note: Online Editors allow you to change the spreadsheet title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK. Permission Information Note: this option is not available for users with the Read Only permissions. To find out, who have rights to view or edit the spreadsheet, select the Access Rights... option at the left sidebar. You can also change currently selected access rights clicking the Change access rights button in the Persons who have rights section. To close the File pane and return to your spreadsheet, select the Close Menu option." + "body": "To access the detailed information about the currently edited spreadsheet, click the File tab of the top toolbar and select the Spreadsheet Info option. General Information The file information includes spreadsheet title and the application the spreadsheet was created with. In the online version, the following information is also displayed: author, location, creation date. Note: Online Editors allow you to change the spreadsheet title directly from the editor interface. To do that, click the File tab of the top toolbar and select the Rename... option, then enter the necessary File name in a new window that opens and click OK. Permission Information In the online version, you can view the information about permissions to the files stored in the cloud. Note: this option is not available for users with the Read Only permissions. To find out, who have rights to view or edit the spreadsheet, select the Access Rights... option at the left sidebar. You can also change currently selected access rights clicking the Change access rights button in the Persons who have rights section. To close the File pane and return to your spreadsheet, select the Close Menu option." } ] \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/search/js/keyboard-switch.js b/apps/spreadsheeteditor/main/resources/help/en/search/js/keyboard-switch.js new file mode 100644 index 000000000..267160c5e --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/search/js/keyboard-switch.js @@ -0,0 +1,30 @@ +$(function(){ + function shortcutToggler(enabled,disabled,enabled_opt,disabled_opt){ + var selectorTD_en = '.keyboard_shortcuts_table tr td:nth-child(' + enabled + ')', + selectorTD_dis = '.keyboard_shortcuts_table tr td:nth-child(' + disabled + ')'; + $(disabled_opt).removeClass('enabled').addClass('disabled'); + $(enabled_opt).removeClass('disabled').addClass('enabled'); + $(selectorTD_dis).hide(); + $(selectorTD_en).show().each(function() { + if($(this).text() == ''){ + $(this).parent('tr').hide(); + } else { + $(this).parent('tr').show(); + } + }); + } + if (navigator.platform.toUpperCase().indexOf('MAC') >= 0) { + shortcutToggler(3,2,'.mac_option','.pc_option'); + $('.mac_option').removeClass('right_option').addClass('left_option'); + $('.pc_option').removeClass('left_option').addClass('right_option'); + } else { + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + $('.shortcut_toggle').on('click', function() { + if($(this).hasClass('mac_option')){ + shortcutToggler(3,2,'.mac_option','.pc_option'); + } else if ($(this).hasClass('pc_option')){ + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + }); +}); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/search/search.html b/apps/spreadsheeteditor/main/resources/help/en/search/search.html index 97576e91e..9efeae6f4 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/search.html +++ b/apps/spreadsheeteditor/main/resources/help/en/search/search.html @@ -5,6 +5,7 @@ + @@ -89,7 +90,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                          ').text(info.body.substring(0, 250) + "...")) @@ -123,7 +125,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -133,7 +135,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/AdvancedSettings.htm index bf6a92e3f..d99e3a80a 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/AdvancedSettings.htm @@ -14,21 +14,26 @@

                          Ajustes avanzados del editor de hojas de cálculo

                          -

                          El editor de hojas de cálculo le permite cambiar sus ajustes avanzados generales. Para acceder a ellos, abra la pestaña Archivo en la barra de herramientas superior y seleccione la opción Ajustes avanzados.... Usted también puede usar el icono Icono Ajustes avanzados en la esquina derecha superior en la pestaña de Inicio de la barra de herramientas superior.

                          +

                          El editor de hojas de cálculo le permite cambiar sus ajustes avanzados generales. Para acceder a ellos, abra la pestaña Archivo en la barra de herramientas superior y seleccione la opción Ajustes avanzados.... También puede hacer clic en el icono Mostrar Ajustes Icono Mostrar ajustes a la derecha del editor de encabezado y seleccionar la opción Ajustes Avanzados.

                          Los ajustes avanzados generales son los siguientes:

                          • Visualización de Comentarios se usa para activar/desactivar la opción de comentar en tiempo real.
                            • Active la visualización de comentarios - si desactiva esta opción, los pasajes comentados se resaltarán solo si hace clic en el icono Comentarios Icono Comentarios en la barra lateral izquierda.
                            • -
                            • Active la demostración de los comentarios resueltos - si desactiva esta función, los comentarios resueltos se esconderán en el texto del documento. Será capaz de ver estos comentarios solo si hace clic en el Icono Comentarios icono de Comentarios en la barra de herramientas izquierda.
                            • +
                            • Mostrar los comentarios resueltos - esta característica está desactivada por defecto de manera que los comentarios resueltos permanezcan ocultos en la hoja. Será capaz de ver estos comentarios solo si hace clic en el Icono Comentarios icono de Comentarios en la barra de herramientas izquierda. Active esta opción si desea mostrar los comentarios resueltos en la hoja.
                          • Guardar automáticamente se usa para activar/desactivar el autoguardado de cambios mientras edita.
                          • -
                          • El Modo Co-edición se usa para seleccionar la visualización de los cambios realizados durante la co-edición:
                              +
                            • El Estilo de Referencia es usado para activar/desactivar el estilo de referencia R1C1. Por defecto, esta opción está desactivada y se usa el estilo de referencia A1.

                              Cuando se usa el estilo de referencia A1, las columnas están designadas por letras y las filas por números. Si selecciona una celda ubicada en la fila 3 y columna 2, su dirección mostrada en la casilla a la izquierda de la barra de formulas se verá así: B3. Si el estilo de referencia R1C1 está activado, tanto las filas como columnas son designadas por números. Si usted selecciona la celda en la intersección de la fila 3 y columna 2, su dirección se verá así: R3C2. La letra R indica el número de fila y la letra C indica el número de columna.

                              +

                              Celda activa

                              +

                              En caso que se refiera a otras celdas usando el estilo de referencia R1C1, la referencia a una celda objetivo se forma en base a la distancia desde una celda activa. Por ejemplo, cuando selecciona la celda en la fila 5 y columna 1 y se refiere a la celda en la fila 3 y columna 2, la referencia es R[-2]C[1]. Los números entre corchetes designan la posición de la celda a la que se refiere en relación a la posición de la celda actual, es decir, la celda objetivo esta 2 filas arriba y 1 columna a la derecha de la celda activa. Si selecciona la celda en la fila 1 y columna 2 y se refiere a la misma celda en la fila 3 y columna 2, la referencia es R[2]C, es decir, la celda objetivo está 2 filas hacia abajo de la celda activa y en la misma columna.

                              +

                              Referencia relativa

                              +
                            • +
                            • El Modo Co-edición se usa para seleccionar la visualización de los cambios hechos durante la co-edición:
                              • De forma predeterminada, el modo Rápido es seleccionado, los usuarios que participan en la co-edición del documento verán los cambios a tiempo real una vez que estos se lleven a cabo por otros usuarios.
                              • Si prefiere no ver los cambios de otros usuarios (para que no le moleste, o por otros motivos), seleccione el modo Estricto, y todos los cambios se mostrarán solo una vez que haga clic en el icono Icono Guardar Guardar, notificándole que hay cambios de otros usuarios.
                            • -
                            • Valor de zoom predeterminado se usa para establecer el valor de zoom predeterminado seleccionándolo en la lista de las opciones disponibles que van desde 50% hasta 200%.
                            • +
                            • Valor de Zoom Predeterminado se usa para establecer el valor de zoom predeterminado seleccionándolo en la lista de las opciones disponibles que van desde 50% hasta 200%.
                            • Tipo de letra Hinting se usa para seleccionar el tipo de letra que se muestra en el editor de hojas de cálculo:
                              • Elija como Windows si a usted le gusta cómo se muestran los tipos de letra en Windows (usando hinting de Windows).
                              • Elija como OS X si a usted le gusta como se muestran los tipos de letra en Mac (sin hinting).
                              • diff --git a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm index 254bd1d6d..3d7cc46fb 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/CollaborativeEditing.htm @@ -14,28 +14,28 @@

                                La edición de hojas de cálculo colaborativa

                                -

                                El editor de hojas de cálculo le ofrece la posibilidad de trabajar con un documento juntos con otros usuarios. Esta característica incluye:

                                +

                                El editor de hojas de cálculo le ofrece la posibilidad de trabajar con un documento juntos con otros usuarios. Esta función incluye:

                                • un acceso simultáneo y multiusuario al documento editado
                                • indicación visual de celdas que se han editados por otros usuarios
                                • -
                                • sincronización de los cambios con tan solo un clic
                                • +
                                • visualización de cambios en tiempo real o sincronización de cambios al pulsar un botón
                                • chat para intercambiar ideasen relación con partes de la hoja de cálculo
                                • -
                                • comentarios que contienen la descripción de una tarea o un problema que debe resolverse
                                • +
                                • comentarios que contienen la descripción de una tarea o un problema que hay que resolver

                                Co-edición

                                Editor del Documento permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar Icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Icono del modo de Co-edición Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior:

                                Menú del modo de Co-edición

                                -

                                Cuando un documento se está editando por varios usuarios simultáneamente en el modo Estricto, las celdas editadas, así como la pestaña del documento donde estas celdas están situadas aparecen marcadas con una línea discontinua de diferentes colores. Al poner el cursor del ratón sobre una de las celdas editadas, se muestra el nombre del usuario que está editando en este momento. El modo Rápido mostrará las acciones y los nombres de los co-editores cuando estén editando el texto.

                                -

                                El número de los usuarios que están trabajando en el documento actual se especifica en la parte derecha del encabezado del editor - Icono Número de usuarios. Si quiere ver quién está editando el documento en un momento determinado, pulse este icono para abrir el panel Chat con la lista completa de los usuarios.

                                -

                                Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así Icono gestionar derechos de acceso de documentos, y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde la hoja de cálculo: invite a nuevos usuarios y otórgueles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para manejar el acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando la hoja de cálculo en este momento y cuando hay otros usuarios y el icono parece como Icono Número de usuarios. También es posible establecer derechos de acceso utilizando el icono Icono de comparitr Compartir en la pestaña Colaboración de la barra de herramientas superior:

                                -

                                Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono Icono Guardar, los otros verán una nota en la esquina izquierda superior indicando que hay actualizaciones. Para guardar los cambios que ha hecho para que otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono Icono Guardar en la esquina superior izquierda de la barra superior.

                                +

                                Cuando un documento se está editando por varios usuarios simultáneamente en el modo Estricto, las celdas editadas, así como la pestaña del documento donde estas celdas están situadas aparecen marcadas con una línea discontinua de diferentes colores. Al poner el cursor del ratón sobre una de las celdas editadas, se muestra el nombre del usuario que está editando en este momento. El modo Rápido mostrará las acciones y los nombres de los coeditores cuando ellos están editando el texto.

                                +

                                El número de los usuarios que están trabajando en el documento actual se especifica en la parte derecha del encabezado del editor - Icono Número de usuarios. Si quiere ver quién está editando el archivo en ese preciso momento, pulse este icono o abrir el panel Chat con la lista completa de los usuarios.

                                +

                                Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así Gestionar derechos de acceso de documentos, y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde la hoja de cálculo: invite a nuevos usuarios y otórgueles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para manejar el acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando la hoja de cálculo en este momento y cuando hay otros usuarios y el icono parece como Icono Número de usuarios. También es posible establecer derechos de acceso utilizando el icono Icono de comparitr Compartir en la pestaña Colaboración de la barra de herramientas superior:

                                +

                                Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono Icono Guardar, los otros verán una nota en la esquina izquierda superior indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono Icono Guardar en la esquina superior izquierda de la barra de herramientas superior.

                                Chat

                                Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para arreglar con sus colaboradores quién está haciendo que, que parte de la hoja de cálculo va a editar ahora usted, etc.

                                Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido de la hoja de cálculo es mejor usar comentarios que se almacenan hasta que usted decida eliminarlos.

                                Para acceder al chat y dejar un mensaje para otros usuarios,

                                  -
                                1. haga clic en el Icono Chat ícono en la barra de herramientas de la izquierda, o
                                  cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Icono Chat Chat,
                                2. +
                                3. Haga clic en el Icono Chat ícono en la barra de herramientas de la izquierda, o
                                  cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Icono Chat Chat,
                                4. introduzca su texto en el campo correspondiente debajo,
                                5. pulse el botón Enviar.
                                @@ -46,17 +46,17 @@

                                Para dejar un comentario,

                                1. seleccione una celda donde usted cree que hay algún problema o error,
                                2. -
                                3. cambie a la pestaña a Insertar o Colaboración en la barra de herramientas superior y haga clic en el botón Icono Comentario Comentarios o
                                  use el icono Icono Comentarios en la barra de herramientas izquierda para abrir el panel de Comentarios y haga clic en el enlace Añadir Comentario al Documento, o
                                  haga clic derecho en la celda seleccionada y seleccione la opción de Añadir Comentario del menú,
                                4. +
                                5. cambie a la pestaña a Insertar o Colaboración en la barra de herramientas superior y haga clic en el botón Icono de Comentario Comentarios o
                                  use el icono Icono Comentarios en la barra de herramientas izquierda para abrir el panel de Comentarios y haga clic en el enlace Añadir Comentario al Documento, o
                                  haga clic derecho en la celda seleccionada y seleccione la opción de Añadir Comentario del menú,
                                6. introduzca el texto necesario,
                                7. pulse el botón Añadir Comentario/Añadir.
                                -

                                El comentario se mostrará en el panel izquierdo. El triángulo de color naranja aparecerá en la esquina derecha superior de la celda que usted ha comentado. Si usted tiene que desactivar esta función, pulse la pestaña Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de mostrar comentarios. En este caso las celdas comentadas serán marcadas solo si usted pulsa el icono Icono Comentarios.

                                +

                                El comentario se mostrará en el panel izquierdo. El triángulo de color naranja aparecerá en la esquina derecha superior de la celda que usted ha comentado. Si tiene que desactivar esta función, pulse lapestana Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios en tiempo real. En este caso las celdas comentadas serán marcadas solo si usted pulsa el icono Icono Comentarios.

                                Para ver el comentario, simplemente haga clic sobre la celda. Usted o cualquier otro usuario puede contestar al comentario añadido preguntando o informando sobre el trabajo realizado. Para realizar esto, use el enlace Añadir respuesta.

                                -

                                Usted puede organizar los comentarios que ha añadido de la siguiente manera:

                                +

                                Puede gestionar sus comentarios añadidos de esta manera:

                                  -
                                • edítelos pulsando el icono Icono Editar,
                                • +
                                • editar los comentarios pulsando en el icono Icono Editar,
                                • eliminar los comentarios pulsando en el icono Icono Borrar,
                                • -
                                • cierre la discusión pulsando en el icono Icono resolver si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono Icono Abrir de nuevo. Si tiene que esconder comentarios resueltos, haga clic en la pestaña de Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios resueltos y haga clic en Aplicar. En este caso los comentarios resueltos se resaltarán solo si usted hace clic en el icono Icono Comentarios.
                                • +
                                • cierre la discusión haciendo clic en el icono Icono resolver si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono Icono Abrir de nuevo. Si tiene que esconder comentarios resueltos, haga clic en la pestaña de Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios resueltos y haga clic en Aplicar. En este caso los comentarios resueltos se resaltarán solo si usted hace clic en el icono Icono Comentarios.

                                Si está usando el modo de co-edición Estricto, nuevos comentarios añadidos por otros usuarios serán visibles solo después de hacer clic en el icono Icono Guardar en la esquina superior izquierda de la barra de herramientas superior.

                                Para cerrar el panel con comentarios, haga clic en el icono Icono Comentarios situado en la barra de herramientas izquierda una vez más.

                                diff --git a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/InsertTab.htm b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/InsertTab.htm index 445367a68..c5a3243e7 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/InsertTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/InsertTab.htm @@ -16,7 +16,7 @@

                                Pestaña Insertar

                                La pestaña Insertar permite añadir objetos visuales y comentarios a su hoja de cálculo.

                                Pestaña Insertar

                                -

                                Si usa esta pestaña podrá:

                                +

                                Al usar esta pestaña podrás:

                                • insertar imágenes, formas, cuadros de texto y objetos de texto de arte, gráficos,
                                • insertar comentarios y hiperenlaces,
                                • diff --git a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/LayoutTab.htm b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/LayoutTab.htm new file mode 100644 index 000000000..462885f2f --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/LayoutTab.htm @@ -0,0 +1,26 @@ + + + + Pestaña Diseño + + + + + + + +
                                  +
                                  + +
                                  +

                                  Pestaña Diseño

                                  +

                                  La pestaña de Diseño le permite ajustar el aspecto de una hoja de cálculo: configurar parámetros de la página y definir la disposición de los elementos visuales.

                                  +

                                  Pestaña Diseño

                                  +

                                  Al usar esta pestaña podrás:

                                  + +
                                  + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm index a60185f9c..5dd8a989d 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/ProgramInterface.htm @@ -18,15 +18,15 @@

                                  Ventana Editor

                                  El interfaz de edición consiste en los siguientes elementos principales:

                                    -
                                  1. El Encabezado del editor muestra el logo, pestañas de menú, el nombre de la hoja de cálculo y dos iconos a la derecha que permiten ajustar derechos de acceso y volver a la lista de Documentos.

                                    Iconos en el encabezado del editor

                                    +
                                  2. El Editor de Encabezado muestra el logo, pestañas de menú, nombre de la hoja de cálculo así como tres iconos a la derecha que permiten ajustar los derechos de acceso, regresar a la lista de Documentos, configurar los Ajustes de Visualización y acceder al editor de Ajustes Avanzados.

                                    Iconos en el encabezado del editor

                                  3. -
                                  4. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Tabla pivote, Colaboración, Extensiones.

                                    Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada.

                                    -

                                    Los iconos en la barra de herramientas superior

                                    +
                                  5. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Diseño, Tabla Dinámica, Colaboración, Plugins.

                                    Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada.

                                    +

                                    Iconos en la barra de herramientas superior

                                  6. Barra de fórmulas permite introducir y editar fórmulas o valores en las celdas. Barra de fórmulas muestra el contenido de la celda seleccionada actualmente.
                                  7. La Barra de estado de debajo de la ventana del editor contiene varias herramientas de navegación: botones de navegación de hojas y botones de zoom. La Barra de estado también muestra el número de archivos filtrados si aplica un filtro, o los resultados de calculaciones automáticas si selecciona varias celdas que contienen datos.
                                  8. La barra lateral izquierda contiene iconos que permiten el uso de la herramienta de Buscar y Reemplazar, abrir el panel de Comentarios y Chat, contactar nuestro equipo de apoyo y mostrar la información sobre el programa.
                                  9. -
                                  10. La barra lateral derecha permite ajustar los parámetros adicionales de objetos diferentes. Cuando selecciona un objeto en particular en una hoja de trabajo, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha.
                                  11. +
                                  12. La Barra lateral derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en una hoja de trabajo, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha.
                                  13. El área de trabajo permite ver contenido de la hoja de cálculo, introducir y editar datos.
                                  14. Barras de desplazamiento horizontal y vertical permiten desplazar hacia arriba/abajo e izquierda/derecha en la hoja actual.
                                  diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/AddBorders.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/AddBorders.htm index a573089da..4ce81c26c 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/AddBorders.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/AddBorders.htm @@ -16,13 +16,13 @@

                                  Añada bordes

                                  Para añadir y establecer el formato de una hoja de cálculo,

                                    -
                                  1. seleccione una celda, un rango de celdas usando el ratón o toda la hoja de cálculo pulsando la combinación de las teclas Ctrl+A,

                                    Nota: también puede seleccionar varias celdas no contiguas si mantiene la tecla Ctrl presionada mientras selecciona las celdas/rangos con el ratón.

                                    +
                                  2. seleccione una celda, un rango de celdas usando el ratón o toda la hoja de cálculo pulsando la combinación de las teclas Ctrl+A,

                                    Nota: también puede seleccionar varias celdas o rangos de celdas no adyacentes pulsando la tecla Ctrl mientras selecciona las celdas/rangos con el ratón.

                                  3. -
                                  4. haga clic en el icono Icono Bordes Bordes situado en la pestaña de Inicio en la barra de herramientas superior,
                                  5. +
                                  6. haga clic en el icono Bordes Icono Bordes situado en la pestaña de Inicio de la barra de herramientas superior, o haga clic en el icono Ajustes de Celda Icono de ajustes de celda en la barra de la derecha,
                                  7. seleccione el estilo de borde que usted quiere aplicar:
                                    1. abra el submenú Estilo de Borde y seleccione una de las siguientes opciones,
                                    2. abra el submenú Icono Color de Borde Color de Borde y seleccione el color que necesita de la paleta,
                                    3. -
                                    4. seleccione una de las plantillas de bordes disponibles: Bordes externos Icono Bordes externos, Todos los bordes Icono todos los Bordes, Bordes superiores Icono Bordes superiores, Bordes inferiores Icono Bordes inferiores, Bordes izquierdos Icono Bordes izquierdos, Bordes derechos Icono Bordes derechos, Sin bordes Icono sin Bordes, Bordes internos Icono Bordes internos, Bordes verticales internos Icono Bordes verticales internos, Bordes horizontales internos Icono Bordes horizontales internos, Borde diagonal ascendente Icono Borde diagonal descendente, Borde diagonal descendente Icono Borde diagonal descendente;
                                    5. +
                                    6. seleccione una de las plantillas de bordes disponibles: Bordes Externos Icono Bordes externos, Todos los bordes Icono todos los Bordes, Bordes superiores Icono Bordes superiores, Bordes inferiores Icono Bordes inferiores, Bordes izquierdos Icono Bordes izquierdos, Bordes derechos Icono Bordes derechos, Sin bordes Icono sin Bordes, Bordes internos Icono Bordes internos, Bordes verticales internos Icono Bordes verticales internos, Bordes horizontales internos Icono Bordes horizontales internos, Borde diagonal ascendente Icono Borde diagonal ascendente, Borde diagonal descendente Icono Borde diagonal descendente.
                                  diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/InsertImages.htm index 87f7ba9a9..13a10923a 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/InsertImages.htm @@ -18,11 +18,11 @@

                                  Inserte una imagen

                                  Para insertar una imagen en la hoja de cálculo,

                                    -
                                  1. ponga el cursor donde quiere que aparezca la imagen,
                                  2. -
                                  3. cambie a la pestaña Insertar de la barra de herramientas superior,
                                  4. -
                                  5. haga clic en el icono Icono imagen Imagen en la barra de herramientas superior,
                                  6. +
                                  7. ponga el cursor en un lugar donde quiera que aparezca la imagen,
                                  8. +
                                  9. cambie a la pestaña Insertar en la barra de herramientas superior,
                                  10. +
                                  11. haga clic en el icono Icono Imagen Imagen en la barra de herramientas superior,
                                  12. seleccione una de las opciones siguientes para cargar la imagen:
                                      -
                                    • la opción Imagen desde archivo abrirá la ventana de diálogo Windows para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir
                                    • +
                                    • la opción Imagen desde archivo abrirá la ventana de diálogo para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir
                                    • la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK
                                  13. @@ -33,21 +33,22 @@

                                    Para especificar las dimensiones exactas de la imagen:

                                    1. seleccione la imagen a la que usted quiere cambiar el tamaño con el ratón,
                                    2. -
                                    3. pulse el icono Ajustes de imagen Icono ajustes de imagen en la barra derecha lateral,

                                      Ventana Ajustes de imagen Panel derecho

                                      +
                                    4. pulse el icono Ajustes de imagen Icono Ajustes de imagen en la barra derecha lateral,

                                      Ventana Ajustes de imagen Panel derecho

                                    5. -
                                    6. En la sección Tamaño, establezca los valores de Ancho y Altura necesarios. Si hace clic en el botón proporciones constantes Icono Proporciones constantes (en este caso estará así Icono proporciones constantes activado), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado.
                                    7. +
                                    8. En la sección Tamaño, establezca los valores de Ancho y Altura necesarios. Si hace clic en el botón proporciones constantes (en este caso estará así Icono de proporciones constantes activado), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado.

                                    Para reemplazar la imagen insertada,

                                    1. seleccione la imagen que usted quiere reemplazar con el ratón,
                                    2. -
                                    3. pulse el icono Ajustes de imagen Icono ajustes de imagen en la barra derecha lateral,
                                    4. -
                                    5. en la sección Reemplazar imagen pulse el botón necesario: De archivo o De URL y seleccione la imagen deseada.
                                    6. +
                                    7. pulse el icono Ajustes de imagen Icono Ajustes de imagen en la barra derecha lateral,
                                    8. +
                                    9. en la sección Reemplazar imagen pulse el botón necesario: De archivo o De URL y seleccione la imagen deseada.

                                      Nota: también puede hacer clic derecho en la imagen y usar la opción Reemplazar imagen del menú contextual.

                                      +

                                    La imagen seleccionada será reemplazada.

                                    Cuando se selecciona la imagen, el icono Ajustes de forma Icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente.

                                    Pestaña Ajustes de forma

                                    Para cambiar los ajustes avanzados, haga clic derecho sobre la imagen y seleccione la opción Ajustes avanzados en el menú contextual o pulse el enlace Mostrar ajustes avanzados en la derecha barra lateral. Se abrirá la ventana con parámetros de la imagen:

                                    -

                                    Imagen - Ajustes Avanzados

                                    +

                                    Imagen - ajustes avanzados

                                    La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma.

                                    Para borrar la imagen insertada, haga clic en esta y pulse la tecla Eliminar.

                                diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/ManipulateObjects.htm index c629cfce6..238e08d87 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/ManipulateObjects.htm @@ -16,27 +16,45 @@

                                Maneje objetos

                                Usted puede cambiar el tamaño, desplazar, girar y organizar autoformas, imágenes y gráficos insertados en su hoja de cálculo.

                                Cambiar el tamaño de objetos

                                -

                                Para cambiar el tamaño de autoforma/imagen/gráfico, arrastre los pequeños cuadrados Icono Cuadrado situados en los bordes de la imagen/autoforma. Para mantener las proporciones originales del objeto seleccionado mientras cambia de tamaño, mantenga apretada la tecla Shift y arrastre uno de los iconos de las esquinas.

                                -

                                Nota: para cambiar el tamaño del gráfico o imagen insertado usted también puede usar la derecha barra lateral que se activará cuando seleccione el objeto necesario. Para abrirla, pulse el icono Ajustes de gráfico Icono ajustes de gráfico o Ajustes de imagen Icono ajustes de imagen a la derecha.

                                Mantener proporciones

                                +

                                Para cambiar el tamaño de autoforma/imagen/gráfico, arrastre los pequeños cuadrados Icono cuadrado situados en los bordes de la imagen/autoforma. Para mantener las proporciones originales del objeto seleccionado mientras cambia de tamaño, mantenga apretada la tecla Shift y arrastre uno de los iconos de las esquinas.

                                +

                                Nota: para cambiar el tamaño del gráfico o imagen insertado usted también puede usar la derecha barra lateral que se activará cuando seleccione el objeto necesario. Para abrirla, pulse el icono Ajustes de gráfico Icono ajustes de gráfico o Ajustes de imagen Icono Ajustes de imagen a la derecha.

                                Mantener proporciones

                                Mueve objetos

                                -

                                Para cambiar la posición de autoforma/imagen/gráfico, utilice el icono Flecha que aparece si mantiene cursor de su ratón sobre el objeto. Arrastre el objeto a la posición necesaria sin soltar el botón de ratón. Para desplazar el objeto en incrementos de un píxel, mantenga apretada la tecla Ctrl y use las flechas en el teclado. Para desplazar los objetos horizontalmente o verticalmente y para que no se muevan en una dirección perpendicular, mantenga la tecla Shift apretada al arrastrar el objeto.

                                +

                                Para cambiar la posición de autoforma/imagen/gráfico, utilice el icono Flecha que aparece si mantiene cursor de su ratón sobre el objeto. Arrastre el objeto a la posición necesaria sin soltar el botón de ratón. Para desplazar el objeto en incrementos de un píxel, mantenga apretada la tecla Ctrl y use las flechas en el teclado. Para desplazar los objetos horizontalmente o verticalmente, y para que no se muevan en una dirección perpendicular, mantenga la tecla Shift apretada al arrastrar el objeto.

                                Gire objetos

                                Para girar la autoforma/imagen, mantenga el cursor del ratón sobre el controlador de giro Controlador de giro y arrástrelo en la dirección de las agujas del reloj o en el sentido contrario. Para limitar el ángulo de rotación hasta un incremento de 15 grados, mantenga apretada la tecla Shift mientras rota.

                                Cambie forma de autoformas

                                Al modificar unas formas, por ejemplo flechas o llamadas, puede notar el icono rombo amarillo Icono rombo amarillo. Le permite ajustar unos aspectos de forma, por ejemplo, la longitud de la punta de flecha.

                                -

                                Cambiar autoforma

                                -

                                Organizar varios objetos

                                -

                                Si hay algunos objetos (autoformas, imágenes y gráficos) que se superponen usted puede organizarlos haciendo clic sobre el objeto necesario con el ratón y seleccionando el tipo de disposición deseado en el menú contextual:

                                -
                                  -
                                • Traer al primer plano - para mover el objeto seleccionado delante de otros objetos,
                                • -
                                • Enviar al fondo - para mover el objeto seleccionado detrás de otros objetos,
                                • -
                                • Traer adelante - para mover el objeto seleccionado un nivel hacia delante en lo relativo a otros objetos,
                                • -
                                • Enviar atrás - para mover el objeto seleccionado un nivel hacia atrás en lo relativo a otros objetos.
                                • -
                                -

                                Agrupe varios objetos

                                -

                                Para manejar varios objetos a la vez, usted puede agruparlos. Mantenga apretada la tecla Ctrl al seleccionar objetos con el ratón, después haga clic derecho para abrir el menú contextual y seleccione la opción Agrupar.

                                -

                                Agrupar objetos

                                -

                                Para desagruparlos, seleccione los objetos requeridos con el ratón y utilice la opción Desagrupar en el menú contextual.

                                +

                                Cambiar una autoforma

                                +

                                Alinear objetos

                                +

                                Para alinear los objetos seleccionados en relación a sí mismos, mantenga pulsada la tecla Ctrl mientras selecciona los objetos con el ratón, luego haga clic en el icono Icono Alinear Alinear en la pestaña Diseño en la barra de herramientas superior y seleccione el tipo de alineación requerida de la lista:

                                +
                                  +
                                • Alinear a la Izquierda Icono alinear a la izquierda - para alinear los objetos del lado izquierdo en relación a sí mismos,
                                • +
                                • Alinear al Centro Icono alinear al centro - para alinear los objetos por su centro en relación a sí mismos,
                                • +
                                • Alinear a la Derecha Icono alinear a la derecha - para alinear los objetos del lado derecho en relación a sí mismos,
                                • +
                                • Alinear Arriba Icono Alinear arriba - para alinear los objetos por el lado superior en relación a sí mismos,
                                • +
                                • Alinear al Medio Icono Alinear al medio - para alinear los objetos por el medio en relación a sí mismos,
                                • +
                                • Alinear al Fondo Icono Alinear abajo - para alinear los objetos por el lado inferior en relación a sí mismos.
                                • +
                                +

                                Agrupe varios objetos

                                +

                                Para manejar varios objetos a la vez, usted puede agruparlos. Mantenga pulsada la tecla Ctrl mientras selecciona los objetos con el ratón, luego haga clic en la flecha junto al icono Icono Agrupar Agrupar en la pestaña Diseño en la barra de herramientas superior y seleccione la opción necesaria en la lista:

                                +
                                  +
                                • Agrupar - para unir varios objetos al grupo para que sea posible girarlos, desplazarlos, cambiar el tamaño y formato, alinearlos, arreglarlos, copiarlos y pegarlos como si fuera un solo objeto.
                                • +
                                • Desagrupar Icono Desagrupar - para desagrupar el grupo de los objetos previamente seleccionados.
                                • +
                                +

                                También puede hacer clic derecho en los objetos seleccionados y escoger la opción Agrupar o Desagrupar del menú contextual.

                                +

                                Agrupe varios objetos

                                +

                                Organizar varios objetos

                                +

                                Para organizar objetos (por ejemplo cambiar su orden cuando unos objetos sobreponen uno al otro), pulse los Icono Traer adelante iconos Adelantar y Icono Mandar atrás Enviar atrás en la barra de herramientas superior de Diseño y seleccione el tipo de disposición necesaria en la lista:

                                +

                                Para mover el (los) objeto(s) seleccionado(s) hacia delante, haga clic en el Icono Traer adelante icono Mover hacia delante en la barra de herramientas superior de Formato y seleccione el tipo de organización necesaria de la lista:

                                +
                                  +
                                • Traer al frente Icono Traer al frente - para desplazar el objeto (o varios objetos) delante de los otros,
                                • +
                                • Traer adelante Icono Traer adelante - para desplazar el objeto (o varios objetos) en un punto hacia delante de otros objetos.
                                • +
                                +

                                Para mover el (los) objeto(s) seleccionado(s) hacia detrás, haga clic en la flecha de al lado del Icono Enviar atrás icono Mover hacia detrás en la pestaña Formato en la barra de herramientas superior y seleccione el tipo de organización necesaria en la lista:

                                +
                                  +
                                • Enviar al fondo Icono Enviar al fondo- para desplazar el objeto (o varios objetos) detrás de los otros,
                                • +
                                • Enviar atrás Icono Enviar atrás - para desplazar el objeto (o varios objetos) en un punto hacia atrás de otros objetos.
                                • +
                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm index 2a11383df..7f8fb631a 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/SavePrintDownload.htm @@ -14,7 +14,7 @@

                                Guarde/imprima/descargue su hoja de cálculo

                                -

                                De manera predeterminada, el editor de hojas de cálculo guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si está editando el archivo con varias personas a la vez en el modo Rápido, el temporizador requiere actualizaciones 25 veces por segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias personas a la vez en el modo Estricto, los cambios se guardan cada 10 minutos. Si lo necesita, puede de forma fácil seleccionar el modo de co-edición preferido o desactivar la función Autoguardado en la página Ajustes avanzados.

                                +

                                De manera predeterminada, el editor de hojas de cálculo guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados.

                                Para guardar su hoja de cálculo actual manualmente,

                                • pulse el icono Guardar Icono Guardar en la barra de herramientas superior, o
                                • @@ -26,18 +26,19 @@
                                  1. haga clic en la pestaña Archivo en la barra de herramientas superior,
                                  2. seleccione la opción Descargar como,
                                  3. -
                                  4. elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV.

                                    Nota: si selecciona el formato CSV, todas las características (formato de letra, fórmulas etc.) excepto el texto plano no se guardarán en el archivo CSV. Si continua el guardado, la ventana Elegir Opciones CSV se abrirá. de manera predeterminada, Unicode (UTF-8) se usa como el tipo de Codificación. El Delimitador por defecto es coma (,), pero las siguientes opciones también están disponibles: punto y coma (;), dos puntos (:), Tab, Espacio y Otro (esta opción le permite ajustar un carácter delimitador personalizado).

                                    +
                                  5. elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV.

                                    Nota: si selecciona el formato CSV, todas las características (formato de letra, fórmulas etc.) excepto el texto plano no se guardarán en el archivo CSV. Si continua el guardado, la ventana Elegir Opciones CSV se abrirá. de manera predeterminada, Unicode (UTF-8) se usa como el tipo de Codificación. El Delimitador por defecto es coma (,), pero también están disponibles las siguientes opciones: punto y coma (;), dos puntos (:), Tabulación, Espacio y Otro (esta opción le permite establecer un carácter delimitador personalizado).

                                  Para imprimir la hoja de cálculo actual,

                                    -
                                  • pulse el icono Imprimir Icono Imprimir en la barra de herramientas superior, o
                                  • +
                                  • pulse el icono Imprimir en la barra de herramientas superior, o
                                  • use la combinación de las teclas Ctrl+P, o
                                  • pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir.

                                  La ventana de Ajustes de impresión se abrirá, y podrá cambiar los ajustes de impresión de defecto. Haga clic en el botón Mostrar detalles al final de la ventana para mostrar todos los parámetros.

                                  -

                                  Nota: usted también puede cambiar los ajustes de impresión en la página Ajustes avanzados...: pulse la pestaña Archivo de la barra de herramientas superior, y siga Ajustes avanzados... >> Ajustes de página.

                                  Ventana de ajustes de impresión

                                  +

                                  Nota: usted también puede cambiar los ajustes de impresión en la página Ajustes avanzados...: pulse la pestaña Archivo de la barra de herramientas superior, y siga Ajustes avanzados... >> Ajustes de Página.
                                  Algunos de estos ajustes (Márgenes, Orientación y Tamaño de página) también están disponibles en la pestaña Diseño de la barra de herramientas superior.

                                  +

                                  Ventana de ajustes de impresión

                                  Aquí usted puede ajustar los parámetros siguientes:

                                  • Área de impresión - especifique lo que quiere imprimir: toda la Hoja actual, Todas las hojas de su hoja de cálculo o el rango de celdas previamente seleccionado (Selección),
                                  • @@ -48,7 +49,7 @@
                                  • Márgenes - especifique la distancia entre datos de la hoja de cálculo y los bordes de la página imprimible cambiando los tamaños predeterminados en los campos Superior, Inferior, Izquierdo y Derecho,
                                  • Imprimir - especifique elementos de la hoja que quiere imprimir marcando las casillas correspondientes: Imprimir Cuadricula y Imprimir títulos de filas y columnas.
                                  -

                                  Una vez establecidos los parámetros, pulse el botón Guardar e imprimir para aplicar los cambios y cerrar la ventana. Después un archivo PDF será generado en la base de la hoja de cálculo. Usted puede abrirlo e imprimirlo , o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde.

                                  +

                                  Una vez establecidos los parámetros, pulse el botón Guardar e imprimir para aplicar los cambios y cerrar la ventana. Después un archivo PDF será generado en la base de la hoja de cálculo. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde.

                                  diff --git a/apps/spreadsheeteditor/main/resources/help/es/editor.css b/apps/spreadsheeteditor/main/resources/help/es/editor.css index 0b550e306..d6676f168 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/es/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 35%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,16 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js index 331d968e2..fde5262db 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js @@ -2213,12 +2213,12 @@ var indexes = { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Ajustes avanzados del editor de hojas de cálculo", - "body": "El editor de hojas de cálculo le permite cambiar sus ajustes avanzados generales. Para acceder a ellos, abra la pestaña Archivo en la barra de herramientas superior y seleccione la opción Ajustes avanzados.... Usted también puede usar el icono en la esquina derecha superior en la pestaña de Inicio de la barra de herramientas superior. Los ajustes avanzados generales son los siguientes: Visualización de Comentarios se usa para activar/desactivar la opción de comentar en tiempo real. Active la visualización de comentarios - si desactiva esta opción, los pasajes comentados se resaltarán solo si hace clic en el icono Comentarios en la barra lateral izquierda. Active la demostración de los comentarios resueltos - si desactiva esta función, los comentarios resueltos se esconderán en el texto del documento. Será capaz de ver estos comentarios solo si hace clic en el icono de Comentarios en la barra de herramientas izquierda. Guardar automáticamente se usa para activar/desactivar el autoguardado de cambios mientras edita. El Modo Co-edición se usa para seleccionar la visualización de los cambios realizados durante la co-edición: De forma predeterminada, el modo Rápido es seleccionado, los usuarios que participan en la co-edición del documento verán los cambios a tiempo real una vez que estos se lleven a cabo por otros usuarios. Si prefiere no ver los cambios de otros usuarios (para que no le moleste, o por otros motivos), seleccione el modo Estricto, y todos los cambios se mostrarán solo una vez que haga clic en el icono Guardar, notificándole que hay cambios de otros usuarios. Valor de zoom predeterminado se usa para establecer el valor de zoom predeterminado seleccionándolo en la lista de las opciones disponibles que van desde 50% hasta 200%. Tipo de letra Hinting se usa para seleccionar el tipo de letra que se muestra en el editor de hojas de cálculo: Elija como Windows si a usted le gusta cómo se muestran los tipos de letra en Windows (usando hinting de Windows). Elija como OS X si a usted le gusta como se muestran los tipos de letra en Mac (sin hinting). Elija Nativo si usted quiere que su texto se muestre con sugerencias de hinting incorporadas en archivos de fuentes. Unidad de medida se usa para especificar qué unidades se usan en las reglas y las ventanas de propiedades para medir ancho, altura, espaciado, márgenes y otros parámetros de elementos. Usted puede seleccionar la opción Centímetro o Punto. Idioma de fórmulas se usa para seleccionar el idioma en el que quiere ver e introducir los nombres de las fórmulas Ajustes regionales se usa para mostrar por defecto el formato de divisa, fecha y hora. Para guardar los cambios realizados, haga clic en el botón Aplicar." + "body": "El editor de hojas de cálculo le permite cambiar sus ajustes avanzados generales. Para acceder a ellos, abra la pestaña Archivo en la barra de herramientas superior y seleccione la opción Ajustes avanzados.... También puede hacer clic en el icono Mostrar Ajustes a la derecha del editor de encabezado y seleccionar la opción Ajustes Avanzados. Los ajustes avanzados generales son los siguientes: Visualización de Comentarios se usa para activar/desactivar la opción de comentar en tiempo real. Active la visualización de comentarios - si desactiva esta opción, los pasajes comentados se resaltarán solo si hace clic en el icono Comentarios en la barra lateral izquierda. Mostrar los comentarios resueltos - esta característica está desactivada por defecto de manera que los comentarios resueltos permanezcan ocultos en la hoja. Será capaz de ver estos comentarios solo si hace clic en el icono de Comentarios en la barra de herramientas izquierda. Active esta opción si desea mostrar los comentarios resueltos en la hoja. Guardar automáticamente se usa para activar/desactivar el autoguardado de cambios mientras edita. El Estilo de Referencia es usado para activar/desactivar el estilo de referencia R1C1. Por defecto, esta opción está desactivada y se usa el estilo de referencia A1.Cuando se usa el estilo de referencia A1, las columnas están designadas por letras y las filas por números. Si selecciona una celda ubicada en la fila 3 y columna 2, su dirección mostrada en la casilla a la izquierda de la barra de formulas se verá así: B3. Si el estilo de referencia R1C1 está activado, tanto las filas como columnas son designadas por números. Si usted selecciona la celda en la intersección de la fila 3 y columna 2, su dirección se verá así: R3C2. La letra R indica el número de fila y la letra C indica el número de columna. En caso que se refiera a otras celdas usando el estilo de referencia R1C1, la referencia a una celda objetivo se forma en base a la distancia desde una celda activa. Por ejemplo, cuando selecciona la celda en la fila 5 y columna 1 y se refiere a la celda en la fila 3 y columna 2, la referencia es R[-2]C[1]. Los números entre corchetes designan la posición de la celda a la que se refiere en relación a la posición de la celda actual, es decir, la celda objetivo esta 2 filas arriba y 1 columna a la derecha de la celda activa. Si selecciona la celda en la fila 1 y columna 2 y se refiere a la misma celda en la fila 3 y columna 2, la referencia es R[2]C, es decir, la celda objetivo está 2 filas hacia abajo de la celda activa y en la misma columna. El Modo Co-edición se usa para seleccionar la visualización de los cambios hechos durante la co-edición: De forma predeterminada, el modo Rápido es seleccionado, los usuarios que participan en la co-edición del documento verán los cambios a tiempo real una vez que estos se lleven a cabo por otros usuarios. Si prefiere no ver los cambios de otros usuarios (para que no le moleste, o por otros motivos), seleccione el modo Estricto, y todos los cambios se mostrarán solo una vez que haga clic en el icono Guardar, notificándole que hay cambios de otros usuarios. Valor de Zoom Predeterminado se usa para establecer el valor de zoom predeterminado seleccionándolo en la lista de las opciones disponibles que van desde 50% hasta 200%. Tipo de letra Hinting se usa para seleccionar el tipo de letra que se muestra en el editor de hojas de cálculo: Elija como Windows si a usted le gusta cómo se muestran los tipos de letra en Windows (usando hinting de Windows). Elija como OS X si a usted le gusta como se muestran los tipos de letra en Mac (sin hinting). Elija Nativo si usted quiere que su texto se muestre con sugerencias de hinting incorporadas en archivos de fuentes. Unidad de medida se usa para especificar qué unidades se usan en las reglas y las ventanas de propiedades para medir ancho, altura, espaciado, márgenes y otros parámetros de elementos. Usted puede seleccionar la opción Centímetro o Punto. Idioma de fórmulas se usa para seleccionar el idioma en el que quiere ver e introducir los nombres de las fórmulas Ajustes regionales se usa para mostrar por defecto el formato de divisa, fecha y hora. Para guardar los cambios realizados, haga clic en el botón Aplicar." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "La edición de hojas de cálculo colaborativa", - "body": "El editor de hojas de cálculo le ofrece la posibilidad de trabajar con un documento juntos con otros usuarios. Esta característica incluye: un acceso simultáneo y multiusuario al documento editado indicación visual de celdas que se han editados por otros usuarios sincronización de los cambios con tan solo un clic chat para intercambiar ideasen relación con partes de la hoja de cálculo comentarios que contienen la descripción de una tarea o un problema que debe resolverse Co-edición Editor del Documento permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior: Cuando un documento se está editando por varios usuarios simultáneamente en el modo Estricto, las celdas editadas, así como la pestaña del documento donde estas celdas están situadas aparecen marcadas con una línea discontinua de diferentes colores. Al poner el cursor del ratón sobre una de las celdas editadas, se muestra el nombre del usuario que está editando en este momento. El modo Rápido mostrará las acciones y los nombres de los co-editores cuando estén editando el texto. El número de los usuarios que están trabajando en el documento actual se especifica en la parte derecha del encabezado del editor - . Si quiere ver quién está editando el documento en un momento determinado, pulse este icono para abrir el panel Chat con la lista completa de los usuarios. Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así , y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde la hoja de cálculo: invite a nuevos usuarios y otórgueles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para manejar el acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando la hoja de cálculo en este momento y cuando hay otros usuarios y el icono parece como . También es posible establecer derechos de acceso utilizando el icono Compartir en la pestaña Colaboración de la barra de herramientas superior: Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono , los otros verán una nota en la esquina izquierda superior indicando que hay actualizaciones. Para guardar los cambios que ha hecho para que otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono en la esquina superior izquierda de la barra superior. Chat Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para arreglar con sus colaboradores quién está haciendo que, que parte de la hoja de cálculo va a editar ahora usted, etc. Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido de la hoja de cálculo es mejor usar comentarios que se almacenan hasta que usted decida eliminarlos. Para acceder al chat y dejar un mensaje para otros usuarios, haga clic en el ícono en la barra de herramientas de la izquierda, o cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Chat, introduzca su texto en el campo correspondiente debajo, pulse el botón Enviar. Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - . Para cerrar el panel con los mensajes de chat, haga clic en el icono una vez más. Comentarios Para dejar un comentario, seleccione una celda donde usted cree que hay algún problema o error, cambie a la pestaña a Insertar o Colaboración en la barra de herramientas superior y haga clic en el botón Comentarios o use el icono en la barra de herramientas izquierda para abrir el panel de Comentarios y haga clic en el enlace Añadir Comentario al Documento, o haga clic derecho en la celda seleccionada y seleccione la opción de Añadir Comentario del menú, introduzca el texto necesario, pulse el botón Añadir Comentario/Añadir. El comentario se mostrará en el panel izquierdo. El triángulo de color naranja aparecerá en la esquina derecha superior de la celda que usted ha comentado. Si usted tiene que desactivar esta función, pulse la pestaña Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de mostrar comentarios. En este caso las celdas comentadas serán marcadas solo si usted pulsa el icono . Para ver el comentario, simplemente haga clic sobre la celda. Usted o cualquier otro usuario puede contestar al comentario añadido preguntando o informando sobre el trabajo realizado. Para realizar esto, use el enlace Añadir respuesta. Usted puede organizar los comentarios que ha añadido de la siguiente manera: edítelos pulsando el icono , eliminar los comentarios pulsando en el icono , cierre la discusión pulsando en el icono si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono . Si tiene que esconder comentarios resueltos, haga clic en la pestaña de Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios resueltos y haga clic en Aplicar. En este caso los comentarios resueltos se resaltarán solo si usted hace clic en el icono . Si está usando el modo de co-edición Estricto, nuevos comentarios añadidos por otros usuarios serán visibles solo después de hacer clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Para cerrar el panel con comentarios, haga clic en el icono situado en la barra de herramientas izquierda una vez más." + "body": "El editor de hojas de cálculo le ofrece la posibilidad de trabajar con un documento juntos con otros usuarios. Esta función incluye: un acceso simultáneo y multiusuario al documento editado indicación visual de celdas que se han editados por otros usuarios visualización de cambios en tiempo real o sincronización de cambios al pulsar un botón chat para intercambiar ideasen relación con partes de la hoja de cálculo comentarios que contienen la descripción de una tarea o un problema que hay que resolver Co-edición Editor del Documento permite seleccionar uno de los dos modos de co-edición disponibles. Rápido se usa de forma predeterminada y muestra los cambios hechos por otros usuarios en tiempo real. Estricto se selecciona para ocultar los cambios de otros usuarios hasta que usted haga clic en el icono Guardar para guardar sus propios cambios y aceptar los cambios hechos por otros usuarios. El modo se puede seleccionar en los Ajustes Avanzados. También es posible elegir el modo necesario utilizando el icono Modo de Co-edición en la pestaña Colaboración de la barra de herramientas superior: Cuando un documento se está editando por varios usuarios simultáneamente en el modo Estricto, las celdas editadas, así como la pestaña del documento donde estas celdas están situadas aparecen marcadas con una línea discontinua de diferentes colores. Al poner el cursor del ratón sobre una de las celdas editadas, se muestra el nombre del usuario que está editando en este momento. El modo Rápido mostrará las acciones y los nombres de los coeditores cuando ellos están editando el texto. El número de los usuarios que están trabajando en el documento actual se especifica en la parte derecha del encabezado del editor - . Si quiere ver quién está editando el archivo en ese preciso momento, pulse este icono o abrir el panel Chat con la lista completa de los usuarios. Cuando ningún usuario está viendo o editando el archivo, el icono en el encabezado del editor estará así , y le permitirá a usted organizar los usuarios que tienen acceso al archivo desde la hoja de cálculo: invite a nuevos usuarios y otórgueles acceso completo o de solo lectura, o niegue a algunos usuarios los derechos de acceso al archivo. Haga clic en este icono para manejar el acceso al archivo; este se puede realizar cuando no hay otros usuarios que están viendo o co-editando la hoja de cálculo en este momento y cuando hay otros usuarios y el icono parece como . También es posible establecer derechos de acceso utilizando el icono Compartir en la pestaña Colaboración de la barra de herramientas superior: Cuando uno de los usuarios guarda sus cambios al hacer clic en el icono , los otros verán una nota en la esquina izquierda superior indicando que hay actualizaciones. Para guardar los cambios que usted ha realizado, y que así otros usuarios puedan verlos y obtener las actualizaciones guardadas por sus co-editores, haga clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Chat Usted puede usar esta herramienta para coordinar el proceso de co-edición sobre la marcha, por ejemplo, para arreglar con sus colaboradores quién está haciendo que, que parte de la hoja de cálculo va a editar ahora usted, etc. Los mensajes de Chat se almacenan solo durante una sesión. Para discutir el contenido de la hoja de cálculo es mejor usar comentarios que se almacenan hasta que usted decida eliminarlos. Para acceder al chat y dejar un mensaje para otros usuarios, Haga clic en el ícono en la barra de herramientas de la izquierda, o cambie a la pestaña Colaboración de la barra de herramientas superior y haga clic en el botón de Chat, introduzca su texto en el campo correspondiente debajo, pulse el botón Enviar. Todos los mensajes dejados por otros usuarios se mostrarán en el panel a la izquierda. Si hay mensajes nuevos que no ha leído todavía, el icono de chat aparecerá así - . Para cerrar el panel con los mensajes de chat, haga clic en el icono una vez más. Comentarios Para dejar un comentario, seleccione una celda donde usted cree que hay algún problema o error, cambie a la pestaña a Insertar o Colaboración en la barra de herramientas superior y haga clic en el botón Comentarios o use el icono en la barra de herramientas izquierda para abrir el panel de Comentarios y haga clic en el enlace Añadir Comentario al Documento, o haga clic derecho en la celda seleccionada y seleccione la opción de Añadir Comentario del menú, introduzca el texto necesario, pulse el botón Añadir Comentario/Añadir. El comentario se mostrará en el panel izquierdo. El triángulo de color naranja aparecerá en la esquina derecha superior de la celda que usted ha comentado. Si tiene que desactivar esta función, pulse lapestana Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios en tiempo real. En este caso las celdas comentadas serán marcadas solo si usted pulsa el icono . Para ver el comentario, simplemente haga clic sobre la celda. Usted o cualquier otro usuario puede contestar al comentario añadido preguntando o informando sobre el trabajo realizado. Para realizar esto, use el enlace Añadir respuesta. Puede gestionar sus comentarios añadidos de esta manera: editar los comentarios pulsando en el icono , eliminar los comentarios pulsando en el icono , cierre la discusión haciendo clic en el icono si la tarea o el problema que usted ha indicado en su comentario se ha solucionado, después de esto la discusión que usted ha abierto con su comentario obtendrá el estado de resuelta. Para abrir la discusión de nuevo, haga clic en el icono . Si tiene que esconder comentarios resueltos, haga clic en la pestaña de Archivo en la barra de herramientas superior, seleccione la opción Ajustes avanzados... y desmarque la casilla Activar opción de comentarios resueltos y haga clic en Aplicar. En este caso los comentarios resueltos se resaltarán solo si usted hace clic en el icono . Si está usando el modo de co-edición Estricto, nuevos comentarios añadidos por otros usuarios serán visibles solo después de hacer clic en el icono en la esquina superior izquierda de la barra de herramientas superior. Para cerrar el panel con comentarios, haga clic en el icono situado en la barra de herramientas izquierda una vez más." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", @@ -2258,7 +2258,12 @@ var indexes = { "id": "ProgramInterface/InsertTab.htm", "title": "Pestaña Insertar", - "body": "La pestaña Insertar permite añadir objetos visuales y comentarios a su hoja de cálculo. Si usa esta pestaña podrá: insertar imágenes, formas, cuadros de texto y objetos de texto de arte, gráficos, insertar comentarios y hiperenlaces, insertar ecuaciones." + "body": "La pestaña Insertar permite añadir objetos visuales y comentarios a su hoja de cálculo. Al usar esta pestaña podrás: insertar imágenes, formas, cuadros de texto y objetos de texto de arte, gráficos, insertar comentarios y hiperenlaces, insertar ecuaciones." + }, + { + "id": "ProgramInterface/LayoutTab.htm", + "title": "Pestaña Diseño", + "body": "La pestaña de Diseño le permite ajustar el aspecto de una hoja de cálculo: configurar parámetros de la página y definir la disposición de los elementos visuales. Al usar esta pestaña podrás: ajustar los márgenes, orientación, y tamaño de la página, alinear y ordenar objetos (imágenes, gráficos, formas)." }, { "id": "ProgramInterface/PivotTableTab.htm", @@ -2273,12 +2278,12 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introduciendo el interfaz de usuario de Editor de Hoja de Cálculo", - "body": "El Editor de Hoja de Cálculo usa un interfaz de pestañas donde los comandos de edición se agrupan en pestañas de manera funcional. El interfaz de edición consiste en los siguientes elementos principales: El Encabezado del editor muestra el logo, pestañas de menú, el nombre de la hoja de cálculo y dos iconos a la derecha que permiten ajustar derechos de acceso y volver a la lista de Documentos. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Tabla pivote, Colaboración, Extensiones.Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada. Barra de fórmulas permite introducir y editar fórmulas o valores en las celdas. Barra de fórmulas muestra el contenido de la celda seleccionada actualmente. La Barra de estado de debajo de la ventana del editor contiene varias herramientas de navegación: botones de navegación de hojas y botones de zoom. La Barra de estado también muestra el número de archivos filtrados si aplica un filtro, o los resultados de calculaciones automáticas si selecciona varias celdas que contienen datos. La barra lateral izquierda contiene iconos que permiten el uso de la herramienta de Buscar y Reemplazar, abrir el panel de Comentarios y Chat, contactar nuestro equipo de apoyo y mostrar la información sobre el programa. La barra lateral derecha permite ajustar los parámetros adicionales de objetos diferentes. Cuando selecciona un objeto en particular en una hoja de trabajo, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha. El área de trabajo permite ver contenido de la hoja de cálculo, introducir y editar datos. Barras de desplazamiento horizontal y vertical permiten desplazar hacia arriba/abajo e izquierda/derecha en la hoja actual. Para su conveniencia, puede ocultar varios componentes y mostrarlos de nuevo cuando sea necesario. Para aprender más sobre cómo ajustar los ajustes de vista vaya a esta página." + "body": "El Editor de Hoja de Cálculo usa un interfaz de pestañas donde los comandos de edición se agrupan en pestañas de manera funcional. El interfaz de edición consiste en los siguientes elementos principales: El Editor de Encabezado muestra el logo, pestañas de menú, nombre de la hoja de cálculo así como tres iconos a la derecha que permiten ajustar los derechos de acceso, regresar a la lista de Documentos, configurar los Ajustes de Visualización y acceder al editor de Ajustes Avanzados. La Barra de herramientas superior muestra un conjunto de comandos para editar dependiendo de la pestaña del menú que se ha seleccionado. Actualmente, las siguientes pestañas están disponibles: Archivo, Inicio, Insertar, Diseño, Tabla Dinámica, Colaboración, Plugins.Las opciones de Imprimir, Guardar, Copiar, Pegar, Deshacer y Rehacer están siempre disponibles en la parte izquierda de la Barra de Herramientas, independientemente de la pestaña seleccionada. Barra de fórmulas permite introducir y editar fórmulas o valores en las celdas. Barra de fórmulas muestra el contenido de la celda seleccionada actualmente. La Barra de estado de debajo de la ventana del editor contiene varias herramientas de navegación: botones de navegación de hojas y botones de zoom. La Barra de estado también muestra el número de archivos filtrados si aplica un filtro, o los resultados de calculaciones automáticas si selecciona varias celdas que contienen datos. La barra lateral izquierda contiene iconos que permiten el uso de la herramienta de Buscar y Reemplazar, abrir el panel de Comentarios y Chat, contactar nuestro equipo de apoyo y mostrar la información sobre el programa. La Barra lateral derecha permite ajustar parámetros adicionales de objetos distintos. Cuando selecciona un objeto en particular en una hoja de trabajo, el icono correspondiente se activa en la barra lateral derecha. Haga clic en este icono para expandir la barra lateral derecha. El área de trabajo permite ver contenido de la hoja de cálculo, introducir y editar datos. Barras de desplazamiento horizontal y vertical permiten desplazar hacia arriba/abajo e izquierda/derecha en la hoja actual. Para su conveniencia, puede ocultar varios componentes y mostrarlos de nuevo cuando sea necesario. Para aprender más sobre cómo ajustar los ajustes de vista vaya a esta página." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Añada bordes", - "body": "Para añadir y establecer el formato de una hoja de cálculo, seleccione una celda, un rango de celdas usando el ratón o toda la hoja de cálculo pulsando la combinación de las teclas Ctrl+A,Nota: también puede seleccionar varias celdas no contiguas si mantiene la tecla Ctrl presionada mientras selecciona las celdas/rangos con el ratón. haga clic en el icono Bordes situado en la pestaña de Inicio en la barra de herramientas superior, seleccione el estilo de borde que usted quiere aplicar: abra el submenú Estilo de Borde y seleccione una de las siguientes opciones, abra el submenú Color de Borde y seleccione el color que necesita de la paleta, seleccione una de las plantillas de bordes disponibles: Bordes externos , Todos los bordes , Bordes superiores , Bordes inferiores , Bordes izquierdos , Bordes derechos , Sin bordes , Bordes internos , Bordes verticales internos , Bordes horizontales internos , Borde diagonal ascendente , Borde diagonal descendente ;" + "body": "Para añadir y establecer el formato de una hoja de cálculo, seleccione una celda, un rango de celdas usando el ratón o toda la hoja de cálculo pulsando la combinación de las teclas Ctrl+A,Nota: también puede seleccionar varias celdas o rangos de celdas no adyacentes pulsando la tecla Ctrl mientras selecciona las celdas/rangos con el ratón. haga clic en el icono Bordes situado en la pestaña de Inicio de la barra de herramientas superior, o haga clic en el icono Ajustes de Celda en la barra de la derecha, seleccione el estilo de borde que usted quiere aplicar: abra el submenú Estilo de Borde y seleccione una de las siguientes opciones, abra el submenú Color de Borde y seleccione el color que necesita de la paleta, seleccione una de las plantillas de bordes disponibles: Bordes Externos , Todos los bordes , Bordes superiores , Bordes inferiores , Bordes izquierdos , Bordes derechos , Sin bordes , Bordes internos , Bordes verticales internos , Bordes horizontales internos , Borde diagonal ascendente , Borde diagonal descendente ." }, { "id": "UsageInstructions/AddHyperlinks.htm", @@ -2338,7 +2343,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Inserte imágenes", - "body": "El editor de hojas de cálculo le permite insertar imágenes de los formatos más populares en su hoja de cálculo. Los siguientes formatos de imágenes son compatibles: BMP, GIF, JPEG, JPG, PNG. Inserte una imagen Para insertar una imagen en la hoja de cálculo, ponga el cursor donde quiere que aparezca la imagen, cambie a la pestaña Insertar de la barra de herramientas superior, haga clic en el icono Imagen en la barra de herramientas superior, seleccione una de las opciones siguientes para cargar la imagen: la opción Imagen desde archivo abrirá la ventana de diálogo Windows para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK Después, la imagen se añadirá a su hoja de cálculo. Ajustes de imagen Una vez añadida la imagen usted puede cambiar su tamaño y posición. Para especificar las dimensiones exactas de la imagen: seleccione la imagen a la que usted quiere cambiar el tamaño con el ratón, pulse el icono Ajustes de imagen en la barra derecha lateral, En la sección Tamaño, establezca los valores de Ancho y Altura necesarios. Si hace clic en el botón proporciones constantes (en este caso estará así ), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado. Para reemplazar la imagen insertada, seleccione la imagen que usted quiere reemplazar con el ratón, pulse el icono Ajustes de imagen en la barra derecha lateral, en la sección Reemplazar imagen pulse el botón necesario: De archivo o De URL y seleccione la imagen deseada. La imagen seleccionada será reemplazada. Cuando se selecciona la imagen, el icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente. Para cambiar los ajustes avanzados, haga clic derecho sobre la imagen y seleccione la opción Ajustes avanzados en el menú contextual o pulse el enlace Mostrar ajustes avanzados en la derecha barra lateral. Se abrirá la ventana con parámetros de la imagen: La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma. Para borrar la imagen insertada, haga clic en esta y pulse la tecla Eliminar." + "body": "El editor de hojas de cálculo le permite insertar imágenes de los formatos más populares en su hoja de cálculo. Los siguientes formatos de imágenes son compatibles: BMP, GIF, JPEG, JPG, PNG. Inserte una imagen Para insertar una imagen en la hoja de cálculo, ponga el cursor en un lugar donde quiera que aparezca la imagen, cambie a la pestaña Insertar en la barra de herramientas superior, haga clic en el icono Imagen en la barra de herramientas superior, seleccione una de las opciones siguientes para cargar la imagen: la opción Imagen desde archivo abrirá la ventana de diálogo para la selección de archivo. Navegue el disco duro de su ordenador para encontrar un archivo correspondiente y haga clic en el botón Abrir la opción Imagen desde URL abrirá la ventana donde usted puede introducir la dirección web de la imagen correspondiente; después haga clic en el botón OK Después, la imagen se añadirá a su hoja de cálculo. Ajustes de imagen Una vez añadida la imagen usted puede cambiar su tamaño y posición. Para especificar las dimensiones exactas de la imagen: seleccione la imagen a la que usted quiere cambiar el tamaño con el ratón, pulse el icono Ajustes de imagen en la barra derecha lateral, En la sección Tamaño, establezca los valores de Ancho y Altura necesarios. Si hace clic en el botón proporciones constantes (en este caso estará así ), el ancho y la altura se cambiarán manteniendo la relación de aspecto original de la imagen. Para recuperar el tamaño predeterminado de la imagen añadida, pulse el botón Tamaño Predeterminado. Para reemplazar la imagen insertada, seleccione la imagen que usted quiere reemplazar con el ratón, pulse el icono Ajustes de imagen en la barra derecha lateral, en la sección Reemplazar imagen pulse el botón necesario: De archivo o De URL y seleccione la imagen deseada.Nota: también puede hacer clic derecho en la imagen y usar la opción Reemplazar imagen del menú contextual. La imagen seleccionada será reemplazada. Cuando se selecciona la imagen, el icono Ajustes de forma también está disponible a la derecha. Puede hacer clic en este icono para abrir la pestañaAjustes de forma en la barra de tareas derecha y ajustar la forma, tipo de estilo, tamaño y color así como cambiar el tipo de forma seleccionando otra forma del menú Cambiar autoforma. La forma de la imagen cambiará correspondientemente. Para cambiar los ajustes avanzados, haga clic derecho sobre la imagen y seleccione la opción Ajustes avanzados en el menú contextual o pulse el enlace Mostrar ajustes avanzados en la derecha barra lateral. Se abrirá la ventana con parámetros de la imagen: La pestaña de Texto Alternativo permite especificar un Título y Descripción que se leerán a las personas con problemas de visión o cognitivos para ayudarles a entender mejor la información de la forma. Para borrar la imagen insertada, haga clic en esta y pulse la tecla Eliminar." }, { "id": "UsageInstructions/InsertTextObjects.htm", @@ -2353,7 +2358,7 @@ var indexes = { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Maneje objetos", - "body": "Usted puede cambiar el tamaño, desplazar, girar y organizar autoformas, imágenes y gráficos insertados en su hoja de cálculo. Cambiar el tamaño de objetos Para cambiar el tamaño de autoforma/imagen/gráfico, arrastre los pequeños cuadrados situados en los bordes de la imagen/autoforma. Para mantener las proporciones originales del objeto seleccionado mientras cambia de tamaño, mantenga apretada la tecla Shift y arrastre uno de los iconos de las esquinas. Nota: para cambiar el tamaño del gráfico o imagen insertado usted también puede usar la derecha barra lateral que se activará cuando seleccione el objeto necesario. Para abrirla, pulse el icono Ajustes de gráfico o Ajustes de imagen a la derecha. Mueve objetos Para cambiar la posición de autoforma/imagen/gráfico, utilice el icono que aparece si mantiene cursor de su ratón sobre el objeto. Arrastre el objeto a la posición necesaria sin soltar el botón de ratón. Para desplazar el objeto en incrementos de un píxel, mantenga apretada la tecla Ctrl y use las flechas en el teclado. Para desplazar los objetos horizontalmente o verticalmente y para que no se muevan en una dirección perpendicular, mantenga la tecla Shift apretada al arrastrar el objeto. Gire objetos Para girar la autoforma/imagen, mantenga el cursor del ratón sobre el controlador de giro y arrástrelo en la dirección de las agujas del reloj o en el sentido contrario. Para limitar el ángulo de rotación hasta un incremento de 15 grados, mantenga apretada la tecla Shift mientras rota. Cambie forma de autoformas Al modificar unas formas, por ejemplo flechas o llamadas, puede notar el icono rombo amarillo . Le permite ajustar unos aspectos de forma, por ejemplo, la longitud de la punta de flecha. Organizar varios objetos Si hay algunos objetos (autoformas, imágenes y gráficos) que se superponen usted puede organizarlos haciendo clic sobre el objeto necesario con el ratón y seleccionando el tipo de disposición deseado en el menú contextual: Traer al primer plano - para mover el objeto seleccionado delante de otros objetos, Enviar al fondo - para mover el objeto seleccionado detrás de otros objetos, Traer adelante - para mover el objeto seleccionado un nivel hacia delante en lo relativo a otros objetos, Enviar atrás - para mover el objeto seleccionado un nivel hacia atrás en lo relativo a otros objetos. Agrupe varios objetos Para manejar varios objetos a la vez, usted puede agruparlos. Mantenga apretada la tecla Ctrl al seleccionar objetos con el ratón, después haga clic derecho para abrir el menú contextual y seleccione la opción Agrupar. Para desagruparlos, seleccione los objetos requeridos con el ratón y utilice la opción Desagrupar en el menú contextual." + "body": "Usted puede cambiar el tamaño, desplazar, girar y organizar autoformas, imágenes y gráficos insertados en su hoja de cálculo. Cambiar el tamaño de objetos Para cambiar el tamaño de autoforma/imagen/gráfico, arrastre los pequeños cuadrados situados en los bordes de la imagen/autoforma. Para mantener las proporciones originales del objeto seleccionado mientras cambia de tamaño, mantenga apretada la tecla Shift y arrastre uno de los iconos de las esquinas. Nota: para cambiar el tamaño del gráfico o imagen insertado usted también puede usar la derecha barra lateral que se activará cuando seleccione el objeto necesario. Para abrirla, pulse el icono Ajustes de gráfico o Ajustes de imagen a la derecha. Mueve objetos Para cambiar la posición de autoforma/imagen/gráfico, utilice el icono que aparece si mantiene cursor de su ratón sobre el objeto. Arrastre el objeto a la posición necesaria sin soltar el botón de ratón. Para desplazar el objeto en incrementos de un píxel, mantenga apretada la tecla Ctrl y use las flechas en el teclado. Para desplazar los objetos horizontalmente o verticalmente, y para que no se muevan en una dirección perpendicular, mantenga la tecla Shift apretada al arrastrar el objeto. Gire objetos Para girar la autoforma/imagen, mantenga el cursor del ratón sobre el controlador de giro y arrástrelo en la dirección de las agujas del reloj o en el sentido contrario. Para limitar el ángulo de rotación hasta un incremento de 15 grados, mantenga apretada la tecla Shift mientras rota. Cambie forma de autoformas Al modificar unas formas, por ejemplo flechas o llamadas, puede notar el icono rombo amarillo . Le permite ajustar unos aspectos de forma, por ejemplo, la longitud de la punta de flecha. Alinear objetos Para alinear los objetos seleccionados en relación a sí mismos, mantenga pulsada la tecla Ctrl mientras selecciona los objetos con el ratón, luego haga clic en el icono Alinear en la pestaña Diseño en la barra de herramientas superior y seleccione el tipo de alineación requerida de la lista: Alinear a la Izquierda - para alinear los objetos del lado izquierdo en relación a sí mismos, Alinear al Centro - para alinear los objetos por su centro en relación a sí mismos, Alinear a la Derecha - para alinear los objetos del lado derecho en relación a sí mismos, Alinear Arriba - para alinear los objetos por el lado superior en relación a sí mismos, Alinear al Medio - para alinear los objetos por el medio en relación a sí mismos, Alinear al Fondo - para alinear los objetos por el lado inferior en relación a sí mismos. Agrupe varios objetos Para manejar varios objetos a la vez, usted puede agruparlos. Mantenga pulsada la tecla Ctrl mientras selecciona los objetos con el ratón, luego haga clic en la flecha junto al icono Agrupar en la pestaña Diseño en la barra de herramientas superior y seleccione la opción necesaria en la lista: Agrupar - para unir varios objetos al grupo para que sea posible girarlos, desplazarlos, cambiar el tamaño y formato, alinearlos, arreglarlos, copiarlos y pegarlos como si fuera un solo objeto. Desagrupar - para desagrupar el grupo de los objetos previamente seleccionados. También puede hacer clic derecho en los objetos seleccionados y escoger la opción Agrupar o Desagrupar del menú contextual. Organizar varios objetos Para organizar objetos (por ejemplo cambiar su orden cuando unos objetos sobreponen uno al otro), pulse los iconos Adelantar y Enviar atrás en la barra de herramientas superior de Diseño y seleccione el tipo de disposición necesaria en la lista: Para mover el (los) objeto(s) seleccionado(s) hacia delante, haga clic en el icono Mover hacia delante en la barra de herramientas superior de Formato y seleccione el tipo de organización necesaria de la lista: Traer al frente - para desplazar el objeto (o varios objetos) delante de los otros, Traer adelante - para desplazar el objeto (o varios objetos) en un punto hacia delante de otros objetos. Para mover el (los) objeto(s) seleccionado(s) hacia detrás, haga clic en la flecha de al lado del icono Mover hacia detrás en la pestaña Formato en la barra de herramientas superior y seleccione el tipo de organización necesaria en la lista: Enviar al fondo - para desplazar el objeto (o varios objetos) detrás de los otros, Enviar atrás - para desplazar el objeto (o varios objetos) en un punto hacia atrás de otros objetos." }, { "id": "UsageInstructions/MergeCells.htm", @@ -2373,7 +2378,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Guarde/imprima/descargue su hoja de cálculo", - "body": "De manera predeterminada, el editor de hojas de cálculo guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si está editando el archivo con varias personas a la vez en el modo Rápido, el temporizador requiere actualizaciones 25 veces por segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias personas a la vez en el modo Estricto, los cambios se guardan cada 10 minutos. Si lo necesita, puede de forma fácil seleccionar el modo de co-edición preferido o desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar su hoja de cálculo actual manualmente, pulse el icono Guardar en la barra de herramientas superior, o use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Para descargar la consiguiente hoja de cálculo al disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV.Nota: si selecciona el formato CSV, todas las características (formato de letra, fórmulas etc.) excepto el texto plano no se guardarán en el archivo CSV. Si continua el guardado, la ventana Elegir Opciones CSV se abrirá. de manera predeterminada, Unicode (UTF-8) se usa como el tipo de Codificación. El Delimitador por defecto es coma (,), pero las siguientes opciones también están disponibles: punto y coma (;), dos puntos (:), Tab, Espacio y Otro (esta opción le permite ajustar un carácter delimitador personalizado). Para imprimir la hoja de cálculo actual, pulse el icono Imprimir en la barra de herramientas superior, o use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir. La ventana de Ajustes de impresión se abrirá, y podrá cambiar los ajustes de impresión de defecto. Haga clic en el botón Mostrar detalles al final de la ventana para mostrar todos los parámetros. Nota: usted también puede cambiar los ajustes de impresión en la página Ajustes avanzados...: pulse la pestaña Archivo de la barra de herramientas superior, y siga Ajustes avanzados... >> Ajustes de página. Aquí usted puede ajustar los parámetros siguientes: Área de impresión - especifique lo que quiere imprimir: toda la Hoja actual, Todas las hojas de su hoja de cálculo o el rango de celdas previamente seleccionado (Selección), Ajustes de la hoja - especifica ajustes de impresión individuales para cada hoja de forma separada, si tiene seleccionada la opción Todas las hojas en la lista desplegable Rano de impresión, Tamaño de página - seleccione uno de los tamaños disponibles en la lista desplegable, Orientación de la página - seleccione la opción Vertical si usted quiere imprimir la página verticalmente, o use la opción Horizontal para imprimirla horizontalmente, Escalada - si no quiere que algunas columnas o filas se impriman en una segunda página, puede minimizar los contenidos de la hoja para que ocupen solo una página si selecciona la opción correspondiente: Ajustar hoja en una página, Ajustar todas las columnas en una página o Ajustar todas las filas en una página. Deje la opción Tamaño actual para imprimir la hoja sin ajustar. Márgenes - especifique la distancia entre datos de la hoja de cálculo y los bordes de la página imprimible cambiando los tamaños predeterminados en los campos Superior, Inferior, Izquierdo y Derecho, Imprimir - especifique elementos de la hoja que quiere imprimir marcando las casillas correspondientes: Imprimir Cuadricula y Imprimir títulos de filas y columnas. Una vez establecidos los parámetros, pulse el botón Guardar e imprimir para aplicar los cambios y cerrar la ventana. Después un archivo PDF será generado en la base de la hoja de cálculo. Usted puede abrirlo e imprimirlo , o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde." + "body": "De manera predeterminada, el editor de hojas de cálculo guarda su archivo cada 2 segundos automáticamente preveniendo la pérdida de datos en caso de un cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar su hoja de cálculo actual manualmente, pulse el icono Guardar en la barra de herramientas superior, o use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Para descargar la consiguiente hoja de cálculo al disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV.Nota: si selecciona el formato CSV, todas las características (formato de letra, fórmulas etc.) excepto el texto plano no se guardarán en el archivo CSV. Si continua el guardado, la ventana Elegir Opciones CSV se abrirá. de manera predeterminada, Unicode (UTF-8) se usa como el tipo de Codificación. El Delimitador por defecto es coma (,), pero también están disponibles las siguientes opciones: punto y coma (;), dos puntos (:), Tabulación, Espacio y Otro (esta opción le permite establecer un carácter delimitador personalizado). Para imprimir la hoja de cálculo actual, pulse el icono Imprimir en la barra de herramientas superior, o use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir. La ventana de Ajustes de impresión se abrirá, y podrá cambiar los ajustes de impresión de defecto. Haga clic en el botón Mostrar detalles al final de la ventana para mostrar todos los parámetros. Nota: usted también puede cambiar los ajustes de impresión en la página Ajustes avanzados...: pulse la pestaña Archivo de la barra de herramientas superior, y siga Ajustes avanzados... >> Ajustes de Página. Algunos de estos ajustes (Márgenes, Orientación y Tamaño de página) también están disponibles en la pestaña Diseño de la barra de herramientas superior. Aquí usted puede ajustar los parámetros siguientes: Área de impresión - especifique lo que quiere imprimir: toda la Hoja actual, Todas las hojas de su hoja de cálculo o el rango de celdas previamente seleccionado (Selección), Ajustes de la hoja - especifica ajustes de impresión individuales para cada hoja de forma separada, si tiene seleccionada la opción Todas las hojas en la lista desplegable Rano de impresión, Tamaño de página - seleccione uno de los tamaños disponibles en la lista desplegable, Orientación de la página - seleccione la opción Vertical si usted quiere imprimir la página verticalmente, o use la opción Horizontal para imprimirla horizontalmente, Escalada - si no quiere que algunas columnas o filas se impriman en una segunda página, puede minimizar los contenidos de la hoja para que ocupen solo una página si selecciona la opción correspondiente: Ajustar hoja en una página, Ajustar todas las columnas en una página o Ajustar todas las filas en una página. Deje la opción Tamaño actual para imprimir la hoja sin ajustar. Márgenes - especifique la distancia entre datos de la hoja de cálculo y los bordes de la página imprimible cambiando los tamaños predeterminados en los campos Superior, Inferior, Izquierdo y Derecho, Imprimir - especifique elementos de la hoja que quiere imprimir marcando las casillas correspondientes: Imprimir Cuadricula y Imprimir títulos de filas y columnas. Una vez establecidos los parámetros, pulse el botón Guardar e imprimir para aplicar los cambios y cerrar la ventana. Después un archivo PDF será generado en la base de la hoja de cálculo. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde." }, { "id": "UsageInstructions/SortData.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/es/search/search.html b/apps/spreadsheeteditor/main/resources/help/es/search/search.html index 318efd8e2..5ecef254f 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/search/search.html +++ b/apps/spreadsheeteditor/main/resources/help/es/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                                  ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index 79eb3ee8b..27334682b 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -14,15 +14,20 @@

                                  Paramètres avancés de Spreadsheet Editor

                                  -

                                  Spreadsheet Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également utiliser l'icône Paramètres avancés dans le coin supérieur droit de l'onglet Accueil de la barre d'outils supérieure.

                                  +

                                  Spreadsheet Editor vous permet de modifier ses paramètres avancés. Pour y accéder, ouvrez l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Paramètres avancés.... Vous pouvez également cliquer sur l'icône Paramètres d'affichage Icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionner l'option Paramètres avancés.

                                  Les paramètres avancés sont les suivants :

                          Function Category
                          Text and Data Functions Are used to correctly display the text data in your spreadsheet.CHAR; CLEAN; CODE; CONCATENATE; CONCAT; DOLLAR; EXACT; FIND; FINDB; FIXED; LEFT; LEFTB; LEN; LENB; LOWER; MID; MIDB; NUMBERVALUE; PROPER; REPLACE; REPLACEB; REPT; RIGHT; RIGHTB; SEARCH; SEARCHB; SUBSTITUTE; T; TEXT; TEXTJOIN; TRIM; UNICHAR; UNICODE; UPPER; VALUEASC; CHAR; CLEAN; CODE; CONCATENATE; CONCAT; DOLLAR; EXACT; FIND; FINDB; FIXED; LEFT; LEFTB; LEN; LENB; LOWER; MID; MIDB; NUMBERVALUE; PROPER; REPLACE; REPLACEB; REPT; RIGHT; RIGHTB; SEARCH; SEARCHB; SUBSTITUTE; T; TEXT; TEXTJOIN; TRIM; UNICHAR; UNICODE; UPPER; VALUE
                          Statistical Functions Are used to analyze data: finding the average value, the largest or smallest values in a range of cells.AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TESTAVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BETAINV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST
                          Math and Trigonometry Functions
                          Lookup and Reference Functions Are used to easily find the information from the data list.ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; VLOOKUPADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; HYPERLINLK; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; VLOOKUP
                          Information Functions
                          - - - - - - - - - - - - - +
                            +
                          • Windows/Linux
                          • + +
                          • Mac OS
                          • +
                          +
                          Работа с электронной таблицей
                          Открыть панель 'Файл'Alt+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам.
                          Открыть окно 'Поиск и замена'Ctrl+FОткрыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы.
                          + + + + + + + + + + + + + + + - + + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - - + + + + + + + + + - + + - - - - - - + + - - + + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - + + - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + - - - - - + + + + + + - + + - + - + - + + - + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - + + - + + - - - - - - - - + + + + + + + + + - + + - + + - + - + + - + + - + + - + + - + + - - + + + - - + + + - + + - + - + + - + + - + + - + + - - + + + -
                          Работа с электронной таблицей
                          Открыть панель 'Файл'Alt+F⌥ Option+FОткрыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам.
                          Открыть окно 'Поиск и замена'Ctrl+F^ Ctrl+F,
                          ⌘ Cmd+F
                          Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы.
                          Открыть окно 'Поиск и замена' с полем заменыCtrl+HCtrl+H^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов.
                          Открыть панель 'Комментарии'Ctrl+Shift+HCtrl+⇧ Shift+H^ Ctrl+⇧ Shift+H,
                          ⌘ Cmd+⇧ Shift+H
                          Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей.
                          Открыть поле комментарияAlt+HAlt+H⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария.
                          Открыть панель 'Чат'Alt+QОткрыть панель Чат и отправить сообщение.
                          Сохранить электронную таблицуCtrl+SСохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                          Печать электронной таблицыCtrl+PРаспечатать электронную таблицу на одном из доступных принтеров или сохранить в файл.
                          Скачать как...Ctrl+Shift+SОткрыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV.
                          Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран.
                          Открыть панель 'Чат'Alt+Q⌥ Option+QОткрыть панель Чат и отправить сообщение.
                          Сохранить электронную таблицуCtrl+S^ Ctrl+S,
                          ⌘ Cmd+S
                          Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате.
                          Печать электронной таблицыCtrl+P^ Ctrl+P,
                          ⌘ Cmd+P
                          Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл.
                          Скачать как...Ctrl+⇧ Shift+S^ Ctrl+⇧ Shift+S,
                          ⌘ Cmd+⇧ Shift+S
                          Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.
                          Полноэкранный режимF11Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран.
                          Меню СправкаF1F1F1 Открыть меню Справка онлайн-редактора электронных таблиц.
                          Открыть существующий файлCtrl+OОткрыть существующий файл (десктопные редакторы)Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла.
                          Закрыть файл (десктопные редакторы)Ctrl+W,
                          Ctrl+F4
                          ^ Ctrl+W,
                          ⌘ Cmd+W
                          Закрыть выбранную рабочую книгу в десктопных редакторах.
                          Контекстное меню элементаShift+F10⇧ Shift+F10⇧ Shift+F10 Открыть контекстное меню выбранного элемента.
                          Закрыть файлCtrl+WЗакрыть выбранную рабочую книгу.
                          Навигация
                          Навигация
                          Перейти на одну ячейку вверх, вниз, влево или вправоКлавиши со стрелками Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее.
                          Перейти к краю текущей области данныхCtrl+Клавиши со стрелкамиCtrl+ ⌘ Cmd+ Выделить ячейку на краю текущей области данных на листе.
                          Перейти в начало строкиHomeВыделить ячейку в столбце A текущей строки.
                          Перейти в начало электронной таблицыCtrl+HomeВыделить ячейку A1.
                          Перейти в конец строкиEnd или Ctrl+Стрелка вправоВыделить последнюю ячейку текущей строки.
                          Перейти в конец электронной таблицыCtrl+EndВыделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста.
                          Перейти на предыдущий листAlt+Page UpПерейти на предыдущий лист электронной таблицы.
                          Перейти на следующий листAlt+Page DownПерейти на следующий лист электронной таблицы.
                          Перейти на одну строку вверхСтрелка вверх или Shift+EnterВыделить ячейку выше текущей, расположенную в том же самом столбце.
                          Перейти на одну строку внизСтрелка вниз или EnterВыделить ячейку ниже текущей, расположенную в том же самом столбце.
                          Перейти на один столбец влевоСтрелка влево или
                          Shift+Tab
                          Выделить предыдущую ячейку текущей строки.
                          Перейти на один столбец вправоСтрелка вправо или
                          Tab
                          Выделить следующую ячейку текущей строки.
                          Перейти в начало строкиHomeHomeВыделить ячейку в столбце A текущей строки.
                          Перейти в начало электронной таблицыCtrl+Home^ Ctrl+HomeВыделить ячейку A1.
                          Перейти в конец строкиEnd,
                          Ctrl+
                          End,
                          ⌘ Cmd+
                          Выделить последнюю ячейку текущей строки.
                          Перейти в конец электронной таблицыCtrl+End^ Ctrl+EndВыделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста.
                          Перейти на предыдущий листAlt+Page Up⌥ Option+Page UpПерейти на предыдущий лист электронной таблицы.
                          Перейти на следующий листAlt+Page Down⌥ Option+Page DownПерейти на следующий лист электронной таблицы.
                          Перейти на одну строку вверх,
                          ⇧ Shift+↵ Enter
                          ⇧ Shift+↵ ReturnВыделить ячейку выше текущей, расположенную в том же самом столбце.
                          Перейти на одну строку вниз,
                          ↵ Enter
                          ↵ ReturnВыделить ячейку ниже текущей, расположенную в том же самом столбце.
                          Перейти на один столбец влево,
                          ⇧ Shift+↹ Tab
                          ,
                          ⇧ Shift+↹ Tab
                          Выделить предыдущую ячейку текущей строки.
                          Перейти на один столбец вправо,
                          ↹ Tab
                          ,
                          ↹ Tab
                          Выделить следующую ячейку текущей строки.
                          Перейти на один экран внизPage DownPage DownPage Down Перейти на один экран вниз по рабочему листу.
                          Перейти на один экран вверхPage UpPage UpPage Up Перейти на один экран вверх по рабочему листу.
                          УвеличитьCtrl+Знак "Плюс" (+)Ctrl++^ Ctrl+=,
                          ⌘ Cmd+=
                          Увеличить масштаб редактируемой электронной таблицы.
                          УменьшитьCtrl+Знак "Минус" (-)Ctrl+-^ Ctrl+-,
                          ⌘ Cmd+-
                          Уменьшить масштаб редактируемой электронной таблицы.
                          Выделение данных
                          Выделить всеCtrl+A или
                          Ctrl+Shift+Пробел
                          Выделить весь рабочий лист.
                          Выделить столбецCtrl+ПробелВыделить весь столбец на рабочем листе.
                          Выделить строкуShift+ПробелВыделить всю строку на рабочем листе.
                          Выделить фрагментShift+СтрелкаВыделять ячейку за ячейкой.
                          Выделить с позиции курсора до начала строкиShift+HomeВыделить фрагмент с позиции курсора до начала текущей строки.
                          Выделить с позиции курсора до конца строкиShift+EndВыделить фрагмент с позиции курсора до конца текущей строки.
                          Расширить выделенный диапазон до начала рабочего листаCtrl+Shift+HomeВыделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа.
                          Выделение данных
                          Выделить всеCtrl+A,
                          Ctrl+⇧ Shift+␣ Spacebar
                          ⌘ Cmd+AВыделить весь рабочий лист.
                          Выделить столбецCtrl+␣ Spacebar^ Ctrl+␣ SpacebarВыделить весь столбец на рабочем листе.
                          Выделить строку⇧ Shift+␣ Spacebar⇧ Shift+␣ SpacebarВыделить всю строку на рабочем листе.
                          Выделить фрагмент⇧ Shift+ ⇧ Shift+ Выделять ячейку за ячейкой.
                          Выделить с позиции курсора до начала строки⇧ Shift+Home⇧ Shift+HomeВыделить фрагмент с позиции курсора до начала текущей строки.
                          Выделить с позиции курсора до конца строки⇧ Shift+End⇧ Shift+EndВыделить фрагмент с позиции курсора до конца текущей строки.
                          Расширить выделенный диапазон до начала рабочего листаCtrl+⇧ Shift+Home^ Ctrl+⇧ Shift+HomeВыделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа.
                          Расширить выделенный диапазон до последней используемой ячейкиCtrl+Shift+EndCtrl+⇧ Shift+End^ Ctrl+⇧ Shift+End Выделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул.
                          Выделить одну ячейку слеваShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Выделить одну ячейку слева в таблице.
                          Выделить одну ячейку справаTab↹ Tab↹ Tab Выделить одну ячейку справа в таблице.
                          Расширить выделенный диапазон до последней непустой ячейкиCtrl+Shift+Клавиши со стрелкамиРасширить выделенный диапазон до последней непустой ячейки в том же столбце или строке, что и активная ячейка. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.Расширить выделенный диапазон до последней непустой ячейки справа⇧ Shift+Alt+End,
                          Ctrl+⇧ Shift+
                          ⇧ Shift+⌥ Option+EndРасширить выделенный диапазон до последней непустой ячейки в той же строке справа от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                          Расширить выделенный диапазон до последней непустой ячейки слева⇧ Shift+Alt+Home,
                          Ctrl+⇧ Shift+
                          ⇧ Shift+⌥ Option+HomeРасширить выделенный диапазон до последней непустой ячейки в той же строке слева от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                          Расширить выделенный диапазон до последней непустой ячейки сверху/снизу в столбцеCtrl+⇧ Shift+ Расширить выделенный диапазон до последней непустой ячейки в том же столбце сверху/снизу от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки.
                          Расширить выделенный диапазон на один экран вниз⇧ Shift+Page Down⇧ Shift+Page DownРасширить выделенный диапазон, чтобы включить все ячейки на один экран вниз от активной ячейки.
                          Расширить выделенный диапазон на один экран вверх⇧ Shift+Page Up⇧ Shift+Page UpРасширить выделенный диапазон, чтобы включить все ячейки на один экран вверх от активной ячейки.
                          Отмена и повтор
                          ОтменитьCtrl+Z⌘ Cmd+ZОтменить последнее выполненное действие.
                          ПовторитьCtrl+Y⌘ Cmd+YПовторить последнее отмененное действие.
                          Вырезание, копирование и вставка
                          ВырезатьCtrl+X,
                          ⇧ Shift+Delete
                          ⌘ Cmd+XВырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                          КопироватьCtrl+C,
                          Ctrl+Insert
                          ⌘ Cmd+CОтправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                          ВставитьCtrl+V,
                          ⇧ Shift+Insert
                          ⌘ Cmd+VВставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы.
                          Форматирование данных
                          Жирный шрифтCtrl+B^ Ctrl+B,
                          ⌘ Cmd+B
                          Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность, или удалить форматирование жирным шрифтом.
                          КурсивCtrl+I^ Ctrl+I,
                          ⌘ Cmd+I
                          Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом.
                          Подчеркнутый шрифтCtrl+U^ Ctrl+U,
                          ⌘ Cmd+U
                          Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание.
                          Отмена и повтор
                          ОтменитьCtrl+ZОтменить последнее выполненное действие.
                          ПовторитьCtrl+YПовторить последнее отмененное действие.
                          Вырезание, копирование и вставка
                          ВырезатьCtrl+X, Shift+DeleteВырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                          КопироватьCtrl+C, Ctrl+InsertОтправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу.
                          ВставитьCtrl+V, Shift+InsertВставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы.
                          Форматирование данных
                          Жирный шрифтCtrl+BСделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность, или удалить форматирование жирным шрифтом.
                          КурсивCtrl+IСделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом.
                          Подчеркнутый шрифтCtrl+UПодчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание.
                          Зачеркнутый шрифтCtrl+5Ctrl+5^ Ctrl+5,
                          ⌘ Cmd+5
                          Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание.
                          Добавить гиперссылкуCtrl+KВставить гиперссылку на внешний сайт или на другой рабочий лист.
                          Добавить гиперссылкуCtrl+K⌘ Cmd+KВставить гиперссылку на внешний сайт или на другой рабочий лист.
                          Редактирование активной ячейкиF2
                          CONTROL+U (для Mac)
                          F2F2 Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул.
                          Фильтрация данныхФильтрация данных
                          Включить/Удалить фильтрCtrl+Shift+LCtrl+⇧ Shift+L^ Ctrl+⇧ Shift+L,
                          ⌘ Cmd+⇧ Shift+L
                          Включить фильтр для выбранного диапазона ячеек или удалить фильтр.
                          Форматировать как таблицуCtrl+LCtrl+L^ Ctrl+L,
                          ⌘ Cmd+L
                          Применить к выбранному диапазону ячеек форматирование таблицы.
                          Ввод данных
                          Завершить ввод в ячейку и перейти внизEnterЗавершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже.
                          Завершить ввод в ячейку и перейти вверхShift+EnterЗавершить ввод в выделенную ячейку и перейти в ячейку выше.
                          Начать новую строкуAlt+EnterНачать новую строку в той же самой ячейке.
                          ОтменаEscОтменить ввод в выделенную ячейку или строку формул.
                          Удалить знак слеваBackspaceУдалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки.
                          Удалить знак справаDeleteУдалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии.
                          Очистить содержимое ячеекDeleteУдалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии.
                          Ввод данных
                          Завершить ввод в ячейку и перейти вниз↵ Enter↵ ReturnЗавершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже.
                          Завершить ввод в ячейку и перейти вверх⇧ Shift+↵ Enter⇧ Shift+↵ ReturnЗавершить ввод в выделенную ячейку и перейти в ячейку выше.
                          Начать новую строкуAlt+↵ EnterНачать новую строку в той же самой ячейке.
                          ОтменаEscEscОтменить ввод в выделенную ячейку или строку формул.
                          Удалить знак слева← Backspace← BackspaceУдалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки.
                          Удалить знак справаDeleteDelete,
                          Fn+← Backspace
                          Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии.
                          Очистить содержимое ячеекDelete,
                          ← Backspace
                          Delete,
                          ← Backspace
                          Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии.
                          Завершить ввод в ячейку и перейти вправоTab↹ Tab↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа.
                          Завершить ввод в ячейку и перейти влевоShift+Tab⇧ Shift+↹ Tab⇧ Shift+↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева.
                          Функции
                          Функция SUMAlt+Знак "Равно" (=)Вставить функцию SUM в выделенную ячейку.
                          Функции
                          Функция SUMAlt+=⌥ Option+=Вставить функцию SUM в выделенную ячейку.
                          Открыть выпадающий список Alt+Стрелка внизAlt+ Открыть выбранный выпадающий список.
                          Открыть контекстное менюКлавиша вызова контекстного меню≣ Menu Открыть контекстное меню для выбранной ячейки или диапазона ячеек.
                          Форматы данныхФорматы данных
                          Открыть диалоговое окно 'Числовой формат'Ctrl+1Ctrl+1^ Ctrl+1 Открыть диалоговое окно Числовой формат.
                          Применить общий форматCtrl+Shift+~Ctrl+⇧ Shift+~^ Ctrl+⇧ Shift+~ Применить Общий числовой формат.
                          Применить денежный форматCtrl+Shift+$Ctrl+⇧ Shift+$^ Ctrl+⇧ Shift+$ Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках).
                          Применить процентный форматCtrl+Shift+%Ctrl+⇧ Shift+%^ Ctrl+⇧ Shift+% Применить Процентный формат без дробной части.
                          Применить экспоненциальный форматCtrl+Shift+^Ctrl+⇧ Shift+^^ Ctrl+⇧ Shift+^ Применить Экспоненциальный числовой формат с двумя десятичными знаками.
                          Применить формат датыCtrl+Shift+#Применить формат Даты с указанием дня, месяца и года..Ctrl+⇧ Shift+#^ Ctrl+⇧ Shift+#Применить формат Даты с указанием дня, месяца и года.
                          Применить формат времениCtrl+Shift+@Применить формат Времени с отображением часов и минут и индексами AM или PM.Ctrl+⇧ Shift+@^ Ctrl+⇧ Shift+@Применить формат Времени с отображением часов и минут и индексами AM или PM.
                          Применить числовой форматCtrl+Shift+!Ctrl+⇧ Shift+!^ Ctrl+⇧ Shift+! Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений.
                          Модификация объектовМодификация объектов
                          Ограничить движениеShift+перетаскивание⇧ Shift + перетаскивание⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали.
                          Задать угол поворота в 15 градусовShift+перетаскивание (при поворачивании)⇧ Shift + перетаскивание (при поворачивании)⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов.
                          Сохранять пропорцииShift+перетаскивание (при изменении размера)⇧ Shift + перетаскивание (при изменении размера)⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера.
                          Нарисовать прямую линию или стрелкуShift+перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок)⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов.
                          Перемещение с шагом в один пиксельCtrl+Клавиши со стрелкамиУдерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.Ctrl+ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз.
                          + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm index c1e5f0970..ff66d011d 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm @@ -30,7 +30,7 @@
                        • Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей.

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

                        -

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

                        +

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

                        Используйте инструменты навигации

                        Для осуществления навигации по электронной таблице используйте следующие инструменты:

                        Полосы прокрутки (внизу или справа) используются для прокручивания текущего листа вверх/вниз и влево/вправо. Для навигации по электронной таблице с помощью полос прокрутки:

                        diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm index 3087e8b70..a758436db 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm @@ -24,6 +24,7 @@
                        • С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены).
                        • Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут).
                        • +
                        • Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз.
                        • Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист.
                        • Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам.
                        • Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются.
                        • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index 5fd9b486b..d135d13b2 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -29,7 +29,7 @@ XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + - + + @@ -39,6 +39,13 @@ + + + + XLTX + Excel Open XML Spreadsheet Template
                          разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов электронных таблиц. Шаблон XLTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + + + + + + ODS Расширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц @@ -46,6 +53,13 @@ + + + + OTS + OpenDocument Spreadsheet Template
                          Формат текстовых файлов OpenDocument для шаблонов электронных таблиц. Шаблон OTS содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + + + + в онлайн-версии + CSV Comma Separated Values
                          Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме @@ -60,6 +74,13 @@ + + + PDF/A + Portable Document Format / A
                          Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + + + + + + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm index 255780ccb..5a102497c 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/CollaborationTab.htm @@ -14,14 +14,21 @@

                          Вкладка Совместная работа

                          -

                          Вкладка Совместная работа позволяет организовать совместную работу над электронной таблицей: предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями.

                          -

                          Вкладка Совместная работа

                          +

                          Вкладка Совместная работа позволяет организовать совместную работу над электронной таблицей. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. В десктопной версии можно управлять комментариями.

                          +
                          +

                          Окно онлайн-редактора электронных таблиц:

                          +

                          Вкладка Совместная работа

                          +
                          +
                          +

                          Окно десктопного редактора электронных таблиц:

                          +

                          Вкладка Совместная работа

                          +

                          С помощью этой вкладки вы можете выполнить следующие действия:

                          diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm index 2b5358687..1b7399033 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/FileTab.htm @@ -15,15 +15,26 @@

                          Вкладка Файл

                          Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом.

                          -

                          Вкладка Файл

                          +
                          +

                          Окно онлайн-редактора электронных таблиц:

                          +

                          Вкладка Файл

                          +
                          +
                          +

                          Окно десктопного редактора электронных таблиц:

                          +

                          Вкладка Файл

                          +

                          С помощью этой вкладки вы можете выполнить следующие действия:

                            -
                          • сохранить текущий файл (если отключена опция Автосохранение), скачать, распечатать или переименовать его,
                          • -
                          • создать новую электронную таблицу или открыть недавно отредактированную,
                          • +
                          • + в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить электронную таблицу в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию электронной таблицы в выбранном формате на портале), распечатать или переименовать файл, + в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, +
                          • +
                          • защитить файл с помощью пароля, изменить или удалить пароль (доступно только в десктопной версии);
                          • +
                          • создать новую электронную таблицу или открыть недавно отредактированную (доступно только в онлайн-версии),
                          • просмотреть общие сведения об электронной таблице,
                          • -
                          • управлять правами доступа,
                          • +
                          • управлять правами доступа (доступно только в онлайн-версии),
                          • открыть дополнительные параметры редактора,
                          • -
                          • вернуться в список документов.
                          • +
                          • в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
                          diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm index d06d06c66..854ead2d6 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/HomeTab.htm @@ -15,7 +15,14 @@

                          Вкладка Главная

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

                          -

                          Вкладка Главная

                          +
                          +

                          Окно онлайн-редактора электронных таблиц:

                          +

                          Вкладка Главная

                          +
                          +
                          +

                          Окно десктопного редактора электронных таблиц:

                          +

                          Вкладка Главная

                          +

                          С помощью этой вкладки вы можете выполнить следующие действия:

                          • задавать тип, размер, стиль и цвета шрифта,
                          • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm index 6a6a03e34..38fa8815f 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/InsertTab.htm @@ -15,7 +15,14 @@

                            Вкладка Вставка

                            Вкладка Вставка позволяет добавлять в электронную таблицу визуальные объекты и комментарии.

                            -

                            Вкладка Вставка

                            +
                            +

                            Окно онлайн-редактора электронных таблиц:

                            +

                            Вкладка Вставка

                            +
                            +
                            +

                            Окно десктопного редактора электронных таблиц:

                            +

                            Вкладка Вставка

                            +

                            С помощью этой вкладки вы можете выполнить следующие действия:

                            • вставлять изображения, фигуры, текстовые поля и объекты Text Art, диаграммы,
                            • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm index 5633c926b..6a334b776 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/LayoutTab.htm @@ -15,10 +15,18 @@

                              Вкладка Макет

                              Вкладка Макет позволяет изменить внешний вид электронной таблицы: задать параметры страницы и определить расположение визуальных элементов.

                              -

                              Вкладка Макет

                              +
                              +

                              Окно онлайн-редактора электронных таблиц:

                              +

                              Вкладка Макет

                              +
                              +
                              +

                              Окно десктопного редактора электронных таблиц:

                              +

                              Вкладка Макет

                              +

                              С помощью этой вкладки вы можете выполнить следующие действия:

                              diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm index 25774a585..6ee14819a 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PivotTableTab.htm @@ -14,7 +14,9 @@

                              Вкладка Сводная таблица

                              +

                              Примечание: эта возможность доступна только в онлайн-версии.

                              Вкладка Сводная таблица позволяет изменить оформление существующей сводной таблицы.

                              +

                              Окно онлайн-редактора электронных таблиц:

                              Вкладка Сводная таблица

                              С помощью этой вкладки вы можете выполнить следующие действия:

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index 1e4864a93..d8c146f49 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -15,17 +15,28 @@

                                Вкладка Плагины

                                Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач.

                                -

                                Вкладка Плагины

                                -

                                Кнопка Macros позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API.

                                +
                                +

                                Окно онлайн-редактора электронных таблиц:

                                +

                                Вкладка Плагины

                                +
                                +
                                +

                                Окно десктопного редактора электронных таблиц:

                                +

                                Вкладка Плагины

                                +
                                +

                                Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные.

                                +

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

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

                                  -
                                • ClipArt позволяет добавлять в электронную таблицу изображения из коллекции картинок,
                                • -
                                • PhotoEditor позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее,
                                • -
                                • Symbol Table позволяет вставлять в текст специальные символы,
                                • -
                                • Translator позволяет переводить выделенный текст на другие языки,
                                • -
                                • YouTube позволяет встраивать в электронную таблицу видео с YouTube.
                                • +
                                • Отправить - позволяет отправить таблицу по электронной почте с помощью десктопного почтового клиента по умолчанию,
                                • +
                                • Клипарт - позволяет добавлять в электронную таблицу изображения из коллекции картинок,
                                • +
                                • Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона,
                                • +
                                • Фоторедактор - позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее,
                                • +
                                • Таблица символов - позволяет вставлять в текст специальные символы,
                                • +
                                • Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант,
                                • +
                                • Переводчик - позволяет переводить выделенный текст на другие языки,
                                • +
                                • YouTube - позволяет встраивать в электронную таблицу видео с YouTube.
                                -

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

                                +

                                Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API.

                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm index ab20fc93c..c84ebaae2 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -15,19 +15,40 @@

                                Знакомство с пользовательским интерфейсом редактора электронных таблиц

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

                                -

                                Окно редактора

                                +
                                +

                                Окно онлайн-редактора электронных таблиц:

                                +

                                Окно онлайн-редактора электронных таблиц

                                +
                                +
                                +

                                Окно десктопного редактора электронных таблиц:

                                +

                                Окно десктопного редактора электронных таблиц

                                +

                                Интерфейс редактора состоит из следующих основных элементов:

                                  -
                                1. В Шапке редактора отображается логотип, вкладки меню, название электронной таблицы. Cправа также находятся три значка, с помощью которых можно задать права доступа, вернуться в список документов, настраивать параметры представления и получать доступ к дополнительным параметрам редактора. -

                                  Значки в шапке редактора

                                  +
                                2. + В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. +

                                  В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить.

                                  +

                                  Значки в шапке редактора

                                  +

                                  В правой части Шапки редактора отображается имя пользователя и находятся следующие значки:

                                  +
                                    +
                                  • Открыть расположение файла Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл.
                                  • +
                                  • Значок Параметры представления Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора.
                                  • +
                                  • Значок управления правами доступа Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке.
                                  • +
                                3. -
                                4. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Сводная таблица, Совместная работа, Плагины. -

                                  Опции Печать, Сохранить, Копировать, Вставить, Отменить и Повторить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки.

                                  -

                                  Значки на верхней панели инструментов

                                  +
                                5. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Сводная таблица, Совместная работа, Защита, Плагины. +

                                  Опции Значок Копировать Копировать и Значок Вставить Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки.

                                6. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки.
                                7. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, ярлычки листов и кнопки масштаба. В Строке состояния также отображается количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные.
                                8. -
                                9. На Левой боковой панели находятся значки, позволяющие использовать инструмент поиска и замены, открыть панель Комментариев и Чата, обратиться в службу технической поддержки и посмотреть информацию о программе.
                                10. +
                                11. + На Левой боковой панели находятся следующие значки: +
                                    +
                                  • Значок Поиск - позволяет использовать инструмент поиска и замены,
                                  • +
                                  • Значок Комментариев - позволяет открыть панель Комментариев
                                  • +
                                  • Значок Чата (доступно только в онлайн-версии) - позволяет открыть панель Чата, а также значки, позволяющие обратиться в службу технической поддержки и посмотреть информацию о программе.
                                  • +
                                  +
                                12. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель.
                                13. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные.
                                14. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо.
                                15. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm index 495a8b1b5..e02ab2593 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddBorders.htm @@ -19,11 +19,13 @@
                                16. выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A,

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

                                17. -
                                18. щелкните по значку Границы Значок Границы, расположенному на вкладке Главная верхней панели инструментов, или нажмите на значок Параметры ячейки Значок Параметры ячейки на правой боковой панели,
                                19. +
                                20. щелкните по значку Границы Значок Границы, расположенному на вкладке Главная верхней панели инструментов, или нажмите на значок Параметры ячейки Значок Параметры ячейки на правой боковой панели, +

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

                                  +
                                21. выберите стиль границ, который требуется применить:
                                  1. откройте подменю Стиль границ и выберите один из доступных вариантов,
                                  2. -
                                  3. откройте подменю Цвет границ Значок Цвет границ и выберите нужный цвет на палитре,
                                  4. +
                                  5. откройте подменю Цвет границ Значок Цвет границ или используйте палитру Цвет на правой боковой панели и выберите нужный цвет на палитре,
                                  6. выберите один из доступных шаблонов границ: Внешние границы Значок Внешние границы, Все границы Значок Все границы, Верхние границы Значок Верхние границы, Нижние границы Значок Нижние границы, Левые границы Значок Левые границы, Правые границы Значок Правые границы, Без границ Значок Без границ, Внутренние границы Значок Внутренние границы, Внутренние вертикальные границы Значок Внутренние вертикальные границы, Внутренние горизонтальные границы Значок Внутренние горизонтальные границы, Диагональная граница снизу вверх Значок Диагональная граница снизу вверх, Диагональная граница сверху вниз Значок Диагональная граница сверху вниз.
                                22. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm index b82cdb344..3f92b763e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm @@ -36,7 +36,7 @@
                                23. нажмите кнопку OK.

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

                                -

                                При наведении курсора на добавленную гиперссылку появится подсказка с заданным текстом. Для перехода по ссылке нажмите клавишу CTRL и щелкните по ссылке в таблице.

                                +

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

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

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm index df063149b..ee5ed32ac 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AlignText.htm @@ -37,7 +37,9 @@
                              • используйте опцию Текст против часовой стрелки Значок Текст против часовой стрелки, чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему,
                              • используйте опцию Текст по часовой стрелке Значок Текст по часовой стрелке, чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу,
                              • используйте опцию Повернуть текст вверх Значок Повернуть текст вверх, чтобы расположить текст в ячейке снизу вверх,
                              • -
                              • используйте опцию Повернуть текст вниз Значок Повернуть текст вниз, чтобы расположить текст в ячейке сверху вниз.
                              • +
                              • используйте опцию Повернуть текст вниз Значок Повернуть текст вниз, чтобы расположить текст в ячейке сверху вниз. +

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

                                +
                            • Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста Значок Перенос текста. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm index 85f7ba86c..742408ac2 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm @@ -17,11 +17,11 @@

                              Использование основных операций с буфером обмена

                              Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов:

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

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

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

                              • +
                              • Вырезание - выделите данные и используйте опцию Вырезать, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы.

                              • +
                              • Копирование - выделите данные, затем или используйте значок Копировать Значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы.

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

                              -

                              Для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используйте следующие сочетания клавиш:

                              +

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

                              • сочетание клавиш Ctrl+X для вырезания;
                              • сочетание клавиш Ctrl+C для копирования;
                              • @@ -64,6 +64,25 @@
                              • Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных.
                              • Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные.
                              +

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

                              +

                              Текст с разделителями может содержать несколько записей, где каждая запись соответствует одной табличной строке. Запись может включать в себя несколько текстовых значений, разделенных с помощью разделителей (таких как запятая, точка с запятой, двоеточие, табуляция, пробел или другой символ). Файл должен быть сохранен как простой текст в формате .txt.

                              +
                                +
                              • Сохранить только текст - позволяет вставить текстовые значения в один столбец, где содержимое каждой ячейки соответствует строке в исходном текстовом файле.
                              • +
                              • + Использовать мастер импорта текста - позволяет открыть Мастер импорта текста, с помощью которого можно легко распределить текстовые значения на несколько столбцов, где каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. +

                                Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK.

                                +
                              • +
                              +

                              Мастер импорта текста

                              +

                              Если вы вставили данные с разделителями из источника, который не является простым текстовым файлом (например, текст, скопированный с веб-страницы и т.д.), или если вы применили функцию Сохранить только текст, а теперь хотите распределить данные из одного столбца по нескольким столбцам, вы можете использовать опцию Текст по столбцам.

                              +

                              Чтобы разделить данные на несколько столбцов:

                              +
                                +
                              1. Выделите нужную ячейку или столбец, содержащий данные с разделителями.
                              2. +
                              3. Нажмите кнопку Текст по столбцам на правой боковой панели. Откроется Мастер распределения текста по столбцам.
                              4. +
                              5. В выпадающем списке Разделитель выберите разделитель, который используется в данных с разделителем, просмотрите результат в расположенном ниже поле и нажмите кнопку OK.
                              6. +
                              +

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

                              +

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

                              Использование функции автозаполнения

                              Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeStyle.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeStyle.htm index a2d77e2ca..213d4bbe1 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeStyle.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/FontTypeSizeStyle.htm @@ -20,12 +20,12 @@ Шрифт Шрифт - Используется для выбора шрифта из списка доступных. + Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Размер шрифта - Используется для выбора предустановленного значения размера шрифта из выпадающего списка, или же значение можно ввести вручную в поле размера шрифта. + Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение в поле ввода и нажать клавишу Enter. Увеличить размер шрифта @@ -70,7 +70,7 @@ Цвет фона Цвет фона - Используется для изменения цвета фона ячейки. + Используется для изменения цвета фона ячейки. Цвет фона ячейки также можно изменить с помощью палитры Цвет фона на вкладке Параметры ячейки правой боковой панели. Изменение цветовой схемы diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm index ee9494046..4f4fee84e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertAutoshapes.htm @@ -84,6 +84,15 @@

                            • Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий).
                            +
                          • + Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: +
                              +
                            • Значок Повернуть против часовой стрелки чтобы повернуть фигуру на 90 градусов против часовой стрелки
                            • +
                            • Значок Повернуть по часовой стрелке чтобы повернуть фигуру на 90 градусов по часовой стрелке
                            • +
                            • Значок Отразить слева направо чтобы отразить фигуру по горизонтали (слева направо)
                            • +
                            • Значок Отразить сверху вниз чтобы отразить фигуру по вертикали (сверху вниз)
                            • +
                            +
                          • Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка.

                          @@ -93,6 +102,12 @@
                          • Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции Кнопка Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры.
                          +

                          Фигура - дополнительные параметры: Поворот

                          +

                          Вкладка Поворот содержит следующие параметры:

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

                          Фигура - дополнительные параметры

                          Вкладка Линии и стрелки содержит следующие параметры:

                            @@ -137,7 +152,7 @@ выберите в меню группу Линии,

                            Фигуры - Линии

                            -
                          • щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно фигура 10, 11 и 12),
                          • +
                          • щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма),
                          • наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения Точка соединения, появившихся на контуре фигуры,

                            Использование соединительных линий

                            diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm index be3989d98..6babccadb 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertFunction.htm @@ -14,7 +14,7 @@

                            Вставка функций

                            -

                            Важная причина использования электронных таблиц - это возможность выполнять основные расчеты. Некоторые из них можно выполнить автоматически, выбрав диапазон ячеек на рабочем листе:

                            +

                            Важная причина использования электронных таблиц - это возможность выполнять основные расчеты. Некоторые из них выполняются автоматически при выделении диапазона ячеек на рабочем листе:

                            • СРЕДНЕЕ - используется для того, чтобы проанализировать выбранный диапазон ячеек и рассчитать среднее значение. @@ -22,6 +22,8 @@
                            • КОЛИЧЕСТВО - используется для того, чтобы подсчитать количество выбранных ячеек, содержащих значения, без учета пустых ячеек.
                            • +
                            • МИН - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наименьшее число.
                            • +
                            • МАКС - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наибольшее число.
                            • СУММА - используется для того, чтобы сложить все числа в выбранном диапазоне без учета пустых или содержащих текст ячеек.
                            • @@ -46,7 +48,27 @@
                            • Нажмите клавишу Enter.
                            • -

                              Вот список доступных функций, сгруппированных по категориям:

                              +

                              Чтобы ввести функцию вручную с помощью клавиатуры,

                              +
                                +
                              1. выделите ячейку,
                              2. +
                              3. + введите знак "равно" (=) +

                                Каждая формула должна начинаться со знака "равно" (=)

                                +
                              4. +
                              5. + введите имя функции +

                                Как только вы введете начальные буквы, появится список Автозавершения формул. По мере ввода в нем отображаются элементы (формулы и имена), которые соответствуют введенным символам. При наведении курсора на формулу отображается всплывающая подсказка с ее описанием. Можно выбрать нужную формулу из списка и вставить ее, щелкнув по ней или нажав клавишу Tab.

                                +
                              6. +
                              7. + введите аргументы функции +

                                Аргументы должны быть заключены в круглые скобки. При выборе функции из списка открывающая скобка '(' добавляется автоматически. При вводе аргументов также отображается всплывающая подсказка с синтаксисом формулы.

                                +

                                + Всплывающая подсказка +

                                +
                              8. +
                              9. когда все аргументы будут указаны, добавьте закрывающую скобку ')' и нажмите клавишу Enter.
                              10. +
                              +

                              Ниже приводится список доступных функций, сгруппированных по категориям:

                              Примечание: если вы хотите изменить язык, который используется для имен функций, перейдите в меню Файл -> Дополнительные параметры, выберите нужный язык из списка Язык формул и нажмите кнопку Применить.

                              @@ -57,12 +79,12 @@ - + - + @@ -92,7 +114,7 @@ - + diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm index 098f7dc97..3a5fe04a9 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertImages.htm @@ -25,6 +25,7 @@
                              • при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть
                              • при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK
                              • +
                              • при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK
                              @@ -39,6 +40,35 @@

                              Вкладка Параметры изображения на правой боковой панели

                            • в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции Кнопка Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию.
                            • + +

                              Для того, чтобы обрезать изображение:

                              +

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

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

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

                              +

                              После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию:

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

                              Для того, чтобы повернуть изображение:

                              +
                                +
                              1. выделите мышью изображение, которое требуется повернуть,
                              2. +
                              3. щелкните по значку Параметры изображения Значок Параметры изображения на правой боковой панели,
                              4. +
                              5. + в разделе Поворот нажмите на одну из кнопок: +
                                  +
                                • Значок Повернуть против часовой стрелки чтобы повернуть изображение на 90 градусов против часовой стрелки
                                • +
                                • Значок Повернуть по часовой стрелке чтобы повернуть изображение на 90 градусов по часовой стрелке
                                • +
                                • Значок Отразить слева направо чтобы отразить изображение по горизонтали (слева направо)
                                • +
                                • Значок Отразить сверху вниз чтобы отразить изображение по вертикали (сверху вниз)
                                • +
                                +

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

                                +

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

                                @@ -52,6 +82,12 @@

                                Когда изображение выделено, справа также доступен значок Параметры фигуры Значок Параметры фигуры. Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом.

                                Вкладка Параметры фигуры

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

                                +

                                Изображение - дополнительные параметры: Поворот

                                +

                                Вкладка Поворот содержит следующие параметры:

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

                                Изображение - дополнительные параметры

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

                                Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete.

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm index 5c10a2f3a..ae506cb6e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm @@ -36,9 +36,9 @@

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

                                Выделенное текстовое поле

                                  -
                                • чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры.
                                • +
                                • чтобы вручную изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры.
                                • чтобы изменить заливку, обводку, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры Значок Параметры фигуры на правой боковой панели и используйте соответствующие опции.
                                • -
                                • чтобы расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню.
                                • +
                                • чтобы расположить текстовые поля в определенном порядке относительно других объектов, выровнять несколько текстовых полей относительно друг друга, повернуть или отразить текстовое поле, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице.
                                • чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры.

                                Форматирование текста внутри текстового поля

                                @@ -49,7 +49,7 @@
                              1. Настройте параметры форматирования шрифта (измените его тип, размер, цвет и примените стили оформления) с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Некоторые дополнительные параметры шрифта можно также изменить на вкладке Шрифт в окне свойств абзаца. Чтобы его открыть, щелкнуть правой кнопкой мыши по тексту в текстовом поле и выберите опцию Дополнительные параметры текста.
                              2. Выровняйте текст внутри текстового поля по горизонтали с помощью соответствующих значков на вкладке Главная верхней панели инструментов.
                              3. Выровняйте текст внутри текстового поля по вертикали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Можно также щелкнуть по тексту правой кнопкой мыши, выбрать опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю.
                              4. -
                              5. Поверните текст внутри текстового поля. Для этого щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Поворот на 90° (задает вертикальное направление, сверху вниз) или Поворот на 270° (задает вертикальное направление, снизу вверх).
                              6. +
                              7. Поверните текст внутри текстового поля. Для этого щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх).
                              8. Создайте маркированный или нумерованный список. Для этого щелкните по тексту правой кнопкой мыши, выберите в контекстном меню пункт Маркеры и нумерация, а затем выберите один из доступных знаков маркера или стилей нумерации.

                                Маркеры и нумерация

                              9. @@ -78,7 +78,9 @@
                              10. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах.
                              11. Малые прописные - используется, чтобы сделать все буквы строчными.
                              12. Все прописные - используется, чтобы сделать все буквы прописными.
                              13. -
                              14. Межзнаковый интервал - используется, чтобы задать расстояние между символами.
                              15. +
                              16. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. +

                                Все изменения будут отображены в расположенном ниже поле предварительного просмотра.

                                +
                              17. Свойства абзаца - вкладка Табуляция

                                На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре.

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm index c4ce8a174..3b019cbce 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ManipulateObjects.htm @@ -15,36 +15,59 @@

                                Работа с объектами

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

                                +

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

                                Изменение размера объектов

                                Для изменения размера автофигуры/изображения/диаграммы перетаскивайте маленькие квадраты Значок Квадрат, расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков.

                                -

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

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

                                Сохранение пропорций

                                Перемещение объектов

                                Для изменения местоположения автофигуры/изображения/диаграммы используйте значок Стрелка, который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift.

                                Поворот объектов

                                -

                                Чтобы повернуть автофигуру/изображение, наведите курсор мыши на маркер поворота Маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                                -

                                Изменение формы автофигур

                                +

                                Чтобы вручную повернуть автофигуру/изображение, наведите курсор мыши на маркер поворота Маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift.

                                +

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

                                +
                                  +
                                • Значок Повернуть против часовой стрелки чтобы повернуть объект на 90 градусов против часовой стрелки
                                • +
                                • Значок Повернуть по часовой стрелке чтобы повернуть объект на 90 градусов по часовой стрелке
                                • +
                                • Значок Отразить слева направо чтобы отразить объект по горизонтали (слева направо)
                                • +
                                • Значок Отразить сверху вниз чтобы отразить объект по вертикали (сверху вниз)
                                • +
                                +

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

                                +

                                Чтобы повернуть фигуру или изображение на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK.

                                +

                                Изменение формы автофигур

                                При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба Значок Желтый ромб. Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки.

                                Изменение формы автофигуры

                                Выравнивание объектов

                                -

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

                                +

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

                                  -
                                • Выровнять по левому краю Значок Выровнять по левому краю - чтобы выровнять объекты относительно друг друга по левому краю,
                                • -
                                • Выровнять по центру Значок Выровнять по центру - чтобы выровнять объекты относительно друг друга по центру,
                                • -
                                • Выровнять по правому краю Значок Выровнять по правому краю - чтобы выровнять объекты относительно друг друга по правому краю,
                                • -
                                • Выровнять по верхнему краю Значок Выровнять по верхнему краю - чтобы выровнять объекты относительно друг друга по верхнему краю,
                                • -
                                • Выровнять по середине Значок Выровнять по середине - чтобы выровнять объекты относительно друг друга по середине,
                                • -
                                • Выровнять по нижнему краю Значок Выровнять по нижнему краю - чтобы выровнять объекты относительно друг друга по нижнему краю.
                                • +
                                • Выровнять по левому краю Значок Выровнять по левому краю - чтобы выровнять объекты относительно друг друга по левому краю самого левого объекта,
                                • +
                                • Выровнять по центру Значок Выровнять по центру - чтобы выровнять объекты относительно друг друга по их центру,
                                • +
                                • Выровнять по правому краю Значок Выровнять по правому краю - чтобы выровнять объекты относительно друг друга по правому краю самого правого объекта,
                                • +
                                • Выровнять по верхнему краю Значок Выровнять по верхнему краю - чтобы выровнять объекты относительно друг друга по верхнему краю самого верхнего объекта,
                                • +
                                • Выровнять по середине Значок Выровнять по середине - чтобы выровнять объекты относительно друг друга по их середине,
                                • +
                                • Выровнять по нижнему краю Значок Выровнять по нижнему краю - чтобы выровнять объекты относительно друг друга по нижнему краю самого нижнего объекта.
                                +

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

                                +

                                Примечание: параметры выравнивания неактивны, если выделено менее двух объектов.

                                +

                                Распределение объектов

                                +

                                Чтобы распределить три или более выбранных объектов по горизонтали или вертикали между двумя крайними выделенными объектами таким образом, чтобы между ними было равное расстояние, нажмите на значок Значок Выравнивание Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип распределения:

                                +
                                  +
                                • Распределить по горизонтали Значок Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом.
                                • +
                                • Распределить по вертикали Значок Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом.
                                • +
                                +

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

                                +

                                Примечание: параметры распределения неактивны, если выделено менее трех объектов.

                                Группировка объектов

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

                                • Сгруппировать Значок Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект.
                                • Разгруппировать Значок Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов.
                                -

                                Можно также щелкнуть по выделенным объектам правой кнопкой мыши и выбрать из контекстного меню пункт Сгруппировать или Разгруппировать.

                                +

                                Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать.

                                +

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

                                Группировка объектов

                                Упорядочивание объектов

                                Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Значок Перенести вперед Перенести вперед и Значок Перенести назад Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения.

                                @@ -58,6 +81,7 @@
                              18. Перенести на задний план Значок Перенести на задний план - чтобы переместить выбранный объект, так что он будет находиться позади всех остальных объектов,
                              19. Перенести назад Значок Перенести назад - чтобы переместить выбранный объект на один уровень назад по отношению к другим объектам.
                              20. +

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

                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm index e32695389..a812129a2 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/OpenCreateNew.htm @@ -14,19 +14,52 @@

                                Создание новой электронной таблицы или открытие существующей

                                -

                                Для создания новой электронной таблицы, когда онлайн-редактор электронных таблиц открыт:

                                -
                                  -
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. -
                                3. выберите опцию Создать новую.
                                4. -
                                -

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

                                -

                                Для открытия недавно отредактированной электронной таблицы в онлайн-редакторе электронных таблиц:

                                -
                                  -
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. -
                                3. выберите опцию Открыть последние,
                                4. -
                                5. выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц.
                                6. -
                                -

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

                                - +
                                Чтобы создать новую таблицу
                                +
                                +

                                В онлайн-редакторе

                                +
                                  +
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. +
                                3. выберите опцию Создать новую.
                                4. +
                                +
                                +
                                +

                                В десктопном редакторе

                                +
                                  +
                                1. в главном окне программы выберите пункт меню Таблица в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке,
                                2. +
                                3. после внесения в таблицу необходимых изменений нажмите на значок Сохранить Значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как.
                                4. +
                                5. в окне проводника выберите местоположение файла на жестком диске, задайте название таблицы, выберите формат сохранения (XLSX, Шаблон таблицы, ODS, CSV, PDF или PDFA) и нажмите кнопку Сохранить.
                                6. +
                                +
                                + +
                                +
                                Чтобы открыть существующую таблицу
                                +

                                В десктопном редакторе

                                +
                                  +
                                1. в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели,
                                2. +
                                3. выберите нужную таблицу в окне проводника и нажмите кнопку Открыть.
                                4. +
                                +

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

                                +

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

                                +
                                + +
                                Чтобы открыть недавно отредактированную таблицу
                                +
                                +

                                В онлайн-редакторе

                                +
                                  +
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. +
                                3. выберите опцию Открыть последние,
                                4. +
                                5. выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц.
                                6. +
                                +
                                +
                                +

                                В десктопном редакторе

                                +
                                  +
                                1. в главном окне программы выберите пункт меню Последние файлы на левой боковой панели,
                                2. +
                                3. выберите нужную электронную таблицу из списка недавно измененных документов.
                                4. +
                                +
                                + +

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

                                + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm index 566fbaa5c..4cd80edeb 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm @@ -14,6 +14,7 @@

                                Редактирование сводных таблиц

                                +

                                Примечание: эта возможность доступна только в онлайн-версии.

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

                                Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице.

                                Вкладка Сводная таблица

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index 57b861ffb..3d9e198c3 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -14,35 +14,57 @@

                                Сохранение / печать / скачивание таблицы

                                -

                                По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры.

                                -

                                Чтобы сохранить текущую электронную таблицу вручную:

                                +

                                Сохранение

                                +

                                По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры.

                                +

                                Чтобы сохранить текущую электронную таблицу вручную в текущем формате и местоположении,

                                  -
                                • щелкните по значку Сохранить Значок Сохранить на верхней панели инструментов, или
                                • +
                                • щелкните по значку Сохранить Значок Сохранить в левой части шапки редактора, или
                                • используйте сочетание клавиш Ctrl+S, или
                                • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить.
                                +

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

                                +
                                +

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

                                +
                                  +
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. +
                                3. выберите опцию Сохранить как,
                                4. +
                                5. выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDFA. Также можно выбрать вариант Шаблон таблицы XLTX.
                                6. +
                                +
                                -

                                Чтобы скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера,

                                +

                                Скачивание

                                +

                                Чтобы в онлайн-версии скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера,

                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. выберите опцию Скачать как...,
                                3. -
                                4. выберите один из доступных форматов в зависимости от того, что вам нужно: XLSX, PDF, ODS, CSV. +
                                5. выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

                                  Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя).

                                +

                                Сохранение копии

                                +

                                Чтобы в онлайн-версии сохранить копию электронной таблицы на портале,

                                +
                                  +
                                1. нажмите на вкладку Файл на верхней панели инструментов,
                                2. +
                                3. выберите опцию Сохранить копию как...,
                                4. +
                                5. выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS,
                                6. +
                                7. выберите местоположение файла на портале и нажмите Сохранить.
                                8. +
                                +

                                Печать

                                Чтобы распечатать текущую электронную таблицу:

                                  -
                                • щелкните по значку Печать Значок Печать на верхней панели инструментов, или
                                • +
                                • щелкните по значку Печать Значок Печать в левой части шапки редактора, или
                                • используйте сочетание клавиш Ctrl+P, или
                                • нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать.

                                Откроется окно Параметры печати, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры.

                                -

                                Примечание: параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы.
                                На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация и Размер страницы.

                                +

                                Примечание: параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы.
                                На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация, Размер страницы, Область печати.

                                Окно Параметры печати

                                Здесь можно задать следующие параметры:

                                  -
                                • Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделение),
                                • +
                                • Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделенный фрагмент), +

                                  Если вы ранее задали постоянную область печати, но хотите напечатать весь лист, поставьте галочку рядом с опцией Игнорировать область печати.

                                  +
                                • Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы,
                                • Размер страницы - выберите из выпадающего списка один из доступных размеров,
                                • Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально,
                                • @@ -50,8 +72,33 @@
                                • Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа,
                                • Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов.
                                -

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

                                - +

                                В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати.

                                +
                                Настройка области печати
                                +

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

                                +

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

                                +

                                Чтобы задать область печати:

                                +
                                  +
                                1. выделите нужный диапазон ячеек на рабочем листе. Чтобы выделить несколько диапазонов, удерживайте клавишу Ctrl,
                                2. +
                                3. перейдите на вкладку Макет верхней панели инструментов,
                                4. +
                                5. нажмите на стрелку рядом с кнопкой Значок Область печати Область печати и выберите опцию Задать область печати.
                                6. +
                                +

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

                                +

                                Примечание: при создании области печати также автоматически создается именованный диапазон Область_печати, отображаемый в Диспетчере имен. Чтобы выделить границы всех областей печати на текущем рабочем листе, можно нажать на стрелку в поле "Имя" слева от строки формул и выбрать из списка имен Область_печати.

                                +

                                Чтобы добавить ячейки в область печати:

                                +
                                  +
                                1. откройте нужный рабочий лист, на котором добавлена область печати,
                                2. +
                                3. выделите нужный диапазон ячеек на рабочем листе,
                                4. +
                                5. перейдите на вкладку Макет верхней панели инструментов,
                                6. +
                                7. нажмите на стрелку рядом с кнопкой Значок Область печати Область печати и выберите опцию Добавить в область печати.
                                8. +
                                +

                                Будет добавлена новая область печати. Каждая из областей печати будет выводиться на печать на отдельной странице.

                                +

                                Чтобы удалить область печати:

                                +
                                  +
                                1. откройте нужный рабочий лист, на котором добавлена область печати,
                                2. +
                                3. перейдите на вкладку Макет верхней панели инструментов,
                                4. +
                                5. нажмите на стрелку рядом с кнопкой Значок Область печати Область печати и выберите опцию Очистить область печати.
                                6. +
                                +

                                Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист.

                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm index 9a8dd490a..16641ab51 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SortData.htm @@ -149,7 +149,7 @@
                              21. нажмите кнопку OK, чтобы применить выбранный шаблон.

                              Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными.

                              -

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

                              +

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

                              Если вы введете новое значение в любой ячейке под последней строкой таблицы (если таблица не содержит строки итогов) или в ячейке справа от последнего столбца таблицы, форматированная таблица будет автоматически расширена, и в нее будет включена новая строка или столбец. Если вы не хотите расширять таблицу, нажмите на появившуюся кнопку Специальная вставка и выберите опцию Отменить авторазвертывание таблицы. Как только это действие будет отменено, в этом меню станет доступна опция Повторить авторазвертывание таблицы.

                              Отменить авторазвертывание таблицы

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

                              @@ -157,7 +157,7 @@

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

                              • Заголовок - позволяет отобразить строку заголовка.
                              • -
                              • Итоговая - добавляет строку Summary в нижней части таблицы.
                              • +
                              • Итоговая - добавляет строку Итого в нижней части таблицы.
                              • Чередовать - включает чередование цвета фона для четных и нечетных строк.
                              • Кнопка фильтра - позволяет отобразить кнопки со стрелкой Кнопка со стрелкой в ячейках строки заголовка. Эта опция доступна только если выбрана опция Заголовок.
                              • Первый - выделяет при помощи особого форматирования крайний левый столбец в таблице.
                              • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UndoRedo.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UndoRedo.htm index 1cc59de0e..5baa182f2 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UndoRedo.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UndoRedo.htm @@ -14,12 +14,15 @@

                                Отмена / повтор действий

                                -

                                Для выполнения операций отмены / повтора используйте соответствующие значки, доступные на любой вкладке верхней панели инструментов:

                                +

                                Для выполнения операций отмены / повтора используйте соответствующие значки в левой части шапки редактора:

                                • Отменить – используйте значок Отменить Значок Отменить, чтобы отменить последнее выполненное действие.
                                • Повторить – используйте значок Повторить Значок Повторить, чтобы повторить последнее отмененное действие.
                                -

                                Примечание: операции отмены / повтора можно также выполнить, используя Сочетания клавиш.

                                +

                                Операции отмены / повтора можно также выполнить, используя Сочетания клавиш.

                                +

                                + Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие. +

                                \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UseNamedRanges.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UseNamedRanges.htm index c9faaddf9..3eabdb6eb 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UseNamedRanges.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/UseNamedRanges.htm @@ -17,8 +17,8 @@

                                Имена - это осмысленные обозначения, которые можно присвоить ячейке или диапазону ячеек и использовать для упрощения работы с формулами. При создании формул в качестве аргумента можно использовать имя, а не ссылку на диапазон ячеек. Например, если присвоить диапазону ячеек имя Годовой_доход, то можно будет вводить формулу =СУММ(Годовой_доход) вместо =СУММ(B1:B12) и т.д. В таком виде формулы становятся более понятными. Эта возможность также может быть полезна, если большое количество формул ссылается на один и тот же диапазон ячеек. При изменении адреса диапазона можно один раз внести исправление в Диспетчере имен, а не редактировать все формулы по одной.

                                Есть два типа имен, которые можно использовать:

                                  -
                                • Определенное имя – произвольное имя, которое вы можете задать для некоторого диапазона ячеек.
                                • -
                                • Имя таблицы – стандартное имя, которое автоматически присваивается новой форматированной таблице (Table1, Table2 и т.д.). Такое имя впоследствии можно отредактировать.
                                • +
                                • Определенное имя – произвольное имя, которое вы можете задать для некоторого диапазона ячеек. К определенным именам также относятся имена, создаваемые автоматически при установке областей печати.
                                • +
                                • Имя таблицы – стандартное имя, которое автоматически присваивается новой форматированной таблице (Таблица1, Таблица2 и т.д.). Такое имя впоследствии можно отредактировать.

                                Имена также классифицируются по Области действия, то есть по области, в которой это имя распознается. Областью действия имени может быть вся книга (имя будет распознаваться на любом листе в этой книге) или отдельный лист (имя будет распознаваться только на указанном листе). Каждое имя в пределах одной области должно быть уникальным, одинаковые имена можно использовать внутри разных областей.

                                Создание новых имен

                                @@ -49,7 +49,7 @@

                                Получить доступ ко всем существующим именам можно через Диспетчер имен. Чтобы его открыть:

                                • щелкните по значку Именованные диапазоны Значок Именованные диапазоны на вкладке Главная верхней панели инструментов и выберите из меню опцию Диспетчер имен
                                • -
                                • или щелкните по стрелке в поле "Имя" и выберите опцию Диспетчер.
                                • +
                                • или щелкните по стрелке в поле "Имя" и выберите опцию Диспетчер имен.

                                Откроется окно Диспетчер имен:

                                Окно Диспетчер имен

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm index 15eb4395e..c16b2e0a1 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/ViewDocInfo.htm @@ -16,10 +16,11 @@

                                Просмотр сведений о файле

                                Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице.

                                Общие сведения

                                -

                                Сведения о файле включают название электронной таблицы, автора, размещение и дату создания.

                                +

                                Сведения о файле включают название электронной таблицы и приложение, в котором была создана электронная таблица. В онлайн-версии также отображаются следующие сведения: автор, размещение, дата создания.

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

                                Сведения о правах доступа

                                +

                                В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке.

                                Примечание: эта опция недоступна для пользователей с правами доступа Только чтение.

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

                                Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права.

                                diff --git a/apps/spreadsheeteditor/main/resources/help/ru/editor.css b/apps/spreadsheeteditor/main/resources/help/ru/editor.css index cf3e4f141..b715ff519 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/ru/editor.css @@ -60,7 +60,11 @@ th { font-size: 14px; font-weight: bold; -padding-top: 20px; +} + +th.keyboard_section { +font-size: 16px; +padding-top: 30px; } td.function @@ -68,7 +72,13 @@ td.function width: 35%; } -td.shortfunction +th.function +{ +width: 25%; +} + +td.shortfunction, +th.shortfunction { width: 20%; } @@ -78,12 +88,23 @@ td.combination width: 15%; } +th.combination +{ +width: 20%; +} + td.description { width: 50%; } -td.longdescription +th.description +{ +width: 70%; +} + +td.longdescription, +th.longdescription { width: 80%; } @@ -152,4 +173,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/asc.png b/apps/spreadsheeteditor/main/resources/help/ru/images/asc.png new file mode 100644 index 000000000..03b818275 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/asc.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/basiccalculations.png b/apps/spreadsheeteditor/main/resources/help/ru/images/basiccalculations.png index 2bc19a00a..a7f02c07b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/basiccalculations.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/basiccalculations.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/betainv.png b/apps/spreadsheeteditor/main/resources/help/ru/images/betainv.png new file mode 100644 index 000000000..04424c6be Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/betainv.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/cellsettingstab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/cellsettingstab.png new file mode 100644 index 000000000..1490e3931 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/cellsettingstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/distributehorizontally.png b/apps/spreadsheeteditor/main/resources/help/ru/images/distributehorizontally.png new file mode 100644 index 000000000..8e33a0c28 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/distributehorizontally.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/distributevertically.png b/apps/spreadsheeteditor/main/resources/help/ru/images/distributevertically.png new file mode 100644 index 000000000..1e5f39011 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/distributevertically.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/fliplefttoright.png b/apps/spreadsheeteditor/main/resources/help/ru/images/fliplefttoright.png new file mode 100644 index 000000000..b6babc560 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/fliplefttoright.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/flipupsidedown.png b/apps/spreadsheeteditor/main/resources/help/ru/images/flipupsidedown.png new file mode 100644 index 000000000..b8ce45f8f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/flipupsidedown.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/functiontooltip.png b/apps/spreadsheeteditor/main/resources/help/ru/images/functiontooltip.png new file mode 100644 index 000000000..15ffc51d8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/functiontooltip.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/grouping.png b/apps/spreadsheeteditor/main/resources/help/ru/images/grouping.png index b1470a3db..81decf053 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/grouping.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/grouping.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/hyperlinkfunction.png b/apps/spreadsheeteditor/main/resources/help/ru/images/hyperlinkfunction.png new file mode 100644 index 000000000..a3c66425e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/hyperlinkfunction.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings.png b/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings.png index e08eb9231..330affe21 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings1.png new file mode 100644 index 000000000..e7408747e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/imageadvancedsettings1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/imagesettings.png b/apps/spreadsheeteditor/main/resources/help/ru/images/imagesettings.png index 54162f10b..598c2bf19 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/imagesettings.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/imagesettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png index 9b3be9c7c..a15616e31 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png new file mode 100644 index 000000000..f4279877c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png new file mode 100644 index 000000000..cf6a9799d Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png new file mode 100644 index 000000000..51b5fe4d5 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_hometab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_hometab.png new file mode 100644 index 000000000..3e3a42e21 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_inserttab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_inserttab.png new file mode 100644 index 000000000..1bfd1ee62 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_layouttab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_layouttab.png new file mode 100644 index 000000000..5dacfff99 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png new file mode 100644 index 000000000..856bbe4fb Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png index 2d3ccc0e0..681a2dd8c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png index 575189086..127c911ca 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png index 97837d5c9..2f0c16289 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png index 3590cf618..1dc6ee6f3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png index e8e3c83ad..d83d2e97b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/leftpart.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/leftpart.png index f3f1306f3..e87f5f590 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/leftpart.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/leftpart.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png index 8c35e1fc8..b6a5020de 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png index 090fe0711..ebf2be7f3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/namelist.png b/apps/spreadsheeteditor/main/resources/help/ru/images/namelist.png index 8c3022d1a..747d4b7ce 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/namelist.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/namelist.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/namemanagerwindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/namemanagerwindow.png index 825c522e3..e42b2355e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/namemanagerwindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/namemanagerwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/print.png b/apps/spreadsheeteditor/main/resources/help/ru/images/print.png index 03fd49783..d3479672f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/print.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/print.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/printareabutton.png b/apps/spreadsheeteditor/main/resources/help/ru/images/printareabutton.png new file mode 100644 index 000000000..55306bc43 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/printareabutton.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png b/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png index 9021b1284..02583d0e5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/printsettingswindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/redo.png b/apps/spreadsheeteditor/main/resources/help/ru/images/redo.png index 5002b4109..f80d5163a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/redo.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/redo.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/redo1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/redo1.png new file mode 100644 index 000000000..5002b4109 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/redo1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/rotateclockwise.png b/apps/spreadsheeteditor/main/resources/help/ru/images/rotateclockwise.png new file mode 100644 index 000000000..d27f575b3 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/rotateclockwise.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/rotatecounterclockwise.png b/apps/spreadsheeteditor/main/resources/help/ru/images/rotatecounterclockwise.png new file mode 100644 index 000000000..43e6a1064 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/rotatecounterclockwise.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/save.png b/apps/spreadsheeteditor/main/resources/help/ru/images/save.png index e6a82d6ac..9b6f7ff7c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/save.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/save.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/selectdatarange.png b/apps/spreadsheeteditor/main/resources/help/ru/images/selectdatarange.png index aa2d89a02..ed72e4641 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/selectdatarange.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/selectdatarange.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties.png b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties.png index 7ff658cc4..596aa3ca7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_1.png index 8c5f71497..78a7ed748 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_1.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_2.png b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_2.png index fae30e68c..56419805b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_2.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_3.png b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_3.png index 875139dd7..add308228 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_3.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_3.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_4.png b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_4.png index 7cd417c09..75bc0ebef 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_4.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_4.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_5.png b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_5.png new file mode 100644 index 000000000..432c3fb5e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/shape_properties_5.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.png b/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.png new file mode 100644 index 000000000..687cfd131 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/undo.png b/apps/spreadsheeteditor/main/resources/help/ru/images/undo.png index bb7f9407d..bc291458a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/undo.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/undo.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/undo1.png b/apps/spreadsheeteditor/main/resources/help/ru/images/undo1.png new file mode 100644 index 000000000..bb7f9407d Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/ru/images/undo1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/viewsettingsicon.png b/apps/spreadsheeteditor/main/resources/help/ru/images/viewsettingsicon.png index 9fa0d1fba..a29f033a2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/viewsettingsicon.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/viewsettingsicon.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js index f17cbd942..0d50dfc93 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -65,6 +65,11 @@ var indexes = "title": "Функция АРАБСКОЕ", "body": "Функция АРАБСКОЕ - это одна из математических и тригонометрических функций. Преобразует римское число в арабское. Синтаксис функции АРАБСКОЕ: АРАБСКОЕ(x) где x - это текстовое представление римского числа: строка, заключенная в кавычки, или ссылка на ячейку, содержащую текст. Примечание: если в качестве аргумента используется пустая строка (\"\"), функция возвращает значение 0. Чтобы применить функцию АРАБСКОЕ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Математические, щелкните по функции АРАБСКОЕ, введите требуемый аргумент, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, + { + "id": "Functions/asc.htm", + "title": "Функция ASC", + "body": "Функция ASC - это одна из функций для работы с текстом и данными. Преобразует полноширинные (двухбайтовые) знаки в полуширинные (однобайтовые) для языков, использующих двухбайтовую кодировку (DBCS), таких как японский, китайский, корейский и т.д. Синтаксис функции ASC: ASC(текст) где текст - это данные, введенные вручную или находящиеся в ячейке, на которую дается ссылка. Если текст не содержит полноширинных символов, он остается без изменений. Чтобы применить функцию ASC, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Текст и данные, щелкните по функции ASC, введите требуемый аргумент, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + }, { "id": "Functions/asin.htm", "title": "Функция ASIN", @@ -155,6 +160,11 @@ var indexes = "title": "Функция БЕТАРАСП", "body": "Функция БЕТАРАСП - это одна из статистических функций. Возвращает интегральную функцию плотности бета-вероятности. Синтаксис функции БЕТАРАСП: БЕТАРАСП(x;альфа;бета;[A];[B]) где x - значение в интервале от A до B, для которого вычисляется функция. альфа - первый параметр распределения; числовое значение больше 0. бета - второй параметр распределения; числовое значение больше 0. A - нижняя граница интервала изменения x. Необязательный параметр. Если он опущен, используется значение по умолчанию, равное 0. B - верхняя граница интервала изменения x. Необязательный параметр. Если он опущен, используется значение по умолчанию, равное 1. Эти аргументы можно ввести вручную или использовать в качестве аргументов ссылки на ячейки. Чтобы применить функцию БЕТАРАСП, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции БЕТАРАСП, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, + { + "id": "Functions/betainv.htm", + "title": "Функция БЕТАОБР", + "body": "Функция БЕТАОБР - это одна из статистических функций. Возвращает интегральную функцию плотности бета-вероятности. Синтаксис функции БЕТАОБР: БЕТАОБР(вероятность;альфа;бета;[A];[B]) где вероятность - вероятность, связанная с бета-распределением. Числовое значение больше 0 и меньшее или равное 1. альфа - первый параметр распределения; числовое значение больше 0. бета - второй параметр распределения; числовое значение больше 0. A - нижняя граница интервала изменения x. Необязательный параметр. Если он опущен, используется значение по умолчанию, равное 0. B - верхняя граница интервала изменения x. Необязательный параметр. Если он опущен, используется значение по умолчанию, равное 1. Эти аргументы можно ввести вручную или использовать в качестве аргументов ссылки на ячейки. Чтобы применить функцию БЕТАОБР, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Статистические, щелкните по функции БЕТАОБР, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + }, { "id": "Functions/bin2dec.htm", "title": "Функция ДВ.В.ДЕС", @@ -920,6 +930,11 @@ var indexes = "title": "Функция ЧАС", "body": "Функция ЧАС - это одна из функций даты и времени. Возвращает количество часов (число от 0 до 23), соответствующее заданному значению времени. Синтаксис функции ЧАС: ЧАС(время_в_числовом_формате) где время_в_числовом_формате - это значение, введенное вручную или находящееся в ячейке, на которую дается ссылка. Примечание: аргумент время_в_числовом_формате может быть выражен строковым значением (например, \"13:39\"), десятичным числом (например, 0.56 соответствует 13:26) или результатом какой-либо формулы (например, результатом функции ТДАТА в стандартном формате - 26.09.2012 13:39) Чтобы применить функцию ЧАС: выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Дата и время, щелкните по функции ЧАС, введите требуемый аргумент, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, + { + "id": "Functions/hyperlink.htm", + "title": "Функция ГИПЕРССЫЛКА", + "body": "Функция ГИПЕРССЫЛКА это одна из поисковых функций. Она создает ярлык, который позволяет перейти к другому месту в текущей книге или открыть документ, расположенный на сетевом сервере, в интрасети или в Интернете. Синтаксис функции ГИПЕРССЫЛКА: ГИПЕРССЫЛКА(адрес;[имя]) где адрес - путь и имя открываемого документа. В онлайн-версии путь может быть только URL-адресом. Аргумент адрес также может указывать на определенное место в текущей рабочей книге, например, на определенную ячейку или именованный диапазон. Значение аргумента может быть задано в виде текстовой строки, заключенной в кавычки, или в виде ссылки на ячейку, содержащей текстовую строку. имя - текст, отображаемый в ячейке. Необязательный аргумент. Если этот аргумент опущен, в ячейке отображается значение аргумента адрес. Чтобы применить функцию ГИПЕРССЫЛКА, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ГИПЕРССЫЛКА, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке. Чтобы перейти по ссылке, щелкните по ней. Чтобы выделить ячейку со ссылкой, не переходя по этой ссылке, щелкните и удерживайте кнопку мыши." + }, { "id": "Functions/hypgeom-dist.htm", "title": "Функция ГИПЕРГЕОМ.РАСП", @@ -1083,7 +1098,7 @@ var indexes = { "id": "Functions/indirect.htm", "title": "Функция ДВССЫЛ", - "body": "Функция ДВССЫЛ это одна из поисковых функций. Она возвращает ссылку на ячейку, указанную с помощью текстовой строки. Синтаксис функции ДВССЫЛ: ДВССЫЛ(ссылка_на_текст;[a1]) где ссылка_на_текст - ссылка на ячейку в формате текстовой строки. [a1] - тип представления. Необязательное логическое значение: ИСТИНА или ЛОЖЬ. Если этот аргумент имеет значение ИСТИНА или опущен, аргумент ссылка_на_текст анализируется как ссылка типа A1. Если этот аргумент имеет значение ЛОЖЬ, аргумент ссылка_на_текст интерпретируется как ссылка типа R1C1. Чтобы применить функцию ДВССЫЛ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ДВССЫЛ, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." + "body": "Функция ДВССЫЛ это одна из поисковых функций. Она возвращает ссылку на ячейку, указанную с помощью текстовой строки. Синтаксис функции ДВССЫЛ: ДВССЫЛ(ссылка_на_текст;[a1]) где ссылка_на_текст - ссылка на ячейку в формате текстовой строки. a1 - тип представления. Необязательное логическое значение: ИСТИНА или ЛОЖЬ. Если этот аргумент имеет значение ИСТИНА или опущен, аргумент ссылка_на_текст анализируется как ссылка типа A1. Если этот аргумент имеет значение ЛОЖЬ, аргумент ссылка_на_текст интерпретируется как ссылка типа R1C1. Чтобы применить функцию ДВССЫЛ, выделите ячейку, в которой требуется отобразить результат, щелкните по значку Вставить функцию , расположенному на верхней панели инструментов, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, выберите из списка группу функций Поиск и ссылки, щелкните по функции ДВССЫЛ, введите требуемые аргументы через точку с запятой, нажмите клавишу Enter. Результат будет отображен в выбранной ячейке." }, { "id": "Functions/int.htm", @@ -2208,22 +2223,22 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе электронных таблиц", - "body": "Редактор электронных таблиц - это онлайн- приложение, которое позволяет редактировать электронные таблицы непосредственно в браузере . С помощью онлайн- редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS или CSV. Для просмотра текущей версии программы и информации о владельце лицензии щелкните по значку на левой боковой панели инструментов." + "body": "Редактор электронных таблиц - это онлайн- приложение, которое позволяет редактировать электронные таблицы непосредственно в браузере . С помощью онлайн- редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии выберите пункт меню О программе на левой боковой панели в главном окне приложения." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Дополнительные параметры редактора электронных таблиц", - "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. В разделе Общие доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Автосохранение - используется для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. Когда используется стиль ссылок A1, столбцы обозначаются буквами, а строки - цифрами. Если выделить ячейку, расположенную в строке 3 и столбце 2, ее адрес, отображаемый в поле слева от строки формул, выглядит следующим образом: B3. Если включен стиль ссылок R1C1, и строки, и столбцы обозначаются числами. Если выделить ячейку на пересечении строки 3 и столбца 2, ее адрес будет выглядеть так: R3C2. Буква R указывает на номер строки, а буква C - на номер столбца. Если ссылаться на другие ячейки, используя стиль ссылок R1C1, ссылка на целевую ячейку формируется на базе расстояния от активной ячейки. Например, если выделить ячейку, расположенную в строке 5 и столбце 1, и ссылаться на ячейку в строке 3 и столбце 2, ссылка будет такой: R[-2]C[1]. Числа в квадратных скобках обозначают позицию ячейки, на которую дается ссылка, относительно позиции текущей ячейки, то есть, целевая ячейка находится на 2 строки выше и на 1 столбец правее от активной ячейки. Если выделить ячейку, расположенную в строке 1 и столбце 2, и ссылаться на ту же самую ячейку в строке 3 и столбце 2, ссылка будет такой: R[2]C, то есть целевая ячейка находится на 2 строки ниже активной ячейки и в том же самом столбце. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.... Можно также нажать на значок Параметры представления в правой части шапки редактора и выбрать опцию Дополнительные параметры. В разделе Общие доступны следующие дополнительные параметры: Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления электронной таблицы в случае непредвиденного закрытия программы. Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. Когда используется стиль ссылок A1, столбцы обозначаются буквами, а строки - цифрами. Если выделить ячейку, расположенную в строке 3 и столбце 2, ее адрес, отображаемый в поле слева от строки формул, выглядит следующим образом: B3. Если включен стиль ссылок R1C1, и строки, и столбцы обозначаются числами. Если выделить ячейку на пересечении строки 3 и столбца 2, ее адрес будет выглядеть так: R3C2. Буква R указывает на номер строки, а буква C - на номер столбца. Если ссылаться на другие ячейки, используя стиль ссылок R1C1, ссылка на целевую ячейку формируется на базе расстояния от активной ячейки. Например, если выделить ячейку, расположенную в строке 5 и столбце 1, и ссылаться на ячейку в строке 3 и столбце 2, ссылка будет такой: R[-2]C[1]. Числа в квадратных скобках обозначают позицию ячейки, на которую дается ссылка, относительно позиции текущей ячейки, то есть, целевая ячейка находится на 2 строки выше и на 1 столбец правее от активной ячейки. Если выделить ячейку, расположенную в строке 1 и столбце 2, и ссылаться на ту же самую ячейку в строке 3 и столбце 2, ссылка будет такой: R[2]C, то есть целевая ячейка находится на 2 строки ниже активной ячейки и в том же самом столбце. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование электронных таблиц", - "body": "В онлайн-редакторе электронных таблиц вы можете работать над электронной таблицей совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой электронной таблице визуальная индикация ячеек, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей электронной таблицы комментарии, содержащие описание задачи или проблемы, которую необходимо решить Совместное редактирование В редакторе электронных таблиц можно выбрать один из двух доступных режимов совместного редактирования. Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Когда электронную таблицу редактируют одновременно несколько пользователей в Строгом режиме, редактируемые ячейки, а также ярлычок листа, на котором находятся эти ячейки, помечаются пунктирными линиями разных цветов. При наведении курсора мыши на одну из редактируемых ячеек отображается имя того пользователя, который в данный момент ее редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей электронной таблицей, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . C его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им полный доступ или доступ только для чтения, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в левом верхнем углу примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Чтобы оставить комментарий: выделите ячейку, в которой, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. В правом верхнем углу ячейки, к которой Вы добавили комментарий, появится оранжевый треугольник. Если требуется отключить эту функцию, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае ячейки, к которым добавлены комментарии, будут помечаться, только если Вы нажмете на значок . Для просмотра комментария щелкните по ячейке. Вы или любой другой пользователь можете ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ. Вы можете управлять добавленными комментариями следующим образом: отредактировать их, нажав значок , удалить их, нажав значок , закрыть обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "В редакторе электронных таблиц вы можете работать над электронной таблицей совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой электронной таблице визуальная индикация ячеек, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей электронной таблицы комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе электронных таблиц можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие. Когда электронную таблицу редактируют одновременно несколько пользователей в Строгом режиме, редактируемые ячейки, а также ярлычок листа, на котором находятся эти ячейки, помечаются пунктирными линиями разных цветов. При наведении курсора мыши на одну из редактируемых ячеек отображается имя того пользователя, который в данный момент ее редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей электронной таблицей, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . C его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование электронной таблицы, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в левом верхнем углу примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите ячейку, в которой, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. В правом верхнем углу ячейки, к которой Вы добавили комментарий, появится оранжевый треугольник. Если требуется отключить эту функцию, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае ячейки, к которым добавлены комментарии, будут помечаться, только если Вы нажмете на значок . Для просмотра комментария щелкните по ячейке. Вы или любой другой пользователь можете ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ. Вы можете управлять добавленными комментариями следующим образом: отредактировать их, нажав значок , удалить их, нажав значок , закрыть обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Сочетания клавиш", - "body": "Работа с электронной таблицей Открыть панель 'Файл' Alt+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы. Открыть окно 'Поиск и замена' с полем замены Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Открыть панель 'Комментарии' Ctrl+Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q Открыть панель Чат и отправить сообщение. Сохранить электронную таблицу Ctrl+S Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать электронной таблицы Ctrl+P Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран. Меню Справка F1 Открыть меню Справка онлайн-редактора электронных таблиц. Открыть существующий файл Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Контекстное меню элемента Shift+F10 Открыть контекстное меню выбранного элемента. Закрыть файл Ctrl+W Закрыть выбранную рабочую книгу. Закрыть окно (вкладку) Ctrl+F4 Закрыть вкладку в браузере. Навигация Перейти на одну ячейку вверх, вниз, влево или вправо Клавиши со стрелками Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее. Перейти к краю текущей области данных Ctrl+Клавиши со стрелками Выделить ячейку на краю текущей области данных на листе. Перейти в начало строки Home Выделить ячейку в столбце A текущей строки. Перейти в начало электронной таблицы Ctrl+Home Выделить ячейку A1. Перейти в конец строки End или Ctrl+Стрелка вправо Выделить последнюю ячейку текущей строки. Перейти в конец электронной таблицы Ctrl+End Выделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста. Перейти на предыдущий лист Alt+Page Up Перейти на предыдущий лист электронной таблицы. Перейти на следующий лист Alt+Page Down Перейти на следующий лист электронной таблицы. Перейти на одну строку вверх Стрелка вверх или Shift+Enter Выделить ячейку выше текущей, расположенную в том же самом столбце. Перейти на одну строку вниз Стрелка вниз или Enter Выделить ячейку ниже текущей, расположенную в том же самом столбце. Перейти на один столбец влево Стрелка влево или Shift+Tab Выделить предыдущую ячейку текущей строки. Перейти на один столбец вправо Стрелка вправо или Tab Выделить следующую ячейку текущей строки. Перейти на один экран вниз Page Down Перейти на один экран вниз по рабочему листу. Перейти на один экран вверх Page Up Перейти на один экран вверх по рабочему листу. Увеличить Ctrl+Знак \"Плюс\" (+) Увеличить масштаб редактируемой электронной таблицы. Уменьшить Ctrl+Знак \"Минус\" (-) Уменьшить масштаб редактируемой электронной таблицы. Выделение данных Выделить все Ctrl+A или Ctrl+Shift+Пробел Выделить весь рабочий лист. Выделить столбец Ctrl+Пробел Выделить весь столбец на рабочем листе. Выделить строку Shift+Пробел Выделить всю строку на рабочем листе. Выделить фрагмент Shift+Стрелка Выделять ячейку за ячейкой. Выделить с позиции курсора до начала строки Shift+Home Выделить фрагмент с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки Shift+End Выделить фрагмент с позиции курсора до конца текущей строки. Расширить выделенный диапазон до начала рабочего листа Ctrl+Shift+Home Выделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа. Расширить выделенный диапазон до последней используемой ячейки Ctrl+Shift+End Выделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул. Выделить одну ячейку слева Shift+Tab Выделить одну ячейку слева в таблице. Выделить одну ячейку справа Tab Выделить одну ячейку справа в таблице. Расширить выделенный диапазон до последней непустой ячейки Ctrl+Shift+Клавиши со стрелками Расширить выделенный диапазон до последней непустой ячейки в том же столбце или строке, что и активная ячейка. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Отмена и повтор Отменить Ctrl+Z Отменить последнее выполненное действие. Повторить Ctrl+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, Shift+Delete Вырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert Отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Вставить Ctrl+V, Shift+Insert Вставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы. Форматирование данных Жирный шрифт Ctrl+B Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность, или удалить форматирование жирным шрифтом. Курсив Ctrl+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом. Подчеркнутый шрифт Ctrl+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание. Зачеркнутый шрифт Ctrl+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание. Добавить гиперссылку Ctrl+K Вставить гиперссылку на внешний сайт или на другой рабочий лист. Редактирование активной ячейки F2 CONTROL+U (для Mac) Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул. Фильтрация данных Включить/Удалить фильтр Ctrl+Shift+L Включить фильтр для выбранного диапазона ячеек или удалить фильтр. Форматировать как таблицу Ctrl+L Применить к выбранному диапазону ячеек форматирование таблицы. Ввод данных Завершить ввод в ячейку и перейти вниз Enter Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже. Завершить ввод в ячейку и перейти вверх Shift+Enter Завершить ввод в выделенную ячейку и перейти в ячейку выше. Начать новую строку Alt+Enter Начать новую строку в той же самой ячейке. Отмена Esc Отменить ввод в выделенную ячейку или строку формул. Удалить знак слева Backspace Удалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки. Удалить знак справа Delete Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Очистить содержимое ячеек Delete Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Завершить ввод в ячейку и перейти вправо Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа. Завершить ввод в ячейку и перейти влево Shift+Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. Функции Функция SUM Alt+Знак \"Равно\" (=) Вставить функцию SUM в выделенную ячейку. Открыть выпадающий список Alt+Стрелка вниз Открыть выбранный выпадающий список. Открыть контекстное меню Клавиша вызова контекстного меню Открыть контекстное меню для выбранной ячейки или диапазона ячеек. Форматы данных Открыть диалоговое окно 'Числовой формат' Ctrl+1 Открыть диалоговое окно Числовой формат. Применить общий формат Ctrl+Shift+~ Применить Общий числовой формат. Применить денежный формат Ctrl+Shift+$ Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках). Применить процентный формат Ctrl+Shift+% Применить Процентный формат без дробной части. Применить экспоненциальный формат Ctrl+Shift+^ Применить Экспоненциальный числовой формат с двумя десятичными знаками. Применить формат даты Ctrl+Shift+# Применить формат Даты с указанием дня, месяца и года.. Применить формат времени Ctrl+Shift+@ Применить формат Времени с отображением часов и минут и индексами AM или PM. Применить числовой формат Ctrl+Shift+! Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений. Модификация объектов Ограничить движение Shift+перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов Shift+перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции Shift+перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку Shift+перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+Клавиши со стрелками Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз." + "body": "Windows/Linux Mac OS Работа с электронной таблицей Открыть панель 'Файл' Alt+F ⌥ Option+F Открыть панель Файл, чтобы сохранить, скачать, распечатать текущую электронную таблицу, просмотреть сведения о ней, создать новую таблицу или открыть существующую, получить доступ к Справке по онлайн-редактору электронных таблиц или дополнительным параметрам. Открыть окно 'Поиск и замена' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Открыть диалоговое окно Поиск и замена, чтобы начать поиск ячейки, содержащей требуемые символы. Открыть окно 'Поиск и замена' с полем замены Ctrl+H ^ Ctrl+H Открыть диалоговое окно Поиск и замена с полем замены, чтобы заменить одно или более вхождений найденных символов. Открыть панель 'Комментарии' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Открыть панель Комментарии, чтобы добавить свой комментарий или ответить на комментарии других пользователей. Открыть поле комментария Alt+H ⌥ Option+H Открыть поле ввода данных, в котором можно добавить текст комментария. Открыть панель 'Чат' Alt+Q ⌥ Option+Q Открыть панель Чат и отправить сообщение. Сохранить электронную таблицу Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Сохранить все изменения в редактируемой электронной таблице. Активный файл будет сохранен с текущим именем, в том же местоположении и формате. Печать электронной таблицы Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Распечатать электронную таблицу на одном из доступных принтеров или сохранить в файл. Скачать как... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Открыть панель Скачать как..., чтобы сохранить редактируемую электронную таблицу на жестком диске компьютера в одном из поддерживаемых форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Полноэкранный режим F11 Переключиться в полноэкранный режим, чтобы развернуть онлайн-редактор электронных таблиц на весь экран. Меню Справка F1 F1 Открыть меню Справка онлайн-редактора электронных таблиц. Открыть существующий файл (десктопные редакторы) Ctrl+O На вкладке Открыть локальный файл в десктопных редакторах позволяет открыть стандартное диалоговое окно для выбора существующего файла. Закрыть файл (десктопные редакторы) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Закрыть выбранную рабочую книгу в десктопных редакторах. Контекстное меню элемента ⇧ Shift+F10 ⇧ Shift+F10 Открыть контекстное меню выбранного элемента. Навигация Перейти на одну ячейку вверх, вниз, влево или вправо ← → ↑ ↓ ← → ↑ ↓ Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее. Перейти к краю текущей области данных Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Выделить ячейку на краю текущей области данных на листе. Перейти в начало строки Home Home Выделить ячейку в столбце A текущей строки. Перейти в начало электронной таблицы Ctrl+Home ^ Ctrl+Home Выделить ячейку A1. Перейти в конец строки End, Ctrl+→ End, ⌘ Cmd+→ Выделить последнюю ячейку текущей строки. Перейти в конец электронной таблицы Ctrl+End ^ Ctrl+End Выделить правую нижнюю используемую ячейку на листе, расположенную в самой нижней используемой строке в крайнем правом используемом столбце. Если курсор находится в строке формул, он будет перемещен в конец текста. Перейти на предыдущий лист Alt+Page Up ⌥ Option+Page Up Перейти на предыдущий лист электронной таблицы. Перейти на следующий лист Alt+Page Down ⌥ Option+Page Down Перейти на следующий лист электронной таблицы. Перейти на одну строку вверх ↑, ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Выделить ячейку выше текущей, расположенную в том же самом столбце. Перейти на одну строку вниз ↓, ↵ Enter ↵ Return Выделить ячейку ниже текущей, расположенную в том же самом столбце. Перейти на один столбец влево ←, ⇧ Shift+↹ Tab ←, ⇧ Shift+↹ Tab Выделить предыдущую ячейку текущей строки. Перейти на один столбец вправо →, ↹ Tab →, ↹ Tab Выделить следующую ячейку текущей строки. Перейти на один экран вниз Page Down Page Down Перейти на один экран вниз по рабочему листу. Перейти на один экран вверх Page Up Page Up Перейти на один экран вверх по рабочему листу. Увеличить Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Увеличить масштаб редактируемой электронной таблицы. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемой электронной таблицы. Выделение данных Выделить все Ctrl+A, Ctrl+⇧ Shift+␣ Spacebar ⌘ Cmd+A Выделить весь рабочий лист. Выделить столбец Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Выделить весь столбец на рабочем листе. Выделить строку ⇧ Shift+␣ Spacebar ⇧ Shift+␣ Spacebar Выделить всю строку на рабочем листе. Выделить фрагмент ⇧ Shift+→ ← ⇧ Shift+→ ← Выделять ячейку за ячейкой. Выделить с позиции курсора до начала строки ⇧ Shift+Home ⇧ Shift+Home Выделить фрагмент с позиции курсора до начала текущей строки. Выделить с позиции курсора до конца строки ⇧ Shift+End ⇧ Shift+End Выделить фрагмент с позиции курсора до конца текущей строки. Расширить выделенный диапазон до начала рабочего листа Ctrl+⇧ Shift+Home ^ Ctrl+⇧ Shift+Home Выделить фрагмент начиная с выделенных в данный момент ячеек до начала рабочего листа. Расширить выделенный диапазон до последней используемой ячейки Ctrl+⇧ Shift+End ^ Ctrl+⇧ Shift+End Выделить фрагмент начиная с выделенных в данный момент ячеек до последней используемой ячейки на рабочем листе (в самой нижней используемой строке в крайнем правом используемом столбце). Если курсор находится в строке формул, будет выделен весь текст в строке формул с позиции курсора и до конца. Это не повлияет на высоту строки формул. Выделить одну ячейку слева ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Выделить одну ячейку слева в таблице. Выделить одну ячейку справа ↹ Tab ↹ Tab Выделить одну ячейку справа в таблице. Расширить выделенный диапазон до последней непустой ячейки справа ⇧ Shift+Alt+End, Ctrl+⇧ Shift+→ ⇧ Shift+⌥ Option+End Расширить выделенный диапазон до последней непустой ячейки в той же строке справа от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон до последней непустой ячейки слева ⇧ Shift+Alt+Home, Ctrl+⇧ Shift+← ⇧ Shift+⌥ Option+Home Расширить выделенный диапазон до последней непустой ячейки в той же строке слева от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон до последней непустой ячейки сверху/снизу в столбце Ctrl+⇧ Shift+↑ ↓ Расширить выделенный диапазон до последней непустой ячейки в том же столбце сверху/снизу от активной ячейки. Если следующая ячейка пуста, выделенный диапазон будет расширен до следующей непустой ячейки. Расширить выделенный диапазон на один экран вниз ⇧ Shift+Page Down ⇧ Shift+Page Down Расширить выделенный диапазон, чтобы включить все ячейки на один экран вниз от активной ячейки. Расширить выделенный диапазон на один экран вверх ⇧ Shift+Page Up ⇧ Shift+Page Up Расширить выделенный диапазон, чтобы включить все ячейки на один экран вверх от активной ячейки. Отмена и повтор Отменить Ctrl+Z ⌘ Cmd+Z Отменить последнее выполненное действие. Повторить Ctrl+Y ⌘ Cmd+Y Повторить последнее отмененное действие. Вырезание, копирование и вставка Вырезать Ctrl+X, ⇧ Shift+Delete ⌘ Cmd+X Вырезать выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Копировать Ctrl+C, Ctrl+Insert ⌘ Cmd+C Отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этого же рабочего листа, в другую электронную таблицу или в какую-то другую программу. Вставить Ctrl+V, ⇧ Shift+Insert ⌘ Cmd+V Вставить ранее скопированные/вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из того же самого рабочего листа, из другой электронной таблицы или из какой-то другой программы. Форматирование данных Жирный шрифт Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Сделать шрифт в выделенном фрагменте текста жирным, придав ему большую насыщенность, или удалить форматирование жирным шрифтом. Курсив Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Сделать шрифт в выделенном фрагменте текста курсивным, придав ему наклон вправо, или удалить форматирование курсивом. Подчеркнутый шрифт Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Подчеркнуть выделенный фрагмент текста чертой, проведенной под буквами, или убрать подчеркивание. Зачеркнутый шрифт Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Зачеркнуть выделенный фрагмент текста чертой, проведенной по буквам, или убрать зачеркивание. Добавить гиперссылку Ctrl+K ⌘ Cmd+K Вставить гиперссылку на внешний сайт или на другой рабочий лист. Редактирование активной ячейки F2 F2 Редактировать активную ячейку и поместить точку вставки в конце содержимого ячейки. Если редактирование для ячейки отключено, точка вставки помещается в строку формул. Фильтрация данных Включить/Удалить фильтр Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Включить фильтр для выбранного диапазона ячеек или удалить фильтр. Форматировать как таблицу Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Применить к выбранному диапазону ячеек форматирование таблицы. Ввод данных Завершить ввод в ячейку и перейти вниз ↵ Enter ↵ Return Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку ниже. Завершить ввод в ячейку и перейти вверх ⇧ Shift+↵ Enter ⇧ Shift+↵ Return Завершить ввод в выделенную ячейку и перейти в ячейку выше. Начать новую строку Alt+↵ Enter Начать новую строку в той же самой ячейке. Отмена Esc Esc Отменить ввод в выделенную ячейку или строку формул. Удалить знак слева ← Backspace ← Backspace Удалить один символ слева от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое активной ячейки. Удалить знак справа Delete Delete, Fn+← Backspace Удалить один символ справа от курсора в строке формул или выделенной ячейке, когда активирован режим редактирования ячейки. Также удаляет содержимое (данные и формулы) выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Очистить содержимое ячеек Delete, ← Backspace Delete, ← Backspace Удалить содержимое (данные и формулы) из выделенных ячеек, не затрагивая форматирование ячеек или комментарии. Завершить ввод в ячейку и перейти вправо ↹ Tab ↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку справа. Завершить ввод в ячейку и перейти влево ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. Функции Функция SUM Alt+= ⌥ Option+= Вставить функцию SUM в выделенную ячейку. Открыть выпадающий список Alt+↓ Открыть выбранный выпадающий список. Открыть контекстное меню ≣ Menu Открыть контекстное меню для выбранной ячейки или диапазона ячеек. Форматы данных Открыть диалоговое окно 'Числовой формат' Ctrl+1 ^ Ctrl+1 Открыть диалоговое окно Числовой формат. Применить общий формат Ctrl+⇧ Shift+~ ^ Ctrl+⇧ Shift+~ Применить Общий числовой формат. Применить денежный формат Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Применить Денежный формат с двумя десятичными знаками (отрицательные числа отображаются в круглых скобках). Применить процентный формат Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Применить Процентный формат без дробной части. Применить экспоненциальный формат Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Применить Экспоненциальный числовой формат с двумя десятичными знаками. Применить формат даты Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Применить формат Даты с указанием дня, месяца и года. Применить формат времени Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Применить формат Времени с отображением часов и минут и индексами AM или PM. Применить числовой формат Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Применить Числовой формат с двумя десятичными знаками, разделителем разрядов и знаком минус (-) для отрицательных значений. Модификация объектов Ограничить движение ⇧ Shift + перетаскивание ⇧ Shift + перетаскивание Ограничить перемещение выбранного объекта по горизонтали или вертикали. Задать угол поворота в 15 градусов ⇧ Shift + перетаскивание (при поворачивании) ⇧ Shift + перетаскивание (при поворачивании) Ограничить угол поворота шагом в 15 градусов. Сохранять пропорции ⇧ Shift + перетаскивание (при изменении размера) ⇧ Shift + перетаскивание (при изменении размера) Сохранять пропорции выбранного объекта при изменении размера. Нарисовать прямую линию или стрелку ⇧ Shift + перетаскивание (при рисовании линий или стрелок) ⇧ Shift + перетаскивание (при рисовании линий или стрелок) Нарисовать прямую линию или стрелку: горизонтальную, вертикальную или под углом 45 градусов. Перемещение с шагом в один пиксель Ctrl+← → ↑ ↓ Удерживайте клавишу Ctrl и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз." }, { "id": "HelpfulHints/Navigation.htm", @@ -2233,67 +2248,67 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Функция поиска и замены", - "body": "Чтобы найти нужные символы, слова или фразы, которые используются в текущей электронной таблице, щелкните по значку , расположенному на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Если вы хотите выполнить поиск или замену значений только в пределах определенной области на текущем листе, выделите нужный диапазон ячеек, а затем щелкните по значку . Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок рядом с полем для ввода данных и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут). Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист. Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам. Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются. Нажмите на одну из кнопок со стрелками справа. Поиск будет выполняться или по направлению к началу рабочего листа (если нажата кнопка ), или по направлению к концу рабочего листа (если нажата кнопка ), начиная с текущей позиции. Первое вхождение искомых символов в выбранном направлении будет подсвечено. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." + "body": "Чтобы найти нужные символы, слова или фразы, которые используются в текущей электронной таблице, щелкните по значку , расположенному на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Если вы хотите выполнить поиск или замену значений только в пределах определенной области на текущем листе, выделите нужный диапазон ячеек, а затем щелкните по значку . Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок рядом с полем для ввода данных и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут). Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз. Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист. Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам. Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются. Нажмите на одну из кнопок со стрелками справа. Поиск будет выполняться или по направлению к началу рабочего листа (если нажата кнопка ), или по направлению к концу рабочего листа (если нажата кнопка ), начиная с текущей позиции. Первое вхождение искомых символов в выбранном направлении будет подсвечено. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных таблиц", - "body": "Электронная таблица - это таблица данных, организованных в строки и столбцы. Очень часто используется для хранения финансовой информации благодаря возможности автоматически пересчитывать весь лист после изменения отдельной ячейки. Редактор электронных таблиц позволяет открывать, просматривать и редактировать самые популярные форматы файлов электронных таблиц. Форматы Описание Просмотр Редактирование Скачивание XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + XLSX Стандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий) + + + ODS Расширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц + + + CSV Comma Separated Values Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем +" + "body": "Электронная таблица - это таблица данных, организованных в строки и столбцы. Очень часто используется для хранения финансовой информации благодаря возможности автоматически пересчитывать весь лист после изменения отдельной ячейки. Редактор электронных таблиц позволяет открывать, просматривать и редактировать самые популярные форматы файлов электронных таблиц. Форматы Описание Просмотр Редактирование Скачивание XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + + XLSX Стандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий) + + + XLTX Excel Open XML Spreadsheet Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов электронных таблиц. Шаблон XLTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + + ODS Расширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц + + + OTS OpenDocument Spreadsheet Template Формат текстовых файлов OpenDocument для шаблонов электронных таблиц. Шаблон OTS содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + в онлайн-версии CSV Comma Separated Values Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме + + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем + PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. + +" }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Вкладка Совместная работа", - "body": "Вкладка Совместная работа позволяет организовать совместную работу над электронной таблицей: предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа, переключаться между Строгим и Быстрым режимами совместного редактирования, добавлять комментарии к электронной таблице, открывать панель Чата." + "body": "Вкладка Совместная работа позволяет организовать совместную работу над электронной таблицей. В онлайн-версии можно предоставлять доступ к файлу, выбирать режим совместного редактирования, управлять комментариями. В десктопной версии можно управлять комментариями. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: задавать настройки совместного доступа (доступно только в онлайн-версии), переключаться между Строгим и Быстрым режимами совместного редактирования (доступно только в онлайн-версии), добавлять комментарии к электронной таблице, открывать панель Чата (доступно только в онлайн-версии)." }, { "id": "ProgramInterface/FileTab.htm", "title": "Вкладка Файл", - "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. С помощью этой вкладки вы можете выполнить следующие действия: сохранить текущий файл (если отключена опция Автосохранение), скачать, распечатать или переименовать его, создать новую электронную таблицу или открыть недавно отредактированную, просмотреть общие сведения об электронной таблице, управлять правами доступа, открыть дополнительные параметры редактора, вернуться в список документов." + "body": "Вкладка Файл позволяет выполнить некоторые базовые операции с текущим файлом. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: в онлайн-версии сохранить текущий файл (если отключена опция Автосохранение), скачать как (сохранить электронную таблицу в выбранном формате на жестком диске компьютера), сохранить копию как (сохранить копию электронной таблицы в выбранном формате на портале), распечатать или переименовать файл, в десктопной версии сохранить текущий файл в текущем формате и местоположении с помощью опции Сохранить, сохранить файл под другим именем, в другом местоположении или в другом формате с помощью опции Сохранить как, распечатать файл, защитить файл с помощью пароля, изменить или удалить пароль (доступно только в десктопной версии); создать новую электронную таблицу или открыть недавно отредактированную (доступно только в онлайн-версии), просмотреть общие сведения об электронной таблице, управлять правами доступа (доступно только в онлайн-версии), открыть дополнительные параметры редактора, в десктопной версии открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Вкладка Главная", - "body": "Вкладка Главная открывается по умолчанию при открытии электронной таблицы. Она позволяет форматировать ячейки и данные в них, применять фильтры, вставлять функции. Здесь также доступны некоторые другие опции, такие как цветовые схемы, функция Форматировать как шаблон таблицы и т.д. С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер, стиль и цвета шрифта, выравнивать данные в ячейках, добавлять границы ячеек и объединять ячейки, вставлять функции и создавать именованные диапазоны, выполнять сортировку и фильтрацию данных, изменять формат представления чисел, добавлять или удалять ячейки, строки, столбцы, копировать и очищать форматирование ячеек, применять шаблон таблицы к выделенному диапазону ячеек." + "body": "Вкладка Главная открывается по умолчанию при открытии электронной таблицы. Она позволяет форматировать ячейки и данные в них, применять фильтры, вставлять функции. Здесь также доступны некоторые другие опции, такие как цветовые схемы, функция Форматировать как шаблон таблицы и т.д. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: задавать тип, размер, стиль и цвета шрифта, выравнивать данные в ячейках, добавлять границы ячеек и объединять ячейки, вставлять функции и создавать именованные диапазоны, выполнять сортировку и фильтрацию данных, изменять формат представления чисел, добавлять или удалять ячейки, строки, столбцы, копировать и очищать форматирование ячеек, применять шаблон таблицы к выделенному диапазону ячеек." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Вкладка Вставка", - "body": "Вкладка Вставка позволяет добавлять в электронную таблицу визуальные объекты и комментарии. С помощью этой вкладки вы можете выполнить следующие действия: вставлять изображения, фигуры, текстовые поля и объекты Text Art, диаграммы, вставлять комментарии и гиперссылки, вставлять формулы." + "body": "Вкладка Вставка позволяет добавлять в электронную таблицу визуальные объекты и комментарии. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: вставлять изображения, фигуры, текстовые поля и объекты Text Art, диаграммы, вставлять комментарии и гиперссылки, вставлять формулы." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Вкладка Макет", - "body": "Вкладка Макет позволяет изменить внешний вид электронной таблицы: задать параметры страницы и определить расположение визуальных элементов. С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, выравнивать и располагать в определенном порядке объекты (изображения, диаграммы, фигуры)." + "body": "Вкладка Макет позволяет изменить внешний вид электронной таблицы: задать параметры страницы и определить расположение визуальных элементов. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: настраивать поля, ориентацию, размер страницы, задавать область печати, выравнивать и располагать в определенном порядке объекты (изображения, диаграммы, фигуры)." }, { "id": "ProgramInterface/PivotTableTab.htm", "title": "Вкладка Сводная таблица", - "body": "Вкладка Сводная таблица позволяет изменить оформление существующей сводной таблицы. С помощью этой вкладки вы можете выполнить следующие действия: выделить всю сводную таблицу одним кликом, выделить некоторые строки или столбцы, применив к ним особое форматирование, выбрать один из готовых стилей таблиц." + "body": "Примечание: эта возможность доступна только в онлайн-версии. Вкладка Сводная таблица позволяет изменить оформление существующей сводной таблицы. Окно онлайн-редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: выделить всю сводную таблицу одним кликом, выделить некоторые строки или столбцы, применив к ним особое форматирование, выбрать один из готовых стилей таблиц." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Вкладка Плагины", - "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Кнопка Macros позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: ClipArt позволяет добавлять в электронную таблицу изображения из коллекции картинок, PhotoEditor позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее, Symbol Table позволяет вставлять в текст специальные символы, Translator позволяет переводить выделенный текст на другие языки, YouTube позволяет встраивать в электронную таблицу видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API. Все существующие в настоящий момент примеры плагинов с открытым исходным кодом доступны на GitHub." + "body": "Вкладка Плагины позволяет получить доступ к дополнительным возможностям редактирования, используя доступные сторонние компоненты. Здесь также можно использовать макросы для автоматизации рутинных задач. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Кнопка Настройки позволяет открыть окно, в котором можно просмотреть все установленные плагины, управлять ими и добавлять свои собственные. Кнопка Макросы позволяет открыть окно, в котором можно создавать собственные макросы и запускать их. Для получения дополнительной информации о макросах, пожалуйста, обратитесь к нашей Документации по API. В настоящее время по умолчанию доступны следующие плагины: Отправить - позволяет отправить таблицу по электронной почте с помощью десктопного почтового клиента по умолчанию, Клипарт - позволяет добавлять в электронную таблицу изображения из коллекции картинок, Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона, Фоторедактор - позволяет редактировать изображения: обрезать, изменять размер, применять эффекты и так далее, Таблица символов - позволяет вставлять в текст специальные символы, Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант, Переводчик - позволяет переводить выделенный текст на другие языки, YouTube - позволяет встраивать в электронную таблицу видео с YouTube. Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора электронных таблиц", - "body": "В редакторе электронных таблиц используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки меню, название электронной таблицы. Cправа также находятся три значка, с помощью которых можно задать права доступа, вернуться в список документов, настраивать параметры представления и получать доступ к дополнительным параметрам редактора. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Сводная таблица, Совместная работа, Плагины. Опции Печать, Сохранить, Копировать, Вставить, Отменить и Повторить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, ярлычки листов и кнопки масштаба. В Строке состояния также отображается количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные. На Левой боковой панели находятся значки, позволяющие использовать инструмент поиска и замены, открыть панель Комментариев и Чата, обратиться в службу технической поддержки и посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "В редакторе электронных таблиц используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Сводная таблица, Совместная работа, Защита, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, ярлычки листов и кнопки масштаба. В Строке состояния также отображается количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, а также значки, позволяющие обратиться в службу технической поддержки и посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Добавление границ", - "body": "Для добавления и форматирования границ на рабочем листе: выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. щелкните по значку Границы , расположенному на вкладке Главная верхней панели инструментов, или нажмите на значок Параметры ячейки на правой боковой панели, выберите стиль границ, который требуется применить: откройте подменю Стиль границ и выберите один из доступных вариантов, откройте подменю Цвет границ и выберите нужный цвет на палитре, выберите один из доступных шаблонов границ: Внешние границы , Все границы , Верхние границы , Нижние границы , Левые границы , Правые границы , Без границ , Внутренние границы , Внутренние вертикальные границы , Внутренние горизонтальные границы , Диагональная граница снизу вверх , Диагональная граница сверху вниз ." + "body": "Для добавления и форматирования границ на рабочем листе: выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. щелкните по значку Границы , расположенному на вкладке Главная верхней панели инструментов, или нажмите на значок Параметры ячейки на правой боковой панели, выберите стиль границ, который требуется применить: откройте подменю Стиль границ и выберите один из доступных вариантов, откройте подменю Цвет границ или используйте палитру Цвет на правой боковой панели и выберите нужный цвет на палитре, выберите один из доступных шаблонов границ: Внешние границы , Все границы , Верхние границы , Нижние границы , Левые границы , Правые границы , Без границ , Внутренние границы , Внутренние вертикальные границы , Внутренние горизонтальные границы , Диагональная граница снизу вверх , Диагональная граница сверху вниз ." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Добавление гиперссылок", - "body": "Для добавления гиперссылки: выделите ячейку, в которую требуется добавить гиперссылку, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Гиперссылка на верхней панели инструментов, после этого появится окно Параметры гиперссылки, в котором можно указать параметры гиперссылки: Bыберите тип ссылки, которую требуется вставить: Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если вам требуется добавить гиперссылку, ведущую на внешний сайт. Используйте опцию Внутренний диапазон данных и выберите рабочий лист и диапазон ячеек в поле ниже, если вам требуется добавить гиперссылку, ведущую на определенный диапазон ячеек в той же самой электронной таблице. Отображать - введите текст, который должен стать ссылкой и будет вести по веб-адресу, указанному в поле выше. Примечание: если выбранная ячейка уже содержит данные, они автоматически отобразятся в этом поле. Текст всплывающей подсказки - введите текст краткого примечания к гиперссылке, который будет появляться в маленьком всплывающем окне при наведении на гиперссылку курсора. нажмите кнопку OK. Для добавления гиперссылки можно также использовать сочетание клавиш Ctrl+K или щелкнуть правой кнопкой мыши там, где требуется добавить гиперссылку, и выбрать в контекстном меню команду Гиперссылка. При наведении курсора на добавленную гиперссылку появится подсказка с заданным текстом. Для перехода по ссылке нажмите клавишу CTRL и щелкните по ссылке в таблице. Для удаления добавленной гиперссылки активируйте ячейку, которая содержит добавленную гиперссылку, и нажмите клавишу Delete, или щелкните по ячейке правой кнопкой мыши и выберите из выпадающего списка команду Очистить все." + "body": "Для добавления гиперссылки: выделите ячейку, в которую требуется добавить гиперссылку, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Гиперссылка на верхней панели инструментов, после этого появится окно Параметры гиперссылки, в котором можно указать параметры гиперссылки: Bыберите тип ссылки, которую требуется вставить: Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если вам требуется добавить гиперссылку, ведущую на внешний сайт. Используйте опцию Внутренний диапазон данных и выберите рабочий лист и диапазон ячеек в поле ниже, если вам требуется добавить гиперссылку, ведущую на определенный диапазон ячеек в той же самой электронной таблице. Отображать - введите текст, который должен стать ссылкой и будет вести по веб-адресу, указанному в поле выше. Примечание: если выбранная ячейка уже содержит данные, они автоматически отобразятся в этом поле. Текст всплывающей подсказки - введите текст краткого примечания к гиперссылке, который будет появляться в маленьком всплывающем окне при наведении на гиперссылку курсора. нажмите кнопку OK. Для добавления гиперссылки можно также использовать сочетание клавиш Ctrl+K или щелкнуть правой кнопкой мыши там, где требуется добавить гиперссылку, и выбрать в контекстном меню команду Гиперссылка. При наведении курсора на добавленную гиперссылку появится подсказка с заданным текстом. Для перехода по ссылке щелкните по ссылке в таблице. Чтобы выделить ячейку со ссылкой, не переходя по этой ссылке, щелкните и удерживайте кнопку мыши. Для удаления добавленной гиперссылки активируйте ячейку, которая содержит добавленную гиперссылку, и нажмите клавишу Delete, или щелкните по ячейке правой кнопкой мыши и выберите из выпадающего списка команду Очистить все." }, { "id": "UsageInstructions/AlignText.htm", "title": "Выравнивание данных в ячейках", - "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . Примечание: при изменении ширины столбца перенос текста настраивается автоматически." + "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . Примечание: при изменении ширины столбца перенос текста настраивается автоматически." }, { "id": "UsageInstructions/ChangeNumberFormat.htm", @@ -2308,17 +2323,17 @@ var indexes = { "id": "UsageInstructions/CopyPasteData.htm", "title": "Вырезание / копирование / вставка данных", - "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов: Вырезание - выделите данные и используйте опцию Вырезать, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы. Копирование - выделите данные, затем или используйте значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы. Вставка - выберите место, затем или используйте значок Вставить на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Вставить, чтобы вставить ранее скопированные или вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из этой же электронной таблицы. Для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используйте следующие сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того, чтобы вырезать и вставлять данные на одном и том же рабочем листе, можно выделить нужную ячейку/диапазон ячеек, установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место. Использование функции Специальная вставка После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке ячейки/диапазона ячеек с отформатированными данными доступны следующие параметры: Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию. Следующие опции можно использовать, если скопированные данные содержат формулы: Вставить только формулу - позволяет вставить формулы, не вставляя форматирование данных. Формула + формат чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Формула + все форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формула без границ - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек. Формула + ширина столбца - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу: Вставить только значение - позволяет вставить результаты формул, не вставляя форматирование данных. Значение + формат чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значение + все форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Вставить только форматирование - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц. При вставке содержимого отдельной ячейки или текста в автофигурах доступны следующие параметры: Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных. Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные. Использование функции автозаполнения Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: выберите ячейку/диапазон ячеек, содержащие нужные данные, поместите указатель мыши рядом с маркером заполнения в правом нижнем углу ячейки. При этом указатель будет выглядеть как черный крест: перетащите маркер заполнения по соседним ячейкам, которые вы хотите заполнить выбранными данными. Примечание: если вам нужно создать последовательный ряд цифр (например 1, 2, 3, 4...; 2, 4, 6, 8... и т.д.) или дат, можно ввести хотя бы два начальных значения и быстро продолжить ряд, выделив эти ячейки и перетащив мышью маркер заполнения. Заполнение ячеек в столбце текстовыми значениями Если столбец электронной таблицы содержит какие-то текстовые значения, можно легко заменить любое значение в этом столбце или заполнить следующую пустую ячейку, выбрав одно из уже существующих текстовых значений. Щелкните по нужной ячейке правой кнопкой мыши и выберите в контекстном меню пункт Выбрать из списка. Выберите одно из доступных текстовых значений для замены текущего значения или заполнения пустой ячейки." + "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов: Вырезание - выделите данные и используйте опцию Вырезать, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы. Копирование - выделите данные, затем или используйте значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы. Вставка - выберите место, затем или используйте значок Вставить на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Вставить, чтобы вставить ранее скопированные или вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из этой же электронной таблицы. В онлайн-версии для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того, чтобы вырезать и вставлять данные на одном и том же рабочем листе, можно выделить нужную ячейку/диапазон ячеек, установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место. Использование функции Специальная вставка После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке ячейки/диапазона ячеек с отформатированными данными доступны следующие параметры: Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию. Следующие опции можно использовать, если скопированные данные содержат формулы: Вставить только формулу - позволяет вставить формулы, не вставляя форматирование данных. Формула + формат чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Формула + все форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формула без границ - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек. Формула + ширина столбца - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу: Вставить только значение - позволяет вставить результаты формул, не вставляя форматирование данных. Значение + формат чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значение + все форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Вставить только форматирование - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц. При вставке содержимого отдельной ячейки или текста в автофигурах доступны следующие параметры: Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных. Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные. При вставке текста с разделителями, скопированного из файла .txt, доступны следующие параметры: Текст с разделителями может содержать несколько записей, где каждая запись соответствует одной табличной строке. Запись может включать в себя несколько текстовых значений, разделенных с помощью разделителей (таких как запятая, точка с запятой, двоеточие, табуляция, пробел или другой символ). Файл должен быть сохранен как простой текст в формате .txt. Сохранить только текст - позволяет вставить текстовые значения в один столбец, где содержимое каждой ячейки соответствует строке в исходном текстовом файле. Использовать мастер импорта текста - позволяет открыть Мастер импорта текста, с помощью которого можно легко распределить текстовые значения на несколько столбцов, где каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK. Если вы вставили данные с разделителями из источника, который не является простым текстовым файлом (например, текст, скопированный с веб-страницы и т.д.), или если вы применили функцию Сохранить только текст, а теперь хотите распределить данные из одного столбца по нескольким столбцам, вы можете использовать опцию Текст по столбцам. Чтобы разделить данные на несколько столбцов: Выделите нужную ячейку или столбец, содержащий данные с разделителями. Нажмите кнопку Текст по столбцам на правой боковой панели. Откроется Мастер распределения текста по столбцам. В выпадающем списке Разделитель выберите разделитель, который используется в данных с разделителем, просмотрите результат в расположенном ниже поле и нажмите кнопку OK. После этого каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Если в ячейках справа от столбца, который требуется разделить, содержатся какие-то данные, эти данные будут перезаписаны. Использование функции автозаполнения Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: выберите ячейку/диапазон ячеек, содержащие нужные данные, поместите указатель мыши рядом с маркером заполнения в правом нижнем углу ячейки. При этом указатель будет выглядеть как черный крест: перетащите маркер заполнения по соседним ячейкам, которые вы хотите заполнить выбранными данными. Примечание: если вам нужно создать последовательный ряд цифр (например 1, 2, 3, 4...; 2, 4, 6, 8... и т.д.) или дат, можно ввести хотя бы два начальных значения и быстро продолжить ряд, выделив эти ячейки и перетащив мышью маркер заполнения. Заполнение ячеек в столбце текстовыми значениями Если столбец электронной таблицы содержит какие-то текстовые значения, можно легко заменить любое значение в этом столбце или заполнить следующую пустую ячейку, выбрав одно из уже существующих текстовых значений. Щелкните по нужной ячейке правой кнопкой мыши и выберите в контекстном меню пункт Выбрать из списка. Выберите одно из доступных текстовых значений для замены текущего значения или заполнения пустой ячейки." }, { "id": "UsageInstructions/FontTypeSizeStyle.htm", "title": "Настройка типа, размера, стиля и цветов шрифта", - "body": "Можно выбрать тип шрифта и его размер, применить один из стилей оформления и изменить цвета шрифта и фона, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к данным, которые уже есть в электронной таблице, выделите их мышью или с помощью клавиатуры, а затем примените форматирование. Если форматирование требуется применить к нескольким ячейкам или диапазонам ячеек, которые не являются смежными, удерживайте клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Шрифт Используется для выбора шрифта из списка доступных. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка, или же значение можно ввести вручную в поле размера шрифта. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Жирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Подстрочные/надстрочные знаки Позволяет выбрать опцию Надстрочные знаки или Подстрочные знаки. Опция Надстрочные знаки используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Опция Подстрочные знаки используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Цвет шрифта Используется для изменения цвета букв/символов в ячейках. Цвет фона Используется для изменения цвета фона ячейки. Изменение цветовой схемы Используется для изменения цветовой палитры по умолчанию для элементов рабочего листа (шрифт, фон, диаграммы и их элементы) путем выбора одной из доступных схем: Стандартная, Оттенки серого, Апекс, Аспект, Официальная, Открытая, Справедливость, Поток, Литейная, Обычная, Метро, Модульная, Изящная, Эркер, Начальная, Бумажная, Солнцестояние, Техническая, Трек, Городская или Яркая. Примечание: можно также применить один из предустановленных стилей форматирования текста. Для этого выделите ячейку, которую требуется отформатировать, и выберите нужную предустановку из списка на вкладке Главная верхней панели инструментов: Чтобы изменить цвет шрифта/фона, выделите мышью символы/ячейки или весь рабочий лист, используя сочетание клавиш Ctrl+A, щелкните по соответствующему значку на верхней панели инструментов, выберите любой цвет на доступных палитрах Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить: Пользовательский цвет будет применен к тексту и добавлен в палитру Пользовательский цвет. Чтобы очистить цвет фона определенной ячейки, выделите мышью ячейку или диапазон ячеек, или весь рабочий лист с помощью сочетания клавиш Ctrl+A, нажмите на значок Цвет фона на вкладке Главная верхней панели инструментов, выберите значок ." + "body": "Можно выбрать тип шрифта и его размер, применить один из стилей оформления и изменить цвета шрифта и фона, используя соответствующие значки, расположенные на вкладке Главная верхней панели инструментов. Примечание: если необходимо применить форматирование к данным, которые уже есть в электронной таблице, выделите их мышью или с помощью клавиатуры, а затем примените форматирование. Если форматирование требуется применить к нескольким ячейкам или диапазонам ячеек, которые не являются смежными, удерживайте клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Шрифт Используется для выбора шрифта из списка доступных. Если требуемый шрифт отсутствует в списке, его можно скачать и установить в вашей операционной системе, после чего он будет доступен для использования в десктопной версии. Размер шрифта Используется для выбора предустановленного значения размера шрифта из выпадающего списка (доступны следующие стандартные значения: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 и 96). Также можно вручную ввести произвольное значение в поле ввода и нажать клавишу Enter. Увеличить размер шрифта Используется для изменения размера шрифта, делая его на один пункт крупнее при каждом нажатии на кнопку. Уменьшить размер шрифта Используется для изменения размера шрифта, делая его на один пункт мельче при каждом нажатии на кнопку. Жирный Используется для придания шрифту большей насыщенности. Курсив Используется для придания шрифту наклона вправо. Подчеркнутый Используется для подчеркивания текста чертой, проведенной под буквами. Зачеркнутый Используется для зачеркивания текста чертой, проведенной по буквам. Подстрочные/надстрочные знаки Позволяет выбрать опцию Надстрочные знаки или Подстрочные знаки. Опция Надстрочные знаки используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Опция Подстрочные знаки используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Цвет шрифта Используется для изменения цвета букв/символов в ячейках. Цвет фона Используется для изменения цвета фона ячейки. Цвет фона ячейки также можно изменить с помощью палитры Цвет фона на вкладке Параметры ячейки правой боковой панели. Изменение цветовой схемы Используется для изменения цветовой палитры по умолчанию для элементов рабочего листа (шрифт, фон, диаграммы и их элементы) путем выбора одной из доступных схем: Стандартная, Оттенки серого, Апекс, Аспект, Официальная, Открытая, Справедливость, Поток, Литейная, Обычная, Метро, Модульная, Изящная, Эркер, Начальная, Бумажная, Солнцестояние, Техническая, Трек, Городская или Яркая. Примечание: можно также применить один из предустановленных стилей форматирования текста. Для этого выделите ячейку, которую требуется отформатировать, и выберите нужную предустановку из списка на вкладке Главная верхней панели инструментов: Чтобы изменить цвет шрифта/фона, выделите мышью символы/ячейки или весь рабочий лист, используя сочетание клавиш Ctrl+A, щелкните по соответствующему значку на верхней панели инструментов, выберите любой цвет на доступных палитрах Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить: Пользовательский цвет будет применен к тексту и добавлен в палитру Пользовательский цвет. Чтобы очистить цвет фона определенной ячейки, выделите мышью ячейку или диапазон ячеек, или весь рабочий лист с помощью сочетания клавиш Ctrl+A, нажмите на значок Цвет фона на вкладке Главная верхней панели инструментов, выберите значок ." }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка и форматирование автофигур", - "body": "Вставка автофигур Для добавления автофигуры в электронную таблицу, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее открыть, выделите фигуру мышью и щелкните по значку Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной цветовой схеме документа. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить. Пользовательский цвет будет применен к автофигуре и добавлен в палитру Пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления : из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Градиент - щелкните по левому ползунку под шкалой градиента, чтобы активировать цветовое поле, которое соответствует первому цвету. Щелкните по этому цветовому полю справа, чтобы выбрать первый цвет на палитре. Перетащите ползунок, чтобы установить ограничитель градиента, то есть точку, в которой один цвет переходит в другой. Используйте правый ползунок под шкалой градиента, чтобы задать второй цвет и установить ограничитель градиента. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно добавить изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Чтобы изменить дополнительные параметры автофигуры, используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Поля вокруг текста можно изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит автофигура. Вставка и форматирование текста внутри автофигуры Чтобы вставить текст в автофигуру, выделите фигуру и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Все параметры форматирования, которые можно применить к тексту в автофигуре, перечислены здесь. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно фигура 10, 11 и 12), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения." + "body": "Вставка автофигур Для добавления автофигуры в электронную таблицу, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее открыть, выделите фигуру мышью и щелкните по значку Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной цветовой схеме документа. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить. Пользовательский цвет будет применен к автофигуре и добавлен в палитру Пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите один из доступных вариантов: Линейный (цвета изменяются по прямой, то есть по горизонтальной/вертикальной оси или по диагонали под углом 45 градусов) или Радиальный (цвета изменяются по кругу от центра к краям). Направление - выберите шаблон из меню. Если выбран Линейный градиент, доступны следующие направления : из левого верхнего угла в нижний правый, сверху вниз, из правого верхнего угла в нижний левый, справа налево, из правого нижнего угла в верхний левый, снизу вверх, из левого нижнего угла в верхний правый, слева направо. Если выбран Радиальный градиент, доступен только один шаблон. Градиент - щелкните по левому ползунку под шкалой градиента, чтобы активировать цветовое поле, которое соответствует первому цвету. Щелкните по этому цветовому полю справа, чтобы выбрать первый цвет на палитре. Перетащите ползунок, чтобы установить ограничитель градиента, то есть точку, в которой один цвет переходит в другой. Используйте правый ползунок под шкалой градиента, чтобы задать второй цвет и установить ограничитель градиента. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно добавить изображение Из файла, выбрав его на жестком диске компьютера, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Обводка - используйте этот раздел, чтобы изменить толщину, цвет или тип обводки. Для изменения толщины обводки выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать обводку. Для изменения цвета обводки щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа обводки выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Чтобы изменить дополнительные параметры автофигуры, используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Поля вокруг текста можно изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит автофигура. Вставка и форматирование текста внутри автофигуры Чтобы вставить текст в автофигуру, выделите фигуру и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Все параметры форматирования, которые можно применить к тексту в автофигуре, перечислены здесь. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения." }, { "id": "UsageInstructions/InsertChart.htm", @@ -2338,17 +2353,17 @@ var indexes = { "id": "UsageInstructions/InsertFunction.htm", "title": "Вставка функций", - "body": "Важная причина использования электронных таблиц - это возможность выполнять основные расчеты. Некоторые из них можно выполнить автоматически, выбрав диапазон ячеек на рабочем листе: СРЕДНЕЕ - используется для того, чтобы проанализировать выбранный диапазон ячеек и рассчитать среднее значение. КОЛИЧЕСТВО - используется для того, чтобы подсчитать количество выбранных ячеек, содержащих значения, без учета пустых ячеек. СУММА - используется для того, чтобы сложить все числа в выбранном диапазоне без учета пустых или содержащих текст ячеек. Результаты этих расчетов отображаются в правом нижнем углу строки состояния. Для выполнения любых других расчетов можно ввести нужную формулу вручную, используя общепринятые математические операторы, или вставить заранее определенную формулу - Функцию. Для вставки функции: выделите ячейку, в которую требуется вставить функцию, щелкните по значку Вставить функцию , расположенному на вкладке Главная верхней панели инструментов, и выберите одну из часто используемых функций (СУММ, МИН, МАКС, СЧЁТ) или выберите опцию Дополнительно, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, в открывшемся окне Вставить функцию выберите нужную группу функций, а затем выберите из списка требуемую функцию и нажмите OK. введите аргументы функции или вручную, или выделив мышью диапазон ячеек, который надо добавить в качестве аргумента. Если функция требует несколько аргументов, их надо вводить через точку с запятой. Примечание: в общих случаях, в качестве аргументов функций можно использовать числовые значения, логические значения (ИСТИНА, ЛОЖЬ), текстовые значения (они должны быть заключены в кавычки), ссылки на ячейки, ссылки на диапазоны ячеек, имена, присвоенные диапазонам, и другие функции. Нажмите клавишу Enter. Вот список доступных функций, сгруппированных по категориям: Примечание: если вы хотите изменить язык, который используется для имен функций, перейдите в меню Файл -> Дополнительные параметры, выберите нужный язык из списка Язык формул и нажмите кнопку Применить. Категория функций Описание Функции Функции для работы с текстом и данными Используются для корректного отображения текстовых данных в электронной таблице. СИМВОЛ; ПЕЧСИМВ; КОДСИМВ; СЦЕПИТЬ; СЦЕП; РУБЛЬ; СОВПАД; НАЙТИ; НАЙТИБ; ФИКСИРОВАННЫЙ; ЛЕВСИМВ; ЛЕВБ; ДЛСТР; ДЛИНБ; СТРОЧН; ПСТР; ПСТРБ; ЧЗНАЧ; ПРОПНАЧ; ЗАМЕНИТЬ; ЗАМЕНИТЬБ; ПОВТОР; ПРАВСИМВ; ПРАВБ; ПОИСК; ПОИСКБ; ПОДСТАВИТЬ; T; ТЕКСТ; ОБЪЕДИНИТЬ; СЖПРОБЕЛЫ; ЮНИСИМВ; UNICODE; ПРОПИСН; ЗНАЧЕН; Статистические функции Используются для анализа данных: нахождения среднего значения, наибольшего или наименьшего значения в диапазоне ячеек. СРОТКЛ; СРЗНАЧ; СРЗНАЧА; СРЗНАЧЕСЛИ; СРЗНАЧЕСЛИМН; БЕТАРАСП; БЕТА.РАСП; БЕТА.ОБР; БИНОМРАСП; БИНОМ.РАСП; БИНОМ.РАСП.ДИАП; БИНОМ.ОБР; ХИ2РАСП; ХИ2ОБР; ХИ2.РАСП; ХИ2.РАСП.ПХ; ХИ2.ОБР; ХИ2.ОБР.ПХ; ХИ2ТЕСТ; ХИ2.ТЕСТ; ДОВЕРИТ; ДОВЕРИТ.НОРМ; ДОВЕРИТ.СТЬЮДЕНТ; КОРРЕЛ; СЧЁТ; СЧЁТЗ; СЧИТАТЬПУСТОТЫ; СЧЁТЕСЛИ; СЧЁТЕСЛИМН; КОВАР; КОВАРИАЦИЯ.Г; КОВАРИАЦИЯ.В; КРИТБИНОМ; КВАДРОТКЛ; ЭКСП.РАСП; ЭКСПРАСП; F.РАСП; FРАСП; F.РАСП.ПХ; F.ОБР; FРАСПОБР; F.ОБР.ПХ; ФИШЕР; ФИШЕРОБР; ПРЕДСКАЗ; ПРЕДСКАЗ.ETS; ПРЕДСКАЗ.ЕTS.ДОВИНТЕРВАЛ; ПРЕДСКАЗ.ETS.СЕЗОННОСТЬ; ПРЕДСКАЗ.ETS.СТАТ; ПРЕДСКАЗ.ЛИНЕЙН; ЧАСТОТА; ФТЕСТ; F.ТЕСТ; ГАММА; ГАММА.РАСП; ГАММАРАСП; ГАММА.ОБР; ГАММАОБР; ГАММАНЛОГ; ГАММАНЛОГ.ТОЧН; ГАУСС; СРГЕОМ; СРГАРМ; ГИПЕРГЕОМЕТ; ГИПЕРГЕОМ.РАСП; ОТРЕЗОК; ЭКСЦЕСС; НАИБОЛЬШИЙ; ЛОГНОРМОБР; ЛОГНОРМ.РАСП; ЛОГНОРМ.ОБР; ЛОГНОРМРАСП; МАКС; МАКСА; МАКСЕСЛИ; МЕДИАНА; МИН; МИНА; МИНЕСЛИ; МОДА; МОДА.НСК; МОДА.ОДН; ОТРБИНОМРАСП; ОТРБИНОМ.РАСП; НОРМРАСП; НОРМ.РАСП; НОРМОБР; НОРМ.ОБР; НОРМСТРАСП; НОРМ.СТ.РАСП; НОРМСТОБР; НОРМ.СТ.ОБР; ПИРСОН; ПЕРСЕНТИЛЬ; ПРОЦЕНТИЛЬ.ИСКЛ; ПРОЦЕНТИЛЬ.ВКЛ; ПРОЦЕНТРАНГ; ПРОЦЕНТРАНГ.ИСКЛ; ПРОЦЕНТРАНГ.ВКЛ; ПЕРЕСТ; ПЕРЕСТА; ФИ; ПУАССОН; ПУАССОН.РАСП; ВЕРОЯТНОСТЬ; КВАРТИЛЬ; КВАРТИЛЬ.ИСКЛ; КВАРТИЛЬ.ВКЛ; РАНГ; РАНГ.СР; РАНГ.РВ; КВПИРСОН; СКОС; СКОС.Г; НАКЛОН; НАИМЕНЬШИЙ; НОРМАЛИЗАЦИЯ; СТАНДОТКЛОН; СТАНДОТКЛОН.В; СТАНДОТКЛОНА; СТАНДОТКЛОНП; СТАНДОТКЛОН.Г; СТАНДОТКЛОНПА; СТОШYX; СТЬЮДРАСП; СТЬЮДЕНТ.РАСП; СТЬЮДЕНТ.РАСП.2Х; СТЬЮДЕНТ.РАСП.ПХ; СТЬЮДЕНТ.ОБР; СТЬЮДЕНТ.ОБР.2Х; СТЬЮДРАСПОБР; УРЕЗСРЕДНЕЕ; ТТЕСТ; СТЬЮДЕНТ.ТЕСТ; ДИСП; ДИСПА; ДИСПР; ДИСП.Г; ДИСП.В; ДИСПРА; ВЕЙБУЛЛ; ВЕЙБУЛЛ.РАСП; ZТЕСТ; Z.ТЕСТ Математические функции Используются для выполнения базовых математических и тригонометрических операций, таких как сложение, умножение, деление, округление и т.д. ABS; ACOS; ACOSH; ACOT; ACOTH; АГРЕГАТ; АРАБСКОЕ; ASIN; ASINH; ATAN; ATAN2; ATANH; ОСНОВАНИЕ; ОКРВВЕРХ; ОКРВВЕРХ.МАТ; ОКРВВЕРХ.ТОЧН; ЧИСЛКОМБ; ЧИСЛКОМБА; COS; COSH; COT; COTH; CSC; CSCH; ДЕС; ГРАДУСЫ; ECMA.ОКРВВЕРХ; ЧЁТН; EXP; ФАКТР; ДВФАКТР; ОКРВНИЗ; ОКРВНИЗ.ТОЧН; ОКРВНИЗ.МАТ; НОД; ЦЕЛОЕ; ISO.ОКРВВЕРХ; НОК; LN; LOG; LOG10; МОПРЕД; МОБР; МУМНОЖ; ОСТАТ; ОКРУГЛТ; МУЛЬТИНОМ; НЕЧЁТ; ПИ; СТЕПЕНЬ; ПРОИЗВЕД; ЧАСТНОЕ; РАДИАНЫ; СЛЧИС; СЛУЧМЕЖДУ; РИМСКОЕ; ОКРУГЛ; ОКРУГЛВНИЗ; ОКРУГЛВВЕРХ; SEC; SECH; РЯД.СУММ; ЗНАК; SIN; SINH; КОРЕНЬ; КОРЕНЬПИ; ПРОМЕЖУТОЧНЫЕ.ИТОГИ; СУММ; СУММЕСЛИ; СУММЕСЛИМН; СУММПРОИЗВ; СУММКВ; СУММРАЗНКВ; СУММСУММКВ; СУММКВРАЗН; TAN; TANH; ОТБР; Функции даты и времени Используются для корректного отображения даты и времени в электронной таблице. ДАТА; РАЗНДАТ; ДАТАЗНАЧ; ДЕНЬ; ДНИ; ДНЕЙ360; ДАТАМЕС; КОНМЕСЯЦА; ЧАС; НОМНЕДЕЛИ.ISO; МИНУТЫ; МЕСЯЦ; ЧИСТРАБДНИ; ЧИСТРАБДНИ.МЕЖД; ТДАТА; СЕКУНДЫ; ВРЕМЯ; ВРЕМЗНАЧ; СЕГОДНЯ; ДЕНЬНЕД; НОМНЕДЕЛИ; РАБДЕНЬ; РАБДЕНЬ.МЕЖД; ГОД; ДОЛЯГОДА Инженерные функции Используются для выполнения инженерных расчетов: преобразования чисел из одной системы счисления в другую, работы с комплексными числами и т.д. БЕССЕЛЬ.I; БЕССЕЛЬ.J; БЕССЕЛЬ.K; БЕССЕЛЬ.Y; ДВ.В.ДЕС; ДВ.В.ШЕСТН; ДВ.В.ВОСЬМ; БИТ.И; БИТ.СДВИГЛ; БИТ.ИЛИ; БИТ.СДВИГП; БИТ.ИСКЛИЛИ; КОМПЛЕКСН; ПРЕОБР; ДЕС.В.ДВ; ДЕС.В.ШЕСТН; ДЕС.В.ВОСЬМ; ДЕЛЬТА; ФОШ; ФОШ.ТОЧН; ДФОШ; ДФОШ.ТОЧН; ПОРОГ; ШЕСТН.В.ДВ; ШЕСТН.В.ДЕС; ШЕСТН.В.ВОСЬМ; МНИМ.ABS; МНИМ.ЧАСТЬ; МНИМ.АРГУМЕНТ; МНИМ.СОПРЯЖ; МНИМ.COS; МНИМ.COSH; МНИМ.COT; МНИМ.CSC; МНИМ.CSCH; МНИМ.ДЕЛ; МНИМ.EXP; МНИМ.LN; МНИМ.LOG10; МНИМ.LOG2; МНИМ.СТЕПЕНЬ; МНИМ.ПРОИЗВЕД; МНИМ.ВЕЩ; МНИМ.SEC; МНИМ.SECH; МНИМ.SIN; МНИМ.SINH; МНИМ.КОРЕНЬ; МНИМ.РАЗН; МНИМ.СУММ; МНИМ.TAN; ВОСЬМ.В.ДВ; ВОСЬМ.В.ДЕС; ВОСЬМ.В.ШЕСТН Функции для работы с базами данных Используются для выполнения вычислений по значениям определенного поля базы данных, соответствующих заданным критериям. ДСРЗНАЧ; БСЧЁТ; БСЧЁТА; БИЗВЛЕЧЬ; ДМАКС; ДМИН; БДПРОИЗВЕД; ДСТАНДОТКЛ; ДСТАНДОТКЛП; БДСУММ; БДДИСП; БДДИСПП Финансовые функции Используются для выполнения финансовых расчетов: вычисления чистой приведенной стоимости, суммы платежа и т.д. НАКОПДОХОД; НАКОПДОХОДПОГАШ; АМОРУМ; АМОРУВ; ДНЕЙКУПОНДО; ДНЕЙКУПОН; ДНЕЙКУПОНПОСЛЕ; ДАТАКУПОНПОСЛЕ; ЧИСЛКУПОН; ДАТАКУПОНДО; ОБЩПЛАТ; ОБЩДОХОД; ФУО; ДДОБ; СКИДКА; РУБЛЬ.ДЕС; РУБЛЬ.ДРОБЬ; ДЛИТ; ЭФФЕКТ; БС; БЗРАСПИС; ИНОРМА; ПРПЛТ; ВСД; ПРОЦПЛАТ; МДЛИТ; МВСД; НОМИНАЛ; КПЕР; ЧПС; ЦЕНАПЕРВНЕРЕГ; ДОХОДПЕРВНЕРЕГ; ЦЕНАПОСЛНЕРЕГ; ДОХОДПОСЛНЕРЕГ; ПДЛИТ; ПЛТ; ОСПЛТ; ЦЕНА; ЦЕНАСКИДКА; ЦЕНАПОГАШ; ПС; СТАВКА; ПОЛУЧЕНО; ЭКВ.СТАВКА; АПЛ; АСЧ; РАВНОКЧЕК; ЦЕНАКЧЕК; ДОХОДКЧЕК; ПУО; ЧИСТВНДОХ; ЧИСТНЗ; ДОХОД; ДОХОДСКИДКА; ДОХОДПОГАШ Поисковые функции Используются для упрощения поиска информации по списку данных. АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; ВПР Информационные функции Используются для предоставления информации о данных в выделенной ячейке или диапазоне ячеек. ТИП.ОШИБКИ; ЕПУСТО; ЕОШ; ЕОШИБКА; ЕЧЁТН; ЕФОРМУЛА; ЕЛОГИЧ; ЕНД; ЕНЕТЕКСТ; ЕЧИСЛО; ЕНЕЧЁТ; ЕССЫЛКА; ЕТЕКСТ; Ч; НД; ЛИСТ; ЛИСТЫ; ТИП Логические функции Используются для выполнения проверки, является ли условие истинным или ложным. И; ЛОЖЬ; ЕСЛИ; ЕСЛИОШИБКА; ЕСНД; ЕСЛИМН; НЕ; ИЛИ; ПЕРЕКЛЮЧ; ИСТИНА; ИСКЛИЛИ" + "body": "Важная причина использования электронных таблиц - это возможность выполнять основные расчеты. Некоторые из них выполняются автоматически при выделении диапазона ячеек на рабочем листе: СРЕДНЕЕ - используется для того, чтобы проанализировать выбранный диапазон ячеек и рассчитать среднее значение. КОЛИЧЕСТВО - используется для того, чтобы подсчитать количество выбранных ячеек, содержащих значения, без учета пустых ячеек. МИН - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наименьшее число. МАКС - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наибольшее число. СУММА - используется для того, чтобы сложить все числа в выбранном диапазоне без учета пустых или содержащих текст ячеек. Результаты этих расчетов отображаются в правом нижнем углу строки состояния. Для выполнения любых других расчетов можно ввести нужную формулу вручную, используя общепринятые математические операторы, или вставить заранее определенную формулу - Функцию. Для вставки функции: выделите ячейку, в которую требуется вставить функцию, щелкните по значку Вставить функцию , расположенному на вкладке Главная верхней панели инструментов, и выберите одну из часто используемых функций (СУММ, МИН, МАКС, СЧЁТ) или выберите опцию Дополнительно, или щелкните правой кнопкой мыши по выделенной ячейке и выберите в меню команду Вставить функцию, или щелкните по значку перед строкой формул, в открывшемся окне Вставить функцию выберите нужную группу функций, а затем выберите из списка требуемую функцию и нажмите OK. введите аргументы функции или вручную, или выделив мышью диапазон ячеек, который надо добавить в качестве аргумента. Если функция требует несколько аргументов, их надо вводить через точку с запятой. Примечание: в общих случаях, в качестве аргументов функций можно использовать числовые значения, логические значения (ИСТИНА, ЛОЖЬ), текстовые значения (они должны быть заключены в кавычки), ссылки на ячейки, ссылки на диапазоны ячеек, имена, присвоенные диапазонам, и другие функции. Нажмите клавишу Enter. Чтобы ввести функцию вручную с помощью клавиатуры, выделите ячейку, введите знак \"равно\" (=) Каждая формула должна начинаться со знака \"равно\" (=) введите имя функции Как только вы введете начальные буквы, появится список Автозавершения формул. По мере ввода в нем отображаются элементы (формулы и имена), которые соответствуют введенным символам. При наведении курсора на формулу отображается всплывающая подсказка с ее описанием. Можно выбрать нужную формулу из списка и вставить ее, щелкнув по ней или нажав клавишу Tab. введите аргументы функции Аргументы должны быть заключены в круглые скобки. При выборе функции из списка открывающая скобка '(' добавляется автоматически. При вводе аргументов также отображается всплывающая подсказка с синтаксисом формулы. когда все аргументы будут указаны, добавьте закрывающую скобку ')' и нажмите клавишу Enter. Ниже приводится список доступных функций, сгруппированных по категориям: Примечание: если вы хотите изменить язык, который используется для имен функций, перейдите в меню Файл -> Дополнительные параметры, выберите нужный язык из списка Язык формул и нажмите кнопку Применить. Категория функций Описание Функции Функции для работы с текстом и данными Используются для корректного отображения текстовых данных в электронной таблице. ASC; СИМВОЛ; ПЕЧСИМВ; КОДСИМВ; СЦЕПИТЬ; СЦЕП; РУБЛЬ; СОВПАД; НАЙТИ; НАЙТИБ; ФИКСИРОВАННЫЙ; ЛЕВСИМВ; ЛЕВБ; ДЛСТР; ДЛИНБ; СТРОЧН; ПСТР; ПСТРБ; ЧЗНАЧ; ПРОПНАЧ; ЗАМЕНИТЬ; ЗАМЕНИТЬБ; ПОВТОР; ПРАВСИМВ; ПРАВБ; ПОИСК; ПОИСКБ; ПОДСТАВИТЬ; T; ТЕКСТ; ОБЪЕДИНИТЬ; СЖПРОБЕЛЫ; ЮНИСИМВ; UNICODE; ПРОПИСН; ЗНАЧЕН; Статистические функции Используются для анализа данных: нахождения среднего значения, наибольшего или наименьшего значения в диапазоне ячеек. СРОТКЛ; СРЗНАЧ; СРЗНАЧА; СРЗНАЧЕСЛИ; СРЗНАЧЕСЛИМН; БЕТАРАСП; БЕТА.РАСП; БЕТА.ОБР; БЕТАОБР; БИНОМРАСП; БИНОМ.РАСП; БИНОМ.РАСП.ДИАП; БИНОМ.ОБР; ХИ2РАСП; ХИ2ОБР; ХИ2.РАСП; ХИ2.РАСП.ПХ; ХИ2.ОБР; ХИ2.ОБР.ПХ; ХИ2ТЕСТ; ХИ2.ТЕСТ; ДОВЕРИТ; ДОВЕРИТ.НОРМ; ДОВЕРИТ.СТЬЮДЕНТ; КОРРЕЛ; СЧЁТ; СЧЁТЗ; СЧИТАТЬПУСТОТЫ; СЧЁТЕСЛИ; СЧЁТЕСЛИМН; КОВАР; КОВАРИАЦИЯ.Г; КОВАРИАЦИЯ.В; КРИТБИНОМ; КВАДРОТКЛ; ЭКСП.РАСП; ЭКСПРАСП; F.РАСП; FРАСП; F.РАСП.ПХ; F.ОБР; FРАСПОБР; F.ОБР.ПХ; ФИШЕР; ФИШЕРОБР; ПРЕДСКАЗ; ПРЕДСКАЗ.ETS; ПРЕДСКАЗ.ЕTS.ДОВИНТЕРВАЛ; ПРЕДСКАЗ.ETS.СЕЗОННОСТЬ; ПРЕДСКАЗ.ETS.СТАТ; ПРЕДСКАЗ.ЛИНЕЙН; ЧАСТОТА; ФТЕСТ; F.ТЕСТ; ГАММА; ГАММА.РАСП; ГАММАРАСП; ГАММА.ОБР; ГАММАОБР; ГАММАНЛОГ; ГАММАНЛОГ.ТОЧН; ГАУСС; СРГЕОМ; СРГАРМ; ГИПЕРГЕОМЕТ; ГИПЕРГЕОМ.РАСП; ОТРЕЗОК; ЭКСЦЕСС; НАИБОЛЬШИЙ; ЛОГНОРМОБР; ЛОГНОРМ.РАСП; ЛОГНОРМ.ОБР; ЛОГНОРМРАСП; МАКС; МАКСА; МАКСЕСЛИ; МЕДИАНА; МИН; МИНА; МИНЕСЛИ; МОДА; МОДА.НСК; МОДА.ОДН; ОТРБИНОМРАСП; ОТРБИНОМ.РАСП; НОРМРАСП; НОРМ.РАСП; НОРМОБР; НОРМ.ОБР; НОРМСТРАСП; НОРМ.СТ.РАСП; НОРМСТОБР; НОРМ.СТ.ОБР; ПИРСОН; ПЕРСЕНТИЛЬ; ПРОЦЕНТИЛЬ.ИСКЛ; ПРОЦЕНТИЛЬ.ВКЛ; ПРОЦЕНТРАНГ; ПРОЦЕНТРАНГ.ИСКЛ; ПРОЦЕНТРАНГ.ВКЛ; ПЕРЕСТ; ПЕРЕСТА; ФИ; ПУАССОН; ПУАССОН.РАСП; ВЕРОЯТНОСТЬ; КВАРТИЛЬ; КВАРТИЛЬ.ИСКЛ; КВАРТИЛЬ.ВКЛ; РАНГ; РАНГ.СР; РАНГ.РВ; КВПИРСОН; СКОС; СКОС.Г; НАКЛОН; НАИМЕНЬШИЙ; НОРМАЛИЗАЦИЯ; СТАНДОТКЛОН; СТАНДОТКЛОН.В; СТАНДОТКЛОНА; СТАНДОТКЛОНП; СТАНДОТКЛОН.Г; СТАНДОТКЛОНПА; СТОШYX; СТЬЮДРАСП; СТЬЮДЕНТ.РАСП; СТЬЮДЕНТ.РАСП.2Х; СТЬЮДЕНТ.РАСП.ПХ; СТЬЮДЕНТ.ОБР; СТЬЮДЕНТ.ОБР.2Х; СТЬЮДРАСПОБР; УРЕЗСРЕДНЕЕ; ТТЕСТ; СТЬЮДЕНТ.ТЕСТ; ДИСП; ДИСПА; ДИСПР; ДИСП.Г; ДИСП.В; ДИСПРА; ВЕЙБУЛЛ; ВЕЙБУЛЛ.РАСП; ZТЕСТ; Z.ТЕСТ Математические функции Используются для выполнения базовых математических и тригонометрических операций, таких как сложение, умножение, деление, округление и т.д. ABS; ACOS; ACOSH; ACOT; ACOTH; АГРЕГАТ; АРАБСКОЕ; ASIN; ASINH; ATAN; ATAN2; ATANH; ОСНОВАНИЕ; ОКРВВЕРХ; ОКРВВЕРХ.МАТ; ОКРВВЕРХ.ТОЧН; ЧИСЛКОМБ; ЧИСЛКОМБА; COS; COSH; COT; COTH; CSC; CSCH; ДЕС; ГРАДУСЫ; ECMA.ОКРВВЕРХ; ЧЁТН; EXP; ФАКТР; ДВФАКТР; ОКРВНИЗ; ОКРВНИЗ.ТОЧН; ОКРВНИЗ.МАТ; НОД; ЦЕЛОЕ; ISO.ОКРВВЕРХ; НОК; LN; LOG; LOG10; МОПРЕД; МОБР; МУМНОЖ; ОСТАТ; ОКРУГЛТ; МУЛЬТИНОМ; НЕЧЁТ; ПИ; СТЕПЕНЬ; ПРОИЗВЕД; ЧАСТНОЕ; РАДИАНЫ; СЛЧИС; СЛУЧМЕЖДУ; РИМСКОЕ; ОКРУГЛ; ОКРУГЛВНИЗ; ОКРУГЛВВЕРХ; SEC; SECH; РЯД.СУММ; ЗНАК; SIN; SINH; КОРЕНЬ; КОРЕНЬПИ; ПРОМЕЖУТОЧНЫЕ.ИТОГИ; СУММ; СУММЕСЛИ; СУММЕСЛИМН; СУММПРОИЗВ; СУММКВ; СУММРАЗНКВ; СУММСУММКВ; СУММКВРАЗН; TAN; TANH; ОТБР; Функции даты и времени Используются для корректного отображения даты и времени в электронной таблице. ДАТА; РАЗНДАТ; ДАТАЗНАЧ; ДЕНЬ; ДНИ; ДНЕЙ360; ДАТАМЕС; КОНМЕСЯЦА; ЧАС; НОМНЕДЕЛИ.ISO; МИНУТЫ; МЕСЯЦ; ЧИСТРАБДНИ; ЧИСТРАБДНИ.МЕЖД; ТДАТА; СЕКУНДЫ; ВРЕМЯ; ВРЕМЗНАЧ; СЕГОДНЯ; ДЕНЬНЕД; НОМНЕДЕЛИ; РАБДЕНЬ; РАБДЕНЬ.МЕЖД; ГОД; ДОЛЯГОДА Инженерные функции Используются для выполнения инженерных расчетов: преобразования чисел из одной системы счисления в другую, работы с комплексными числами и т.д. БЕССЕЛЬ.I; БЕССЕЛЬ.J; БЕССЕЛЬ.K; БЕССЕЛЬ.Y; ДВ.В.ДЕС; ДВ.В.ШЕСТН; ДВ.В.ВОСЬМ; БИТ.И; БИТ.СДВИГЛ; БИТ.ИЛИ; БИТ.СДВИГП; БИТ.ИСКЛИЛИ; КОМПЛЕКСН; ПРЕОБР; ДЕС.В.ДВ; ДЕС.В.ШЕСТН; ДЕС.В.ВОСЬМ; ДЕЛЬТА; ФОШ; ФОШ.ТОЧН; ДФОШ; ДФОШ.ТОЧН; ПОРОГ; ШЕСТН.В.ДВ; ШЕСТН.В.ДЕС; ШЕСТН.В.ВОСЬМ; МНИМ.ABS; МНИМ.ЧАСТЬ; МНИМ.АРГУМЕНТ; МНИМ.СОПРЯЖ; МНИМ.COS; МНИМ.COSH; МНИМ.COT; МНИМ.CSC; МНИМ.CSCH; МНИМ.ДЕЛ; МНИМ.EXP; МНИМ.LN; МНИМ.LOG10; МНИМ.LOG2; МНИМ.СТЕПЕНЬ; МНИМ.ПРОИЗВЕД; МНИМ.ВЕЩ; МНИМ.SEC; МНИМ.SECH; МНИМ.SIN; МНИМ.SINH; МНИМ.КОРЕНЬ; МНИМ.РАЗН; МНИМ.СУММ; МНИМ.TAN; ВОСЬМ.В.ДВ; ВОСЬМ.В.ДЕС; ВОСЬМ.В.ШЕСТН Функции для работы с базами данных Используются для выполнения вычислений по значениям определенного поля базы данных, соответствующих заданным критериям. ДСРЗНАЧ; БСЧЁТ; БСЧЁТА; БИЗВЛЕЧЬ; ДМАКС; ДМИН; БДПРОИЗВЕД; ДСТАНДОТКЛ; ДСТАНДОТКЛП; БДСУММ; БДДИСП; БДДИСПП Финансовые функции Используются для выполнения финансовых расчетов: вычисления чистой приведенной стоимости, суммы платежа и т.д. НАКОПДОХОД; НАКОПДОХОДПОГАШ; АМОРУМ; АМОРУВ; ДНЕЙКУПОНДО; ДНЕЙКУПОН; ДНЕЙКУПОНПОСЛЕ; ДАТАКУПОНПОСЛЕ; ЧИСЛКУПОН; ДАТАКУПОНДО; ОБЩПЛАТ; ОБЩДОХОД; ФУО; ДДОБ; СКИДКА; РУБЛЬ.ДЕС; РУБЛЬ.ДРОБЬ; ДЛИТ; ЭФФЕКТ; БС; БЗРАСПИС; ИНОРМА; ПРПЛТ; ВСД; ПРОЦПЛАТ; МДЛИТ; МВСД; НОМИНАЛ; КПЕР; ЧПС; ЦЕНАПЕРВНЕРЕГ; ДОХОДПЕРВНЕРЕГ; ЦЕНАПОСЛНЕРЕГ; ДОХОДПОСЛНЕРЕГ; ПДЛИТ; ПЛТ; ОСПЛТ; ЦЕНА; ЦЕНАСКИДКА; ЦЕНАПОГАШ; ПС; СТАВКА; ПОЛУЧЕНО; ЭКВ.СТАВКА; АПЛ; АСЧ; РАВНОКЧЕК; ЦЕНАКЧЕК; ДОХОДКЧЕК; ПУО; ЧИСТВНДОХ; ЧИСТНЗ; ДОХОД; ДОХОДСКИДКА; ДОХОДПОГАШ Поисковые функции Используются для упрощения поиска информации по списку данных. АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ГИПЕРССЫЛКА; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; ВПР Информационные функции Используются для предоставления информации о данных в выделенной ячейке или диапазоне ячеек. ТИП.ОШИБКИ; ЕПУСТО; ЕОШ; ЕОШИБКА; ЕЧЁТН; ЕФОРМУЛА; ЕЛОГИЧ; ЕНД; ЕНЕТЕКСТ; ЕЧИСЛО; ЕНЕЧЁТ; ЕССЫЛКА; ЕТЕКСТ; Ч; НД; ЛИСТ; ЛИСТЫ; ТИП Логические функции Используются для выполнения проверки, является ли условие истинным или ложным. И; ЛОЖЬ; ЕСЛИ; ЕСЛИОШИБКА; ЕСНД; ЕСЛИМН; НЕ; ИЛИ; ПЕРЕКЛЮЧ; ИСТИНА; ИСКЛИЛИ" }, { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Заменить изображение нажмите нужную кнопку: Из файла или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete." + "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить размер по умолчанию добавленного изображения, нажмите кнопку По умолчанию. Для того, чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Для того, чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Заменить изображение нажмите нужную кнопку: Из файла или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Обводки фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Вставка текстовых объектов", - "body": "Чтобы привлечь внимание к определенной части электронной таблицы, можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). Добавление текстового объекта Текстовый объект можно добавить в любом месте рабочего листа. Для этого: перейдите на вкладку Вставка верхней панели инструментов, выберите нужный тип текстового объекта: чтобы добавить текстовое поле, щелкните по значку Надпись на верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре рабочего листа. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к рабочему листу. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку с текстом внутри (у объектов Text Art по умолчанию невидимые границы), а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, обводку, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы расположить текстовые поля в определенном порядке относительно других объектов, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Настройте параметры форматирования шрифта (измените его тип, размер, цвет и примените стили оформления) с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Некоторые дополнительные параметры шрифта можно также изменить на вкладке Шрифт в окне свойств абзаца. Чтобы его открыть, щелкнуть правой кнопкой мыши по тексту в текстовом поле и выберите опцию Дополнительные параметры текста. Выровняйте текст внутри текстового поля по горизонтали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Выровняйте текст внутри текстового поля по вертикали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Можно также щелкнуть по тексту правой кнопкой мыши, выбрать опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю. Поверните текст внутри текстового поля. Для этого щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Поворот на 90° (задает вертикальное направление, сверху вниз) или Поворот на 270° (задает вертикальное направление, снизу вверх). Создайте маркированный или нумерованный список. Для этого щелкните по тексту правой кнопкой мыши, выберите в контекстном меню пункт Маркеры и нумерация, а затем выберите один из доступных знаков маркера или стилей нумерации. Вставьте гиперссылку. Задайте междустрочный интервал и интервал между абзацами для многострочного текста внутри текстового поля с помощью вкладки Параметры текста на правой боковой панели. Чтобы ее открыть, щелкните по значку Параметры текста . Здесь можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из трех опций: минимум (устанавливает минимальный междустрочный интервал, который требуется, чтобы соответствовать самому крупному шрифту или графическому элементу на строке), множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Измените дополнительные параметры абзаца (можно настроить отступы абзаца и позиции табуляции для многострочного текста внутри текстового поля и применить некоторые параметры форматирования шрифта). Установите курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и положение можно изменить смещение первой строки абзаца от левого внутреннего поля текстового поля, а также смещение всего абзаца от левого и правого внутренних полей текстового поля. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Позиция табуляции По умолчанию имеет значение 1.25 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите переключатель По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. По центру - центрирует текст относительно позиции табуляции. По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и обводку шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." + "body": "Чтобы привлечь внимание к определенной части электронной таблицы, можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). Добавление текстового объекта Текстовый объект можно добавить в любом месте рабочего листа. Для этого: перейдите на вкладку Вставка верхней панели инструментов, выберите нужный тип текстового объекта: чтобы добавить текстовое поле, щелкните по значку Надпись на верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре рабочего листа. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к рабочему листу. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку с текстом внутри (у объектов Text Art по умолчанию невидимые границы), а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы вручную изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, обводку, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы расположить текстовые поля в определенном порядке относительно других объектов, выровнять несколько текстовых полей относительно друг друга, повернуть или отразить текстовое поле, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Настройте параметры форматирования шрифта (измените его тип, размер, цвет и примените стили оформления) с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Некоторые дополнительные параметры шрифта можно также изменить на вкладке Шрифт в окне свойств абзаца. Чтобы его открыть, щелкнуть правой кнопкой мыши по тексту в текстовом поле и выберите опцию Дополнительные параметры текста. Выровняйте текст внутри текстового поля по горизонтали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Выровняйте текст внутри текстового поля по вертикали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Можно также щелкнуть по тексту правой кнопкой мыши, выбрать опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю. Поверните текст внутри текстового поля. Для этого щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Создайте маркированный или нумерованный список. Для этого щелкните по тексту правой кнопкой мыши, выберите в контекстном меню пункт Маркеры и нумерация, а затем выберите один из доступных знаков маркера или стилей нумерации. Вставьте гиперссылку. Задайте междустрочный интервал и интервал между абзацами для многострочного текста внутри текстового поля с помощью вкладки Параметры текста на правой боковой панели. Чтобы ее открыть, щелкните по значку Параметры текста . Здесь можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из трех опций: минимум (устанавливает минимальный междустрочный интервал, который требуется, чтобы соответствовать самому крупному шрифту или графическому элементу на строке), множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Измените дополнительные параметры абзаца (можно настроить отступы абзаца и позиции табуляции для многострочного текста внутри текстового поля и применить некоторые параметры форматирования шрифта). Установите курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Откроется окно свойств абзаца: На вкладке Отступы и положение можно изменить смещение первой строки абзаца от левого внутреннего поля текстового поля, а также смещение всего абзаца от левого и правого внутренних полей текстового поля. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Позиция табуляции По умолчанию имеет значение 1.25 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите переключатель По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. По центру - центрирует текст относительно позиции табуляции. По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и обводку шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." }, { "id": "UsageInstructions/ManageSheets.htm", @@ -2358,7 +2373,7 @@ var indexes = { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Работа с объектами", - "body": "Можно изменять размер автофигур, изображений и диаграмм, вставленных на рабочий лист, перемещать, поворачивать их и располагать в определенном порядке. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Примечание: для изменения размера вставленной диаграммы или изображения можно также использовать правую боковую панель, которая будет активирована, как только Вы выделите нужный объект. Чтобы открыть ее, щелкните по значку Параметры диаграммы или Параметры изображения справа. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Поворот объектов Чтобы повернуть автофигуру/изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Выравнивание объектов Чтобы выровнять выбранные объекты относительно друг друга, удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объекты относительно друг друга по левому краю, Выровнять по центру - чтобы выровнять объекты относительно друг друга по центру, Выровнять по правому краю - чтобы выровнять объекты относительно друг друга по правому краю, Выровнять по верхнему краю - чтобы выровнять объекты относительно друг друга по верхнему краю, Выровнять по середине - чтобы выровнять объекты относительно друг друга по середине, Выровнять по нижнему краю - чтобы выровнять объекты относительно друг друга по нижнему краю. Группировка объектов Чтобы манипулировать несколькими объектами одновременно, можно сгруппировать их. Удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по стрелке рядом со значком Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши и выбрать из контекстного меню пункт Сгруппировать или Разгруппировать. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Перенести вперед и Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения. Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект, так что он будет находиться перед всеми остальными объектами, Перенести вперед - чтобы переместить выбранный объект на один уровень вперед по отношению к другим объектам. Чтобы переместить выбранный объект (объекты) назад, нажмите на стрелку рядом со значком Перенести назад на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на задний план - чтобы переместить выбранный объект, так что он будет находиться позади всех остальных объектов, Перенести назад - чтобы переместить выбранный объект на один уровень назад по отношению к другим объектам." + "body": "Можно изменять размер автофигур, изображений и диаграмм, вставленных на рабочий лист, перемещать, поворачивать их и располагать в определенном порядке. Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Изменение размера объектов Для изменения размера автофигуры/изображения/диаграммы перетаскивайте маленькие квадраты , расположенные по краям объекта. Чтобы сохранить исходные пропорции выбранного объекта при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Примечание: для изменения размера вставленной диаграммы или изображения можно также использовать правую боковую панель, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, щелкните по значку Параметры диаграммы или Параметры изображения справа. Перемещение объектов Для изменения местоположения автофигуры/изображения/диаграммы используйте значок , который появляется после наведения курсора мыши на объект. Перетащите объект на нужное место, не отпуская кнопку мыши. Чтобы перемещать объект с шагом в один пиксель, удерживайте клавишу Ctrl и используйте стрелки на клавиатуре. Чтобы перемещать объект строго по горизонтали/вертикали и предотвратить его смещение в перпендикулярном направлении, при перетаскивании удерживайте клавишу Shift. Поворот объектов Чтобы вручную повернуть автофигуру/изображение, наведите курсор мыши на маркер поворота и перетащите его по часовой стрелке или против часовой стрелки. Чтобы ограничить угол поворота шагом в 15 градусов, при поворачивании удерживайте клавишу Shift. Чтобы повернуть фигуру или изображение на 90 градусов против часовой стрелки или по часовой стрелке или отразить объект по горизонтали или по вертикали, можно использовать раздел Поворот на правой боковой панели, которая будет активирована, как только вы выделите нужный объект. Чтобы открыть ее, нажмите на значок Параметры фигуры или Параметры изображения справа. Нажмите на одну из кнопок: чтобы повернуть объект на 90 градусов против часовой стрелки чтобы повернуть объект на 90 градусов по часовой стрелке чтобы отразить объект по горизонтали (слева направо) чтобы отразить объект по вертикали (сверху вниз) Также можно щелкнуть правой кнопкой мыши по изображению или фигуре, выбрать из контекстного меню пункт Поворот, а затем использовать один из доступных вариантов поворота объекта. Чтобы повернуть фигуру или изображение на точно заданный угол, нажмите на ссылку Дополнительные параметры на правой боковой панели и используйте вкладку Поворот в окне Дополнительные параметры. Укажите нужное значение в градусах в поле Угол и нажмите кнопку OK. Изменение формы автофигур При изменении некоторых фигур, например, фигурных стрелок или выносок, также доступен желтый значок в форме ромба . Он позволяет изменять отдельные параметры формы, например, длину указателя стрелки. Выравнивание объектов Чтобы выровнять два или более выбранных объектов относительно друг друга, удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по значку Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип выравнивания: Выровнять по левому краю - чтобы выровнять объекты относительно друг друга по левому краю самого левого объекта, Выровнять по центру - чтобы выровнять объекты относительно друг друга по их центру, Выровнять по правому краю - чтобы выровнять объекты относительно друг друга по правому краю самого правого объекта, Выровнять по верхнему краю - чтобы выровнять объекты относительно друг друга по верхнему краю самого верхнего объекта, Выровнять по середине - чтобы выровнять объекты относительно друг друга по их середине, Выровнять по нижнему краю - чтобы выровнять объекты относительно друг друга по нижнему краю самого нижнего объекта. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты выравнивания объектов. Примечание: параметры выравнивания неактивны, если выделено менее двух объектов. Распределение объектов Чтобы распределить три или более выбранных объектов по горизонтали или вертикали между двумя крайними выделенными объектами таким образом, чтобы между ними было равное расстояние, нажмите на значок Выравнивание на вкладке Макет верхней панели инструментов и выберите из списка нужный тип распределения: Распределить по горизонтали - чтобы равномерно распределить объекты между самым левым и самым правым выделенным объектом. Распределить по вертикали - чтобы равномерно распределить объекты между самым верхним и самым нижним выделенным объектом. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Выравнивание, а затем использовать доступные варианты распределения объектов. Примечание: параметры распределения неактивны, если выделено менее трех объектов. Группировка объектов Чтобы манипулировать несколькими объектами одновременно, можно сгруппировать их. Удерживайте нажатой клавишу Ctrl при выделении объектов мышью, затем щелкните по стрелке рядом со значком Группировка на вкладке Макет верхней панели инструментов и выберите из списка нужную опцию: Сгруппировать - чтобы объединить несколько объектов в группу, так что их можно будет одновременно поворачивать, перемещать, изменять их размер, выравнивать, упорядочивать, копировать, вставлять, форматировать как один объект. Разгруппировать - чтобы разгруппировать выбранную группу ранее сгруппированных объектов. Можно также щелкнуть по выделенным объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать опцию Сгруппировать или Разгруппировать. Примечание: параметр Сгруппировать неактивен, если выделено менее двух объектов. Параметр Разгруппировать активен только при выделении ранее сгруппированных объектов. Упорядочивание объектов Чтобы определенным образом расположить выбранный объект или объекты (например, изменить их порядок, если несколько объектов накладываются друг на друга), можно использовать значки Перенести вперед и Перенести назад на вкладке Макет верхней панели инструментов и выбрать из списка нужный тип расположения. Чтобы переместить выбранный объект (объекты) вперед, нажмите на стрелку рядом со значком Перенести вперед на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на передний план - чтобы переместить выбранный объект, так что он будет находиться перед всеми остальными объектами, Перенести вперед - чтобы переместить выбранный объект на один уровень вперед по отношению к другим объектам. Чтобы переместить выбранный объект (объекты) назад, нажмите на стрелку рядом со значком Перенести назад на вкладке Макет верхней панели инструментов и выберите из списка нужный тип расположения: Перенести на задний план - чтобы переместить выбранный объект, так что он будет находиться позади всех остальных объектов, Перенести назад - чтобы переместить выбранный объект на один уровень назад по отношению к другим объектам. Можно также щелкнуть по выделенному объекту или объектам правой кнопкой мыши, выбрать из контекстного меню пункт Порядок, а затем использовать доступные варианты расположения объектов." }, { "id": "UsageInstructions/MergeCells.htm", @@ -2368,36 +2383,36 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Создание новой электронной таблицы или открытие существующей", - "body": "Для создания новой электронной таблицы, когда онлайн-редактор электронных таблиц открыт: нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. После завершения работы с одной электронной таблицей можно сразу перейти к уже существующей электронной таблице, которая недавно была отредактирована, или вернуться к списку существующих таблиц. Для открытия недавно отредактированной электронной таблицы в онлайн-редакторе электронных таблиц: нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц. Для возврата к списку существующих электронных таблиц нажмите на значок Перейти к Документам в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Перейти к Документам." + "body": "Чтобы создать новую таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. В десктопном редакторе в главном окне программы выберите пункт меню Таблица в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке, после внесения в таблицу необходимых изменений нажмите на значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как. в окне проводника выберите местоположение файла на жестком диске, задайте название таблицы, выберите формат сохранения (XLSX, Шаблон таблицы, ODS, CSV, PDF или PDFA) и нажмите кнопку Сохранить. Чтобы открыть существующую таблицу В десктопном редакторе в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели, выберите нужную таблицу в окне проводника и нажмите кнопку Открыть. Можно также щелкнуть правой кнопкой мыши по нужному файлу в окне проводника, выбрать опцию Открыть с помощью и затем выбрать в меню нужное приложение. Если файлы офисных документов ассоциированы с приложением, электронные таблицы также можно открывать двойным щелчком мыши по названию файла в окне проводника. Все каталоги, к которым вы получали доступ с помощью десктопного редактора, будут отображены в разделе Открыть локальный файл в списке Последние папки, чтобы в дальнейшем вы могли быстро их открыть. Щелкните по нужной папке, чтобы выбрать один из находящихся в ней файлов. Чтобы открыть недавно отредактированную таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц. В десктопном редакторе в главном окне программы выберите пункт меню Последние файлы на левой боковой панели, выберите нужную электронную таблицу из списка недавно измененных документов. Чтобы открыть папку, в которой сохранен файл, в новой вкладке браузера в онлайн-версии, в окне проводника в десктопной версии, нажмите на значок Открыть расположение файла в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Открыть расположение файла." }, { "id": "UsageInstructions/PivotTables.htm", "title": "Редактирование сводных таблиц", - "body": "Вы можете изменить оформление существующих сводных таблиц в электронной таблице с помощью инструментов редактирования, доступных на вкладке Сводная таблица верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Кнопка Выделить позволяет выделить всю сводную таблицу. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов." + "body": "Примечание: эта возможность доступна только в онлайн-версии. Вы можете изменить оформление существующих сводных таблиц в электронной таблице с помощью инструментов редактирования, доступных на вкладке Сводная таблица верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Кнопка Выделить позволяет выделить всю сводную таблицу. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / печать / скачивание таблицы", - "body": "По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую электронную таблицу вручную: щелкните по значку Сохранить на верхней панели инструментов, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов в зависимости от того, что вам нужно: XLSX, PDF, ODS, CSV. Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя). Чтобы распечатать текущую электронную таблицу: щелкните по значку Печать на верхней панели инструментов, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. Откроется окно Параметры печати, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры. Примечание: параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы. На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация и Размер страницы. Здесь можно задать следующие параметры: Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделение), Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы, Размер страницы - выберите из выпадающего списка один из доступных размеров, Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально, Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа, Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов. Когда параметры будут заданы, нажмите кнопку Сохранение и печать, чтобы применить изменения и закрыть это окно. После этого на основе данной таблицы будет сгенерирован файл PDF. Его можно открыть и распечатать или сохранить на жестком диске компьютера или съемном носителе, чтобы распечатать позже." + "body": "Сохранение По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую электронную таблицу вручную в текущем формате и местоположении, щелкните по значку Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Примечание: чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить электронную таблицу под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDFA. Также можно выбрать вариант Шаблон таблицы XLTX. Скачивание Чтобы в онлайн-версии скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя). Сохранение копии Чтобы в онлайн-версии сохранить копию электронной таблицы на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую электронную таблицу: щелкните по значку Печать в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. Откроется окно Параметры печати, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры. Примечание: параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы. На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация, Размер страницы, Область печати. Здесь можно задать следующие параметры: Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделенный фрагмент), Если вы ранее задали постоянную область печати, но хотите напечатать весь лист, поставьте галочку рядом с опцией Игнорировать область печати. Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы, Размер страницы - выберите из выпадающего списка один из доступных размеров, Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально, Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа, Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов. В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати. Настройка области печати Если требуется распечатать только выделенный диапазон ячеек вместо всего листа, можно использовать настройку Выделенный фрагмент в выпадающем списке Диапазон печати. Эта настройка не сохраняется при сохранении рабочей книги и подходит для однократного использования. Если какой-то диапазон ячеек требуется распечатывать неоднократно, можно задать постоянную область печати на рабочем листе. Область печати будет сохранена при сохранении рабочей книги и может использоваться при последующем открытии электронной таблицы. Можно также задать несколько постоянных областей печати на листе, в этом случае каждая из них будет выводиться на печать на отдельной странице. Чтобы задать область печати: выделите нужный диапазон ячеек на рабочем листе. Чтобы выделить несколько диапазонов, удерживайте клавишу Ctrl, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Задать область печати. Созданная область печати сохраняется при сохранении рабочей книги. При последующем открытии файла на печать будет выводиться заданная область печати. Примечание: при создании области печати также автоматически создается именованный диапазон Область_печати, отображаемый в Диспетчере имен. Чтобы выделить границы всех областей печати на текущем рабочем листе, можно нажать на стрелку в поле \"Имя\" слева от строки формул и выбрать из списка имен Область_печати. Чтобы добавить ячейки в область печати: откройте нужный рабочий лист, на котором добавлена область печати, выделите нужный диапазон ячеек на рабочем листе, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Добавить в область печати. Будет добавлена новая область печати. Каждая из областей печати будет выводиться на печать на отдельной странице. Чтобы удалить область печати: откройте нужный рабочий лист, на котором добавлена область печати, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Очистить область печати. Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист." }, { "id": "UsageInstructions/SortData.htm", "title": "Сортировка и фильтрация данных", - "body": "Сортировка данных Данные в электронной таблице можно быстро отсортировать, используя одну из доступных опций: По возрастанию используется для сортировки данных в порядке возрастания - от A до Я по алфавиту или от наименьшего значения к наибольшему для числовых данных. По убыванию используется для сортировки данных в порядке убывания - от Я до A по алфавиту или от наибольшего значения к наименьшему для числовых данных. Для сортировки данных: выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Сортировка по возрастанию , расположенному на вкладке Главная верхней панели инструментов, для сортировки данных в порядке возрастания, ИЛИ щелкните по значку Сортировка по убыванию , расположенному на вкладке Главная верхней панели инструментов, для сортировки данных в порядке убывания. Примечание: если вы выделите отдельный столбец/строку в диапазоне ячеек или часть строки/столбца, вам будет предложено выбрать, хотите ли вы расширить выделенный диапазон, чтобы включить смежные ячейки, или отсортировать только выделенные данные. Данные также можно сортировать, используя команды контекстного меню. Щелкните правой кнопкой мыши по выделенному диапазону ячеек, выберите в меню команду Сортировка, а затем выберите из подменю опцию По возрастанию или По убыванию. С помощью контекстного меню данные можно также отсортировать по цвету: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтрация данных Чтобы отобразить только те строки, которые соответствуют определенным критериям, и скрыть остальные, воспользуйтесь Фильтром. Чтобы включить фильтр: Выделите диапазон ячеек, содержащих данные, которые требуется отфильтровать (можно выделить отдельную ячейку в диапазоне, чтобы отфильтровать весь диапазон), Щелкните по значку Фильтр , расположенному на вкладке Главная верхней панели инструментов. В первой ячейке каждого столбца выделенного диапазона ячеек появится кнопка со стрелкой . Это означает, что фильтр включен. Чтобы применить фильтр: Нажмите на кнопку со стрелкой . Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из трех следующих способов: выбрать данные, которые надо отображать, отфильтровать данные по определенным критериям или отфильтровать данные по цвету. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок {Пустые} соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В зависимости от данных, содержащихся в выбранном столбце, в правой части окна фильтра можно выбрать команду Числовой фильтр или Текстовый фильтр, а затем выбрать одну из опций в подменю: Для Числового фильтра доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Первые 10, Выше среднего, Ниже среднего, Пользовательский.... Для Текстового фильтра доступны следующие опции: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит..., Пользовательский.... После выбора одной из вышеуказанных опций (кроме опций Первые 10 и Выше/Ниже среднего), откроется окно Пользовательский фильтр. В верхнем выпадающем списке будет выбран соответствующий критерий. Введите нужное значение в поле справа. Для добавления еще одного критерия используйте переключатель И, если требуется, чтобы данные удовлетворяли обоим критериям, или выберите переключатель Или, если могут удовлетворяться один или оба критерия. Затем выберите из нижнего выпадающего списка второй критерий и введите нужное значение справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Пользовательский... из списка опций Числового/Текстового фильтра, первое условие не выбирается автоматически, вы можете выбрать его сами. При выборе опции Первые 10 из списка опций Числового фильтра, откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. При выборе опции Выше/Ниже среднего из списка опций Числового фильтра, фильтр будет применен сразу. Фильтрация данных по цвету Если в диапазоне ячеек, который требуется отфильтровать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей), можно использовать одну из следующих опций: Фильтр по цвету ячеек - чтобы отобразить только записи с определенным цветом фона ячеек и скрыть остальные, Фильтр по цвету шрифта - чтобы отобразить только записи с определенным цветом шрифта в ячейках и скрыть остальные. Когда вы выберете нужную опцию, откроется палитра, содержащая цвета, использованные в выделенном диапазоне ячеек. Выберите один из цветов, чтобы применить фильтр. В первой ячейке столбца появится кнопка Фильтр . Это означает, что фильтр применен. Количество отфильтрованых записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80). Примечание: когда фильтр применен, строки, отсеянные в результате фильтрации, нельзя изменить при автозаполнении, форматировании, удалении видимого содержимого. Такие действия влияют только на видимые строки, а строки, скрытые фильтром, остаются без изменений. При копировании и вставке отфильтрованных данных можно скопировать и вставить только видимые строки. Это не эквивалентно строкам, скрытым вручную, которые затрагиваются всеми аналогичными действиями. Сортировка отфильтрованных данных Можно задать порядок сортировки данных, для которых включен или применен фильтр. Нажмите на кнопку со стрелкой или кнопку Фильтр и выберите одну из опций в списке команд фильтра: Сортировка по возрастанию - позволяет сортировать данные в порядке возрастания, отобразив в верхней части столбца наименьшее значение, Сортировка по убыванию - позволяет сортировать данные в порядке убывания, отобразив в верхней части столбца наибольшее значение, Сортировка по цвету ячеек - позволяет выбрать один из цветов и отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сортировка по цвету шрифта - позволяет выбрать один из цветов и отобразить записи с таким же цветом шрифта в верхней части столбца. Последние две команды можно использовать, если в диапазоне ячеек, который требуется отсортировать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей). Направление сортировки будет обозначено с помощью стрелки в кнопках фильтра. если данные отсортированы по возрастанию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . если данные отсортированы по убыванию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . Данные можно также быстро отсортировать по цвету с помощью команд контекстного меню: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтр по содержимому выделенной ячейки Данные можно также быстро фильтровать по содержимому выделенной ячейки с помощью команд контекстного меню. Щелкните правой кнопкой мыши по ячейке, выберите в меню команду Фильтр, а затем выберите одну из доступных опций: Фильтр по значению выбранной ячейки - чтобы отобразить только записи с таким же значением, как и в выделенной ячейке. Фильтр по цвету ячейки - чтобы отобразить только записи с таким же цветом фона ячеек, как и у выделенной ячейки. Фильтр по цвету шрифта - чтобы отобразить только записи с таким же цветом шрифта, как и у выделенной ячейки. Форматирование по шаблону таблицы Чтобы облегчить работу с данными, в онлайн-редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Примечание: как только вы создадите новую форматированную таблицу, этой таблице будет автоматически присвоено стандартное имя (Table1, Table2 и т.д.). Это имя можно изменить, сделав его более содержательным, и использовать для дальнейшей работы. Если вы введете новое значение в любой ячейке под последней строкой таблицы (если таблица не содержит строки итогов) или в ячейке справа от последнего столбца таблицы, форматированная таблица будет автоматически расширена, и в нее будет включена новая строка или столбец. Если вы не хотите расширять таблицу, нажмите на появившуюся кнопку и выберите опцию Отменить авторазвертывание таблицы. Как только это действие будет отменено, в этом меню станет доступна опция Повторить авторазвертывание таблицы. Некоторые параметры таблицы можно изменить с помощью вкладки Параметры таблицы на правой боковой панели. Чтобы ее открыть, выделите мышью хотя бы одну ячейку в таблице и щелкните по значку Параметры таблицы справа. Разделы Строки и Столбцы, расположенные наверху, позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовок - позволяет отобразить строку заголовка. Итоговая - добавляет строку Summary в нижней части таблицы. Чередовать - включает чередование цвета фона для четных и нечетных строк. Кнопка фильтра - позволяет отобразить кнопки со стрелкой в ячейках строки заголовка. Эта опция доступна только если выбрана опция Заголовок. Первый - выделяет при помощи особого форматирования крайний левый столбец в таблице. Последний - выделяет при помощи особого форматирования крайний правый столбец в таблице. Чередовать - включает чередование цвета фона для четных и нечетных столбцов. Раздел По шаблону позволяет выбрать один из готовых стилей таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, указанных в разделах Строки и/или Столбцы выше. Например, если Вы отметили опцию Заголовок в разделе Строки и опцию Чередовать в разделе Столбцы, отображаемый список шаблонов будет содержать только шаблоны со строкой заголовка и чередованием столбцов: Если вы хотите очистить текущий стиль таблицы (цвет фона, границы и так далее), не удаляя при этом саму таблицу, примените шаблон None из списка шаблонов: В разделе Размер таблицы можно изменить диапазон ячеек, к которому применено табличное форматирование. Нажмите на кнопку Выбор данных - откроется новое всплывающее окно. Измените ссылку на диапазон ячеек в поле ввода или мышью выделите новый диапазон на листе и нажмите кнопку OK. Раздел Строки и столбцы позволяет выполнить следующие операции: Выбрать строку, столбец, все данные в столбцах, исключая строку заголовка, или всю таблицу, включая строку заголовка. Вставить новую строку выше или ниже выделенной, а также новый столбец слева или справа от выделенного. Удалить строку, столбец (в зависимости от позиции курсора или выделения) или всю таблицу. Примечание: опции раздела Строки и столбцы также доступны из контекстного меню. Кнопку Преобразовать в диапазон можно использовать, если вы хотите преобразовать таблицу в обычный диапазон данных, удалив фильтр, но сохранив стиль таблицы (то есть цвета ячеек и шрифта и т.д.). Как только вы примените эту опцию, вкладка Параметры таблицы на правой боковой панели станет недоступна. Чтобы изменить дополнительные параметры таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств таблицы: Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит таблица. Повторное применение фильтра Если отфильтрованные данные были изменены, можно обновить фильтр, чтобы отобразить актуальный результат: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Применить повторно. Можно также щелкнуть правой кнопкой мыши по ячейке в столбце, содержащем отфильтрованные данные, и выбрать из контекстного меню команду Применить повторно. Очистка фильтра Для очистки фильтра: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Очистить. Можно также поступить следующим образом: выделите диапазон ячеек, которые содержат отфильтрованные данные, щелкните по значку Очистить фильтр , расположенному на вкладке Главная верхней панели инструментов. Фильтр останется включенным, но все примененные параметры фильтра будут удалены, а кнопки Фильтр в первых ячейках столбцов изменятся на кнопки со стрелкой . Удаление фильтра Для удаления фильтра: выделите диапазон ячеек, содержащих отфильтрованные данные, щелкните по значку Фильтр , расположенному на вкладке Главная верхней панели инструментов. Фильтр будет отключен, а кнопки со стрелкой исчезнут из первых ячеек столбцов." + "body": "Сортировка данных Данные в электронной таблице можно быстро отсортировать, используя одну из доступных опций: По возрастанию используется для сортировки данных в порядке возрастания - от A до Я по алфавиту или от наименьшего значения к наибольшему для числовых данных. По убыванию используется для сортировки данных в порядке убывания - от Я до A по алфавиту или от наибольшего значения к наименьшему для числовых данных. Для сортировки данных: выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Сортировка по возрастанию , расположенному на вкладке Главная верхней панели инструментов, для сортировки данных в порядке возрастания, ИЛИ щелкните по значку Сортировка по убыванию , расположенному на вкладке Главная верхней панели инструментов, для сортировки данных в порядке убывания. Примечание: если вы выделите отдельный столбец/строку в диапазоне ячеек или часть строки/столбца, вам будет предложено выбрать, хотите ли вы расширить выделенный диапазон, чтобы включить смежные ячейки, или отсортировать только выделенные данные. Данные также можно сортировать, используя команды контекстного меню. Щелкните правой кнопкой мыши по выделенному диапазону ячеек, выберите в меню команду Сортировка, а затем выберите из подменю опцию По возрастанию или По убыванию. С помощью контекстного меню данные можно также отсортировать по цвету: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтрация данных Чтобы отобразить только те строки, которые соответствуют определенным критериям, и скрыть остальные, воспользуйтесь Фильтром. Чтобы включить фильтр: Выделите диапазон ячеек, содержащих данные, которые требуется отфильтровать (можно выделить отдельную ячейку в диапазоне, чтобы отфильтровать весь диапазон), Щелкните по значку Фильтр , расположенному на вкладке Главная верхней панели инструментов. В первой ячейке каждого столбца выделенного диапазона ячеек появится кнопка со стрелкой . Это означает, что фильтр включен. Чтобы применить фильтр: Нажмите на кнопку со стрелкой . Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из трех следующих способов: выбрать данные, которые надо отображать, отфильтровать данные по определенным критериям или отфильтровать данные по цвету. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок {Пустые} соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В зависимости от данных, содержащихся в выбранном столбце, в правой части окна фильтра можно выбрать команду Числовой фильтр или Текстовый фильтр, а затем выбрать одну из опций в подменю: Для Числового фильтра доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Первые 10, Выше среднего, Ниже среднего, Пользовательский.... Для Текстового фильтра доступны следующие опции: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит..., Пользовательский.... После выбора одной из вышеуказанных опций (кроме опций Первые 10 и Выше/Ниже среднего), откроется окно Пользовательский фильтр. В верхнем выпадающем списке будет выбран соответствующий критерий. Введите нужное значение в поле справа. Для добавления еще одного критерия используйте переключатель И, если требуется, чтобы данные удовлетворяли обоим критериям, или выберите переключатель Или, если могут удовлетворяться один или оба критерия. Затем выберите из нижнего выпадающего списка второй критерий и введите нужное значение справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Пользовательский... из списка опций Числового/Текстового фильтра, первое условие не выбирается автоматически, вы можете выбрать его сами. При выборе опции Первые 10 из списка опций Числового фильтра, откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. При выборе опции Выше/Ниже среднего из списка опций Числового фильтра, фильтр будет применен сразу. Фильтрация данных по цвету Если в диапазоне ячеек, который требуется отфильтровать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей), можно использовать одну из следующих опций: Фильтр по цвету ячеек - чтобы отобразить только записи с определенным цветом фона ячеек и скрыть остальные, Фильтр по цвету шрифта - чтобы отобразить только записи с определенным цветом шрифта в ячейках и скрыть остальные. Когда вы выберете нужную опцию, откроется палитра, содержащая цвета, использованные в выделенном диапазоне ячеек. Выберите один из цветов, чтобы применить фильтр. В первой ячейке столбца появится кнопка Фильтр . Это означает, что фильтр применен. Количество отфильтрованых записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80). Примечание: когда фильтр применен, строки, отсеянные в результате фильтрации, нельзя изменить при автозаполнении, форматировании, удалении видимого содержимого. Такие действия влияют только на видимые строки, а строки, скрытые фильтром, остаются без изменений. При копировании и вставке отфильтрованных данных можно скопировать и вставить только видимые строки. Это не эквивалентно строкам, скрытым вручную, которые затрагиваются всеми аналогичными действиями. Сортировка отфильтрованных данных Можно задать порядок сортировки данных, для которых включен или применен фильтр. Нажмите на кнопку со стрелкой или кнопку Фильтр и выберите одну из опций в списке команд фильтра: Сортировка по возрастанию - позволяет сортировать данные в порядке возрастания, отобразив в верхней части столбца наименьшее значение, Сортировка по убыванию - позволяет сортировать данные в порядке убывания, отобразив в верхней части столбца наибольшее значение, Сортировка по цвету ячеек - позволяет выбрать один из цветов и отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сортировка по цвету шрифта - позволяет выбрать один из цветов и отобразить записи с таким же цветом шрифта в верхней части столбца. Последние две команды можно использовать, если в диапазоне ячеек, который требуется отсортировать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей). Направление сортировки будет обозначено с помощью стрелки в кнопках фильтра. если данные отсортированы по возрастанию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . если данные отсортированы по убыванию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . Данные можно также быстро отсортировать по цвету с помощью команд контекстного меню: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтр по содержимому выделенной ячейки Данные можно также быстро фильтровать по содержимому выделенной ячейки с помощью команд контекстного меню. Щелкните правой кнопкой мыши по ячейке, выберите в меню команду Фильтр, а затем выберите одну из доступных опций: Фильтр по значению выбранной ячейки - чтобы отобразить только записи с таким же значением, как и в выделенной ячейке. Фильтр по цвету ячейки - чтобы отобразить только записи с таким же цветом фона ячеек, как и у выделенной ячейки. Фильтр по цвету шрифта - чтобы отобразить только записи с таким же цветом шрифта, как и у выделенной ячейки. Форматирование по шаблону таблицы Чтобы облегчить работу с данными, в онлайн-редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Примечание: как только вы создадите новую форматированную таблицу, этой таблице будет автоматически присвоено стандартное имя (Таблица1, Таблица2 и т.д.). Это имя можно изменить, сделав его более содержательным, и использовать для дальнейшей работы. Если вы введете новое значение в любой ячейке под последней строкой таблицы (если таблица не содержит строки итогов) или в ячейке справа от последнего столбца таблицы, форматированная таблица будет автоматически расширена, и в нее будет включена новая строка или столбец. Если вы не хотите расширять таблицу, нажмите на появившуюся кнопку и выберите опцию Отменить авторазвертывание таблицы. Как только это действие будет отменено, в этом меню станет доступна опция Повторить авторазвертывание таблицы. Некоторые параметры таблицы можно изменить с помощью вкладки Параметры таблицы на правой боковой панели. Чтобы ее открыть, выделите мышью хотя бы одну ячейку в таблице и щелкните по значку Параметры таблицы справа. Разделы Строки и Столбцы, расположенные наверху, позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовок - позволяет отобразить строку заголовка. Итоговая - добавляет строку Итого в нижней части таблицы. Чередовать - включает чередование цвета фона для четных и нечетных строк. Кнопка фильтра - позволяет отобразить кнопки со стрелкой в ячейках строки заголовка. Эта опция доступна только если выбрана опция Заголовок. Первый - выделяет при помощи особого форматирования крайний левый столбец в таблице. Последний - выделяет при помощи особого форматирования крайний правый столбец в таблице. Чередовать - включает чередование цвета фона для четных и нечетных столбцов. Раздел По шаблону позволяет выбрать один из готовых стилей таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, указанных в разделах Строки и/или Столбцы выше. Например, если Вы отметили опцию Заголовок в разделе Строки и опцию Чередовать в разделе Столбцы, отображаемый список шаблонов будет содержать только шаблоны со строкой заголовка и чередованием столбцов: Если вы хотите очистить текущий стиль таблицы (цвет фона, границы и так далее), не удаляя при этом саму таблицу, примените шаблон None из списка шаблонов: В разделе Размер таблицы можно изменить диапазон ячеек, к которому применено табличное форматирование. Нажмите на кнопку Выбор данных - откроется новое всплывающее окно. Измените ссылку на диапазон ячеек в поле ввода или мышью выделите новый диапазон на листе и нажмите кнопку OK. Раздел Строки и столбцы позволяет выполнить следующие операции: Выбрать строку, столбец, все данные в столбцах, исключая строку заголовка, или всю таблицу, включая строку заголовка. Вставить новую строку выше или ниже выделенной, а также новый столбец слева или справа от выделенного. Удалить строку, столбец (в зависимости от позиции курсора или выделения) или всю таблицу. Примечание: опции раздела Строки и столбцы также доступны из контекстного меню. Кнопку Преобразовать в диапазон можно использовать, если вы хотите преобразовать таблицу в обычный диапазон данных, удалив фильтр, но сохранив стиль таблицы (то есть цвета ячеек и шрифта и т.д.). Как только вы примените эту опцию, вкладка Параметры таблицы на правой боковой панели станет недоступна. Чтобы изменить дополнительные параметры таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств таблицы: Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит таблица. Повторное применение фильтра Если отфильтрованные данные были изменены, можно обновить фильтр, чтобы отобразить актуальный результат: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Применить повторно. Можно также щелкнуть правой кнопкой мыши по ячейке в столбце, содержащем отфильтрованные данные, и выбрать из контекстного меню команду Применить повторно. Очистка фильтра Для очистки фильтра: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Очистить. Можно также поступить следующим образом: выделите диапазон ячеек, которые содержат отфильтрованные данные, щелкните по значку Очистить фильтр , расположенному на вкладке Главная верхней панели инструментов. Фильтр останется включенным, но все примененные параметры фильтра будут удалены, а кнопки Фильтр в первых ячейках столбцов изменятся на кнопки со стрелкой . Удаление фильтра Для удаления фильтра: выделите диапазон ячеек, содержащих отфильтрованные данные, щелкните по значку Фильтр , расположенному на вкладке Главная верхней панели инструментов. Фильтр будет отключен, а кнопки со стрелкой исчезнут из первых ячеек столбцов." }, { "id": "UsageInstructions/UndoRedo.htm", "title": "Отмена / повтор действий", - "body": "Для выполнения операций отмены / повтора используйте соответствующие значки, доступные на любой вкладке верхней панели инструментов: Отменить – используйте значок Отменить , чтобы отменить последнее выполненное действие. Повторить – используйте значок Повторить , чтобы повторить последнее отмененное действие. Примечание: операции отмены / повтора можно также выполнить, используя Сочетания клавиш." + "body": "Для выполнения операций отмены / повтора используйте соответствующие значки в левой части шапки редактора: Отменить – используйте значок Отменить , чтобы отменить последнее выполненное действие. Повторить – используйте значок Повторить , чтобы повторить последнее отмененное действие. Операции отмены / повтора можно также выполнить, используя Сочетания клавиш. Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие." }, { "id": "UsageInstructions/UseNamedRanges.htm", "title": "Использование именованных диапазонов", - "body": "Имена - это осмысленные обозначения, которые можно присвоить ячейке или диапазону ячеек и использовать для упрощения работы с формулами. При создании формул в качестве аргумента можно использовать имя, а не ссылку на диапазон ячеек. Например, если присвоить диапазону ячеек имя Годовой_доход, то можно будет вводить формулу =СУММ(Годовой_доход) вместо =СУММ(B1:B12) и т.д. В таком виде формулы становятся более понятными. Эта возможность также может быть полезна, если большое количество формул ссылается на один и тот же диапазон ячеек. При изменении адреса диапазона можно один раз внести исправление в Диспетчере имен, а не редактировать все формулы по одной. Есть два типа имен, которые можно использовать: Определенное имя – произвольное имя, которое вы можете задать для некоторого диапазона ячеек. Имя таблицы – стандартное имя, которое автоматически присваивается новой форматированной таблице (Table1, Table2 и т.д.). Такое имя впоследствии можно отредактировать. Имена также классифицируются по Области действия, то есть по области, в которой это имя распознается. Областью действия имени может быть вся книга (имя будет распознаваться на любом листе в этой книге) или отдельный лист (имя будет распознаваться только на указанном листе). Каждое имя в пределах одной области должно быть уникальным, одинаковые имена можно использовать внутри разных областей. Создание новых имен Чтобы создать новое определенное имя для выделенной области: Выделите ячейку или диапазон ячеек, которым требуется присвоить имя. Откройте окно создания нового имени удобным для вас способом: Щелкните по выделенной области правой кнопкой мыши и выберите из контекстного меню пункт Присвоить имя или щелкните по значку Именованные диапазоны на вкладке Главная верхней панели инструментов и выберите из меню опцию Новое имя. Откроется окно Новое имя: Введите нужное Имя в поле ввода текста. Примечание: имя не может начинаться с цифры, содержать пробелы или знаки препинания. Разрешено использовать нижние подчеркивания (_). Регистр не имеет значения. Укажите Область действия диапазона. По умолчанию выбрана область Книга, но можно указать отдельный лист, выбрав его из списка. Проверьте адрес выбранного Диапазона данных. В случае необходимости его можно изменить. Нажмите на кнопку Выбор данных - откроется окно Выбор диапазона данных. Измените ссылку на диапазон ячеек в поле ввода или мышью выделите новый диапазон на листе и нажмите кнопку OK. Нажмите кнопку OK, чтобы сохранить новое имя. Чтобы быстро создать новое имя для выделенного диапазона ячеек, можно также ввести нужное имя в поле \"Имя\" слева от строки формул и нажать Enter. Областью действия имени, созданного таким способом, является Книга. Управление именами Получить доступ ко всем существующим именам можно через Диспетчер имен. Чтобы его открыть: щелкните по значку Именованные диапазоны на вкладке Главная верхней панели инструментов и выберите из меню опцию Диспетчер имен или щелкните по стрелке в поле \"Имя\" и выберите опцию Диспетчер. Откроется окно Диспетчер имен: Для удобства можно фильтровать имена, выбирая ту категорию имен, которую надо показать: Все, Определенные имена, Имена таблиц, Имена на листе или Имена в книге. В списке будут отображены имена, относящиеся к выбранной категории, остальные имена будут скрыты. Чтобы изменить порядок сортировки для отображенного списка, нажмите в этом окне на заголовок Именованные диапазоны или Область. Чтобы отредактировать имя, выделите его в списке и нажмите кнопку Изменить. Откроется окно Изменение имени: Для определенного имени можно изменить имя и диапазон данных, на который оно ссылается. Для имени таблицы можно изменить только имя. Когда будут сделаны все нужные изменения, нажмите кнопку OK, чтобы применить их. Чтобы сбросить изменения, нажмите кнопку Отмена. Если измененное имя используется в какой-либо формуле, формула будет автоматически изменена соответствующим образом. Чтобы удалить имя, выделите его в списке и нажмите кнопку Удалить. Примечание: если удалить имя, которое используется в формуле, формула перестанет работать (она будет возвращать ошибку #ИМЯ?). В окне Диспетчер имен можно также создать новое имя, нажав кнопку Новое. Использование имен при работе с электронной таблицей Для быстрого перемещения между диапазонами ячеек можно нажать на стрелку в поле \"Имя\" и выбрать нужное имя из списка имен – на листе будет выделен диапазон данных, соответствующий этому имени. Примечание: в списке имен отображены определенные имена и имена таблиц, областью действия которых является текущий лист и вся книга. Чтобы добавить имя в качестве аргумента формулы: Установите курсор там, куда надо вставить имя. Выполните одно из следующих действий: введите имя нужного именованного диапазона вручную с помощью клавиатуры. Как только вы введете начальные буквы, появится список Автозавершения формул. По мере ввода в нем отображаются элементы (формулы и имена), которые соответствуют введенным символам. Можно выбрать нужное имя из списка и вставить его в формулу, дважды щелкнув по нему или нажав клавишу Tab. или щелкните по значку Именованные диапазоны на вкладке Главная верхней панели инструментов, выберите из меню опцию Вставить имя, выберите нужное имя в окне Вставка имени и нажмите кнопку OK: Примечание: в окне Вставка имени отображены определенные имена и имена таблиц, областью действия которых является текущий лист и вся книга." + "body": "Имена - это осмысленные обозначения, которые можно присвоить ячейке или диапазону ячеек и использовать для упрощения работы с формулами. При создании формул в качестве аргумента можно использовать имя, а не ссылку на диапазон ячеек. Например, если присвоить диапазону ячеек имя Годовой_доход, то можно будет вводить формулу =СУММ(Годовой_доход) вместо =СУММ(B1:B12) и т.д. В таком виде формулы становятся более понятными. Эта возможность также может быть полезна, если большое количество формул ссылается на один и тот же диапазон ячеек. При изменении адреса диапазона можно один раз внести исправление в Диспетчере имен, а не редактировать все формулы по одной. Есть два типа имен, которые можно использовать: Определенное имя – произвольное имя, которое вы можете задать для некоторого диапазона ячеек. К определенным именам также относятся имена, создаваемые автоматически при установке областей печати. Имя таблицы – стандартное имя, которое автоматически присваивается новой форматированной таблице (Таблица1, Таблица2 и т.д.). Такое имя впоследствии можно отредактировать. Имена также классифицируются по Области действия, то есть по области, в которой это имя распознается. Областью действия имени может быть вся книга (имя будет распознаваться на любом листе в этой книге) или отдельный лист (имя будет распознаваться только на указанном листе). Каждое имя в пределах одной области должно быть уникальным, одинаковые имена можно использовать внутри разных областей. Создание новых имен Чтобы создать новое определенное имя для выделенной области: Выделите ячейку или диапазон ячеек, которым требуется присвоить имя. Откройте окно создания нового имени удобным для вас способом: Щелкните по выделенной области правой кнопкой мыши и выберите из контекстного меню пункт Присвоить имя или щелкните по значку Именованные диапазоны на вкладке Главная верхней панели инструментов и выберите из меню опцию Новое имя. Откроется окно Новое имя: Введите нужное Имя в поле ввода текста. Примечание: имя не может начинаться с цифры, содержать пробелы или знаки препинания. Разрешено использовать нижние подчеркивания (_). Регистр не имеет значения. Укажите Область действия диапазона. По умолчанию выбрана область Книга, но можно указать отдельный лист, выбрав его из списка. Проверьте адрес выбранного Диапазона данных. В случае необходимости его можно изменить. Нажмите на кнопку Выбор данных - откроется окно Выбор диапазона данных. Измените ссылку на диапазон ячеек в поле ввода или мышью выделите новый диапазон на листе и нажмите кнопку OK. Нажмите кнопку OK, чтобы сохранить новое имя. Чтобы быстро создать новое имя для выделенного диапазона ячеек, можно также ввести нужное имя в поле \"Имя\" слева от строки формул и нажать Enter. Областью действия имени, созданного таким способом, является Книга. Управление именами Получить доступ ко всем существующим именам можно через Диспетчер имен. Чтобы его открыть: щелкните по значку Именованные диапазоны на вкладке Главная верхней панели инструментов и выберите из меню опцию Диспетчер имен или щелкните по стрелке в поле \"Имя\" и выберите опцию Диспетчер имен. Откроется окно Диспетчер имен: Для удобства можно фильтровать имена, выбирая ту категорию имен, которую надо показать: Все, Определенные имена, Имена таблиц, Имена на листе или Имена в книге. В списке будут отображены имена, относящиеся к выбранной категории, остальные имена будут скрыты. Чтобы изменить порядок сортировки для отображенного списка, нажмите в этом окне на заголовок Именованные диапазоны или Область. Чтобы отредактировать имя, выделите его в списке и нажмите кнопку Изменить. Откроется окно Изменение имени: Для определенного имени можно изменить имя и диапазон данных, на который оно ссылается. Для имени таблицы можно изменить только имя. Когда будут сделаны все нужные изменения, нажмите кнопку OK, чтобы применить их. Чтобы сбросить изменения, нажмите кнопку Отмена. Если измененное имя используется в какой-либо формуле, формула будет автоматически изменена соответствующим образом. Чтобы удалить имя, выделите его в списке и нажмите кнопку Удалить. Примечание: если удалить имя, которое используется в формуле, формула перестанет работать (она будет возвращать ошибку #ИМЯ?). В окне Диспетчер имен можно также создать новое имя, нажав кнопку Новое. Использование имен при работе с электронной таблицей Для быстрого перемещения между диапазонами ячеек можно нажать на стрелку в поле \"Имя\" и выбрать нужное имя из списка имен – на листе будет выделен диапазон данных, соответствующий этому имени. Примечание: в списке имен отображены определенные имена и имена таблиц, областью действия которых является текущий лист и вся книга. Чтобы добавить имя в качестве аргумента формулы: Установите курсор там, куда надо вставить имя. Выполните одно из следующих действий: введите имя нужного именованного диапазона вручную с помощью клавиатуры. Как только вы введете начальные буквы, появится список Автозавершения формул. По мере ввода в нем отображаются элементы (формулы и имена), которые соответствуют введенным символам. Можно выбрать нужное имя из списка и вставить его в формулу, дважды щелкнув по нему или нажав клавишу Tab. или щелкните по значку Именованные диапазоны на вкладке Главная верхней панели инструментов, выберите из меню опцию Вставить имя, выберите нужное имя в окне Вставка имени и нажмите кнопку OK: Примечание: в окне Вставка имени отображены определенные имена и имена таблиц, областью действия которых является текущий лист и вся книга." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Просмотр сведений о файле", - "body": "Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице. Общие сведения Сведения о файле включают название электронной таблицы, автора, размещение и дату создания. Примечание: используя онлайн-редакторы, вы можете изменить название электронной таблицы непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой электронной таблицы, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню." + "body": "Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице. Общие сведения Сведения о файле включают название электронной таблицы и приложение, в котором была создана электронная таблица. В онлайн-версии также отображаются следующие сведения: автор, размещение, дата создания. Примечание: используя онлайн-редакторы, вы можете изменить название электронной таблицы непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой электронной таблицы, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню." } ] \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/search/js/keyboard-switch.js b/apps/spreadsheeteditor/main/resources/help/ru/search/js/keyboard-switch.js new file mode 100644 index 000000000..267160c5e --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/js/keyboard-switch.js @@ -0,0 +1,30 @@ +$(function(){ + function shortcutToggler(enabled,disabled,enabled_opt,disabled_opt){ + var selectorTD_en = '.keyboard_shortcuts_table tr td:nth-child(' + enabled + ')', + selectorTD_dis = '.keyboard_shortcuts_table tr td:nth-child(' + disabled + ')'; + $(disabled_opt).removeClass('enabled').addClass('disabled'); + $(enabled_opt).removeClass('disabled').addClass('enabled'); + $(selectorTD_dis).hide(); + $(selectorTD_en).show().each(function() { + if($(this).text() == ''){ + $(this).parent('tr').hide(); + } else { + $(this).parent('tr').show(); + } + }); + } + if (navigator.platform.toUpperCase().indexOf('MAC') >= 0) { + shortcutToggler(3,2,'.mac_option','.pc_option'); + $('.mac_option').removeClass('right_option').addClass('left_option'); + $('.pc_option').removeClass('left_option').addClass('right_option'); + } else { + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + $('.shortcut_toggle').on('click', function() { + if($(this).hasClass('mac_option')){ + shortcutToggler(3,2,'.mac_option','.pc_option'); + } else if ($(this).hasClass('pc_option')){ + shortcutToggler(2,3,'.pc_option','.mac_option'); + } + }); +}); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/search/search.html b/apps/spreadsheeteditor/main/resources/help/ru/search/search.html index 12e867c23..e49d47f87 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/search.html +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/search.html @@ -5,6 +5,7 @@ + @@ -90,7 +91,8 @@ info.title.slice(position[0], position[0] + position[1]), "", info.title.slice(position[0] + position[1]) - ].join('') + ].join(''), + onclick: "onhyperlinkclick(this)" }) ) .append($('

                                ').text(info.body.substring(0, 250) + "...")) @@ -124,7 +126,7 @@ } if (commonLength > 450 && sentenceCount > 2) { - displayBody = displayBody.substring(0, 450) + "..." + displayBody = displayBody.substring(0, 450) + "..."; return false; } }); @@ -134,7 +136,8 @@ .append( $('', { href: "../" + result.ref, - html: info.title.substring(0, 150) + html: info.title.substring(0, 150), + onclick: "onhyperlinkclick(this)" }) ) .append( diff --git a/apps/spreadsheeteditor/main/resources/img/toolbar-menu.png b/apps/spreadsheeteditor/main/resources/img/toolbar-menu.png index ae5718575..09d3dba03 100644 Binary files a/apps/spreadsheeteditor/main/resources/img/toolbar-menu.png and b/apps/spreadsheeteditor/main/resources/img/toolbar-menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/img/toolbar-menu@2x.png b/apps/spreadsheeteditor/main/resources/img/toolbar-menu@2x.png index db08728ab..84f5c88ff 100644 Binary files a/apps/spreadsheeteditor/main/resources/img/toolbar-menu@2x.png and b/apps/spreadsheeteditor/main/resources/img/toolbar-menu@2x.png differ diff --git a/apps/spreadsheeteditor/main/resources/less/app.less b/apps/spreadsheeteditor/main/resources/less/app.less index ec146cba0..a5d13d177 100644 --- a/apps/spreadsheeteditor/main/resources/less/app.less +++ b/apps/spreadsheeteditor/main/resources/less/app.less @@ -114,6 +114,7 @@ @import "../../../../common/main/resources/less/plugins.less"; @import "../../../../common/main/resources/less/toolbar.less"; @import "../../../../common/main/resources/less/language-dialog.less"; +@import "../../../../common/main/resources/less/winxp_fix.less"; // App // -------------------------------------------------- diff --git a/apps/spreadsheeteditor/main/resources/less/formuladialog.less b/apps/spreadsheeteditor/main/resources/less/formuladialog.less index 5c7ea4215..c111e1d09 100644 --- a/apps/spreadsheeteditor/main/resources/less/formuladialog.less +++ b/apps/spreadsheeteditor/main/resources/less/formuladialog.less @@ -42,6 +42,7 @@ font-weight: bold; } + word-wrap: break-word; } } } diff --git a/apps/spreadsheeteditor/main/resources/less/leftmenu.less b/apps/spreadsheeteditor/main/resources/less/leftmenu.less index 7f818cac5..2e10d4039 100644 --- a/apps/spreadsheeteditor/main/resources/less/leftmenu.less +++ b/apps/spreadsheeteditor/main/resources/less/leftmenu.less @@ -174,7 +174,7 @@ overflow: hidden; } - #panel-saveas { + #panel-saveas, #panel-savecopy { table { margin-left: auto; margin-right: auto; @@ -537,4 +537,5 @@ -webkit-transform: rotate(180deg); -o-transform: rotate(180deg); transform: rotate(180deg); + cursor: default; } diff --git a/apps/spreadsheeteditor/main/resources/less/toolbar.less b/apps/spreadsheeteditor/main/resources/less/toolbar.less index 664592127..d71597540 100644 --- a/apps/spreadsheeteditor/main/resources/less/toolbar.less +++ b/apps/spreadsheeteditor/main/resources/less/toolbar.less @@ -39,17 +39,6 @@ } } -.toolbar-mask { - position: absolute; - top: 32px; - left: 48px; - right: 0; - bottom: 0; - opacity: 0; - background-color: @gray-light; - /*z-index: @zindex-tooltip + 1;*/ -} - .color-schemas-menu { span { &.colors { @@ -168,6 +157,11 @@ .toolbar-btn-icon(btn-subscript, 85, @toolbar-icon-size); .toolbar-btn-icon(btn-superscript, 86, @toolbar-icon-size); +.toolbar-btn-icon(rotate-90, 89, @toolbar-icon-size); +.toolbar-btn-icon(rotate-270, 90, @toolbar-icon-size); +.toolbar-btn-icon(flip-hor, 91, @toolbar-icon-size); +.toolbar-btn-icon(flip-vert, 92, @toolbar-icon-size); + @menu-icon-size: 22px; .menu-btn-icon(mnu-align-center, 0, @menu-icon-size); .menu-btn-icon(mnu-align-just, 1, @menu-icon-size); @@ -219,6 +213,8 @@ .menu-btn-icon(mnu-img-align-bottom, 45, @menu-icon-size); .menu-btn-icon(mnu-img-align-middle, 44, @menu-icon-size); .menu-btn-icon(mnu-img-align-top, 43, @menu-icon-size); +.menu-btn-icon(mnu-distrib-hor, 46, @menu-icon-size); +.menu-btn-icon(mnu-distrib-vert, 47, @menu-icon-size); .username-tip { background-color: #ee3525; diff --git a/apps/spreadsheeteditor/mobile/app/controller/Editor.js b/apps/spreadsheeteditor/mobile/app/controller/Editor.js index 5db583731..47eb0cc1a 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Editor.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Editor.js @@ -65,6 +65,11 @@ define([ (/MSIE 10/.test(ua) && /; Touch/.test(ua))); } + function isSailfish() { + var ua = navigator.userAgent; + return /Sailfish/.test(ua) || /Jolla/.test(ua); + } + return { // Specifying a EditorController model models: [], @@ -92,6 +97,11 @@ define([ var phone = isPhone(); // console.debug('Layout profile:', phone ? 'Phone' : 'Tablet'); + if ( isSailfish() ) { + Common.SharedSettings.set('sailfish', true); + $('html').addClass('sailfish'); + } + Common.SharedSettings.set('android', Framework7.prototype.device.android); Common.SharedSettings.set('phone', phone); diff --git a/apps/spreadsheeteditor/mobile/app/controller/Main.js b/apps/spreadsheeteditor/mobile/app/controller/Main.js index 1f4141c54..08c38a4a3 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Main.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Main.js @@ -306,6 +306,11 @@ define([ }, onDownloadAs: function() { + if ( !this.appOptions.canDownload) { + Common.Gateway.reportError(Asc.c_oAscError.ID.AccessDeny, this.errorAccessDeny); + return; + } + this._state.isFromGatewayDownloadAs = true; this.api.asc_DownloadAs(Asc.c_oAscFileType.XLSX, true); }, @@ -433,6 +438,11 @@ define([ text = me.sendMergeText; break; + case Asc.c_oAscAsyncAction['Waiting']: + title = me.waitText; + text = me.waitText; + break; + case ApplyEditRights: title = me.txtEditingMode; text = me.txtEditingMode; @@ -466,8 +476,6 @@ define([ if (this._isDocReady) return; - Common.Gateway.documentReady(); - if (this._state.openDlg) uiApp.closeModal(this._state.openDlg); @@ -495,12 +503,8 @@ define([ this.isLiveCommenting?this.api.asc_showComments(true):this.api.asc_hideComments(); if (this.appOptions.isEdit && this.appOptions.canLicense && !this.appOptions.isOffline && this.appOptions.canCoAuthoring) { - value = Common.localStorage.getItem("sse-settings-coauthmode"); - if (value===null && Common.localStorage.getItem("sse-settings-autosave")===null && - this.appOptions.customization && this.appOptions.customization.autosave===false) { - value = 0; // use customization.autosave only when sse-settings-coauthmode and sse-settings-autosave are null - } - this._state.fastCoauth = (value===null || parseInt(value) == 1); + // Force ON fast co-authoring mode + me._state.fastCoauth = true; } else this._state.fastCoauth = false; this.api.asc_SetFastCollaborative(this._state.fastCoauth); @@ -550,6 +554,7 @@ define([ }); $(document).on('contextmenu', _.bind(me.onContextMenu, me)); + Common.Gateway.documentReady(); }, onLicenseChanged: function(params) { @@ -603,8 +608,24 @@ define([ buttons: buttons }); } - } else + } else { + if (!me.appOptions.isDesktopApp && !me.appOptions.canBrandingExt && + me.editorConfig && me.editorConfig.customization && (me.editorConfig.customization.loaderName || me.editorConfig.customization.loaderLogo)) { + uiApp.modal({ + title: me.textPaidFeature, + text : me.textCustomLoader, + buttons: [{ + text: me.textContactUs, + bold: true, + onClick: function() { + window.open('mailto:sales@onlyoffice.com', "_blank"); + } + }, + { text: me.textClose }] + }); + } SSE.getController('Toolbar').activateControls(); + } }, onOpenDocument: function(progress) { @@ -650,7 +671,7 @@ define([ me.appOptions.canChat = me.appOptions.canLicense && !me.appOptions.isOffline && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.chat===false); me.appOptions.canRename = !!me.permissions.rename; - me.appOptions.canBranding = (licType === Asc.c_oLicenseResult.Success) && (typeof me.editorConfig.customization == 'object'); + me.appOptions.canBranding = params.asc_getCustomization(); me.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof me.editorConfig.customization == 'object'); } @@ -973,6 +994,18 @@ define([ config.msg = this.errorDataEncrypted; break; + case Asc.c_oAscError.ID.CannotChangeFormulaArray: + config.msg = this.errorChangeArray; + break; + + case Asc.c_oAscError.ID.EditingError: + config.msg = this.errorEditingDownloadas; + break; + + case Asc.c_oAscError.ID.MultiCellsInTablesFormulaArray: + config.msg = this.errorMultiCellFormula; + break; + default: config.msg = this.errorDefaultMessage.replace('%1', id); break; @@ -1315,7 +1348,7 @@ define([ if (!this.appOptions.canPrint) return; if (this.api) - this.api.asc_Print(Common.Utils.isChrome || Common.Utils.isSafari || Common.Utils.isOpera); // if isChrome or isSafari or isOpera == true use asc_onPrintUrl event + this.api.asc_Print(); Common.component.Analytics.trackEvent('Print'); }, @@ -1361,7 +1394,7 @@ define([ criticalErrorTitle: 'Error', notcriticalErrorTitle: 'Warning', errorDefaultMessage: 'Error code: %1', - criticalErrorExtText: 'Press "Ok" to back to document list.', + criticalErrorExtText: 'Press "OK" to back to document list.', openTitleText: 'Opening Document', openTextText: 'Opening document...', saveTitleText: 'Saving Document', @@ -1389,7 +1422,7 @@ define([ unknownErrorText: 'Unknown error.', convertationTimeoutText: 'Convertation timeout exceeded.', downloadErrorText: 'Download failed.', - unsupportedBrowserErrorText : 'Your browser is not supported.', + unsupportedBrowserErrorText: 'Your browser is not supported.', requestEditFailedTitleText: 'Access denied', requestEditFailedMessageText: 'Someone is editing this document right now. Please try again later.', textLoadingDocument: 'Loading spreadsheet', @@ -1531,7 +1564,13 @@ define([ errorCopyMultiselectArea: 'This command cannot be used with multiple selections.
                                Select a single range and try again.', errorPrintMaxPagesCount: 'Unfortunately, it’s not possible to print more than 1500 pages at once in the current version of the program.
                                This restriction will be eliminated in upcoming releases.', closeButtonText: 'Close File', - scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.' + scriptLoadError: 'The connection is too slow, some of the components could not be loaded. Please reload the page.', + errorChangeArray: 'You cannot change part of an array.', + errorEditingDownloadas: 'An error occurred during the work with the document.
                                Use the \'Download\' option to save the file backup copy to your computer hard drive.', + errorMultiCellFormula: 'Multi-cell array formulas are not allowed in tables.', + textPaidFeature: 'Paid feature', + textCustomLoader: 'Please note that according to the terms of the license you are not entitled to change the loader.
                                Please contact our Sales Department to get a quote.', + waitText: 'Please, wait...' } })(), SSE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/app/controller/Search.js b/apps/spreadsheeteditor/mobile/app/controller/Search.js index 2da1ab244..f9a4dbad5 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Search.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Search.js @@ -120,7 +120,8 @@ define([ var _endPoint = pointerEventToXY(e); if (_isShow) { - var distance = Math.sqrt((_endPoint.x -= _startPoint.x) * _endPoint.x + (_endPoint.y -= _startPoint.y) * _endPoint.y); + var distance = (_startPoint.x===undefined || _startPoint.y===undefined) ? 0 : + Math.sqrt((_endPoint.x -= _startPoint.x) * _endPoint.x + (_endPoint.y -= _startPoint.y) * _endPoint.y); if (distance < 1) { this.hideSearch(); diff --git a/apps/spreadsheeteditor/mobile/app/controller/Settings.js b/apps/spreadsheeteditor/mobile/app/controller/Settings.js index 32ad08db5..625a048a7 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Settings.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Settings.js @@ -149,6 +149,7 @@ define([ var me = this; $('#settings-search').single('click', _.bind(me._onSearch, me)); $(modalView).find('.formats a').single('click', _.bind(me._onSaveFormat, me)); + $('#settings-print').single('click', _.bind(me._onPrint, me)); me.initSettings(pageId); }, @@ -209,6 +210,15 @@ define([ this.hideModal(); }, + _onPrint: function(e) { + var me = this; + + _.defer(function () { + me.api.asc_Print(); + }); + me.hideModal(); + }, + _onSaveFormat: function(e) { var me = this, format = $(e.currentTarget).data('format'); diff --git a/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js b/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js index de0668a49..54e3727f8 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js +++ b/apps/spreadsheeteditor/mobile/app/controller/edit/EditChart.js @@ -147,14 +147,19 @@ define([ me.initStylePage(); } else if ('#edit-chart-border-color-view' == pageId) { me.initBorderColorPage(); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-border-color]', '.page[data-page=edit-chart-border-color] .page-content'); } else if ('#edit-chart-layout' == pageId) { me.initLayoutPage(); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-layout]', '.page[data-page=edit-chart-layout] .page-content'); } else if ('#edit-chart-vertical-axis' == pageId) { me.initVertAxisPage(); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-vertical-axis]', '.page[data-page=edit-chart-vertical-axis] .page-content'); } else if ('#edit-chart-horizontal-axis' == pageId) { me.initHorAxisPage(); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-horizontal-axis]', '.page[data-page=edit-chart-horizontal-axis] .page-content'); } else if ('#edit-chart-reorder' == pageId) { me.initReorderPage(); + Common.Utils.addScrollIfNeed('.page[data-page=edit-chart-reorder]', '.page[data-page=edit-chart-reorder] .page-content'); } else { me.initRootPage(); } diff --git a/apps/spreadsheeteditor/mobile/app/controller/edit/EditImage.js b/apps/spreadsheeteditor/mobile/app/controller/edit/EditImage.js index a3f3a41d9..d36fe488f 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/edit/EditImage.js +++ b/apps/spreadsheeteditor/mobile/app/controller/edit/EditImage.js @@ -160,7 +160,7 @@ define([ properties.put_Width(imgSize.get_ImageWidth()); properties.put_Height(imgSize.get_ImageHeight()); - + properties.put_ResetCrop(true); me.api.asc_setGraphicObjectProps(properties); } }, diff --git a/apps/spreadsheeteditor/mobile/app/template/EditCell.template b/apps/spreadsheeteditor/mobile/app/template/EditCell.template index ddd762923..193f2652e 100644 --- a/apps/spreadsheeteditor/mobile/app/template/EditCell.template +++ b/apps/spreadsheeteditor/mobile/app/template/EditCell.template @@ -16,9 +16,9 @@

                                @@ -108,9 +108,9 @@
                                <% if (!android) { %><% } %>

                                - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                                @@ -229,7 +229,7 @@ <% if (android) { %>
                                <% } else { %> -
                                +
                                <% } %>
                                <%= scope.textJustified %>
                                diff --git a/apps/spreadsheeteditor/mobile/app/template/EditText.template b/apps/spreadsheeteditor/mobile/app/template/EditText.template index c324dfda5..006a81b32 100644 --- a/apps/spreadsheeteditor/mobile/app/template/EditText.template +++ b/apps/spreadsheeteditor/mobile/app/template/EditText.template @@ -16,9 +16,9 @@ @@ -45,7 +45,7 @@ - +
                                @@ -85,9 +85,9 @@
                                <% if (!android) { %><% } %>

                                - <% if (android) { %><% } else { %>-<% } %> + <% if (android) { %><% } else { %>-<% } %> <% if (android) { %><% } %> - <% if (android) { %><% } else { %>+<% } %> + <% if (android) { %><% } else { %>+<% } %>

                                diff --git a/apps/spreadsheeteditor/mobile/app/template/Settings.template b/apps/spreadsheeteditor/mobile/app/template/Settings.template index 3151b3e9a..7c126378b 100644 --- a/apps/spreadsheeteditor/mobile/app/template/Settings.template +++ b/apps/spreadsheeteditor/mobile/app/template/Settings.template @@ -37,6 +37,18 @@ +
                              • + +
                                +
                                + +
                                +
                                +
                                <%= scope.textPrint %>
                                +
                                +
                                +
                                +
                              • @@ -184,6 +196,18 @@
                              • +
                              • + +
                                +
                                + +
                                +
                                +
                                PDF/A
                                +
                                +
                                +
                                +
                              • @@ -208,6 +232,30 @@
                              • +
                              • + +
                                +
                                + +
                                +
                                +
                                XLTX
                                +
                                +
                                +
                                +
                              • +
                              • + +
                                +
                                + +
                                +
                                +
                                OTS
                                +
                                +
                                +
                                +
                              diff --git a/apps/spreadsheeteditor/mobile/app/view/Settings.js b/apps/spreadsheeteditor/mobile/app/view/Settings.js index cc56f09d4..4e25b43e1 100644 --- a/apps/spreadsheeteditor/mobile/app/view/Settings.js +++ b/apps/spreadsheeteditor/mobile/app/view/Settings.js @@ -53,7 +53,8 @@ define([ canEdit = false, canDownload = false, canAbout = true, - canHelp = true; + canHelp = true, + canPrint = false; return { // el: '.view-main', @@ -79,6 +80,7 @@ define([ $('#settings-help').single('click', _.bind(me.showHelp, me)); $('#settings-about').single('click', _.bind(me.showAbout, me)); + Common.Utils.addScrollIfNeed('.view[data-page=settings-root-view] .pages', '.view[data-page=settings-root-view] .page'); me.initControls(); }, @@ -91,8 +93,11 @@ define([ , saveas: { xlsx: Asc.c_oAscFileType.XLSX, pdf: Asc.c_oAscFileType.PDF, + pdfa: Asc.c_oAscFileType.PDFA, ods: Asc.c_oAscFileType.ODS, - csv: Asc.c_oAscFileType.CSV + csv: Asc.c_oAscFileType.CSV, + xltx: Asc.c_oAscFileType.XLTX, + ots: Asc.c_oAscFileType.OTS } })); @@ -103,6 +108,7 @@ define([ isEdit = mode.isEdit; canEdit = !mode.isEdit && mode.canEdit && mode.canRequestEditRights; canDownload = mode.canDownload || mode.canDownloadOrigin; + canPrint = mode.canPrint; if (mode.customization && mode.canBrandingExt) { canAbout = (mode.customization.about!==false); @@ -125,6 +131,7 @@ define([ if (!canDownload) $layout.find('#settings-download').hide(); if (!canAbout) $layout.find('#settings-about').hide(); if (!canHelp) $layout.find('#settings-help').hide(); + if (!canPrint) $layout.find('#settings-print').hide(); return $layout.html(); } @@ -164,10 +171,13 @@ define([ $('#settings-document-title').html(document.title ? document.title : this.unknownText); $('#settings-document-autor').html(info.author ? info.author : this.unknownText); $('#settings-document-date').html(info.created ? info.created : this.unknownText); + + Common.Utils.addScrollIfNeed('.page[data-page=settings-info-view]', '.page[data-page=settings-info-view] .page-content'); }, showDownload: function () { this.showPage('#settings-download-view'); + Common.Utils.addScrollIfNeed('.page[data-page=settings-download-view]', '.page[data-page=settings-download-view] .page-content'); }, showHistory: function () { @@ -180,6 +190,7 @@ define([ showAbout: function () { this.showPage('#settings-about-view'); + Common.Utils.addScrollIfNeed('.page[data-page=settings-about-view]', '.page[data-page=settings-about-view] .page-content'); }, loadDocument: function(data) { @@ -213,7 +224,8 @@ define([ textAddress: 'address', textEmail: 'email', textTel: 'tel', - textPoweredBy: 'Powered by' + textPoweredBy: 'Powered by', + textPrint: 'Print' } })(), SSE.Views.Settings || {})) }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/app/view/add/AddChart.js b/apps/spreadsheeteditor/mobile/app/view/add/AddChart.js index b017721d2..792effe51 100644 --- a/apps/spreadsheeteditor/mobile/app/view/add/AddChart.js +++ b/apps/spreadsheeteditor/mobile/app/view/add/AddChart.js @@ -93,6 +93,7 @@ define([ $('.chart-types .thumb').single('click', this.onTypeClick.bind(this)); + Common.Utils.addScrollIfNeed('#add-chart .pages', '#add-chart .page'); me.initControls(); }, diff --git a/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js b/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js index 80986c686..d4777f34d 100644 --- a/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js +++ b/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js @@ -89,6 +89,7 @@ define([ .on('click', '.function > a', this.onFunctionClick.bind(this)); $('.groups a.group').single('click', this.onGroupClick.bind(this)); + Common.Utils.addScrollIfNeed('#add-formula .pages', '#add-formula .page'); me.initControls(); }, @@ -181,10 +182,12 @@ define([ groupname : this.groups[group], functions : items }); + Common.Utils.addScrollIfNeed('.view.add-root-view .page-on-center', '.view.add-root-view .page-on-center .page-content'); }, openFunctionInfo: function (type) { _openView.call(this, 'info', this.functions[type]); + Common.Utils.addScrollIfNeed('.view.add-root-view .page-on-center', '.view.add-root-view .page-on-center .page-content'); }, textGroups: 'CATEGORIES', diff --git a/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js b/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js index c451da8a9..0158fca99 100644 --- a/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js +++ b/apps/spreadsheeteditor/mobile/app/view/add/AddLink.js @@ -89,6 +89,8 @@ define([ cfgLink.internal = { sheet: {index: index, caption: caption}}; // me.fireEvent('link:changesheet', [me, $(e.currentTarget).val()]); }).val(cfgLink.internal.sheet.index); + + Common.Utils.addScrollIfNeed('.page[data-page=add-link]', '.page[data-page=add-link] .page-content'); } @@ -105,6 +107,7 @@ define([ initEvents: function () { var me = this; + me.initControls(); }, diff --git a/apps/spreadsheeteditor/mobile/app/view/add/AddShape.js b/apps/spreadsheeteditor/mobile/app/view/add/AddShape.js index e5808e9c0..eb35bd057 100644 --- a/apps/spreadsheeteditor/mobile/app/view/add/AddShape.js +++ b/apps/spreadsheeteditor/mobile/app/view/add/AddShape.js @@ -63,6 +63,7 @@ define([ }, initEvents: function () { + Common.Utils.addScrollIfNeed('#add-shape .pages', '#add-shape .page'); this.initControls(); }, diff --git a/apps/spreadsheeteditor/mobile/app/view/edit/EditCell.js b/apps/spreadsheeteditor/mobile/app/view/edit/EditCell.js index 23f1f5fe4..9cd75d3a9 100644 --- a/apps/spreadsheeteditor/mobile/app/view/edit/EditCell.js +++ b/apps/spreadsheeteditor/mobile/app/view/edit/EditCell.js @@ -78,6 +78,7 @@ define([ $('#text-color').single('click', _.bind(me.showTextColor, me)); $('#fill-color').single('click', _.bind(me.showFillColor, me)); + Common.Utils.addScrollIfNeed('#edit-cell .pages', '#edit-cell .page'); me.initControls(); }, @@ -161,6 +162,10 @@ define([ return selector + ' a.item-link[data-page]'; }).join(', '); + Common.Utils.addScrollIfNeed('.page[data-page=edit-border-style]', '.page[data-page=edit-border-style] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-cell-format]', '.page[data-page=edit-cell-format] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-format]', '.page[data-page=edit-text-format] .page-content'); + $(selectorsDynamicPage).single('click', _.bind(this.onItemClick, this)); }, @@ -224,6 +229,8 @@ define([ }, 100)); } }); + + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-font-page]', '.page[data-page=edit-text-font-page] .page-content'); }, showTextColor: function () { @@ -232,7 +239,8 @@ define([ this.paletteTextColor = new Common.UI.ThemeColorPalette({ el: $('.page[data-page=edit-text-color] .page-content') }); - + + Common.Utils.addScrollIfNeed('.page[data-page=edit-text-color]', '.page[data-page=edit-text-color] .page-content'); this.fireEvent('page:show', [this, '#edit-text-color']); }, @@ -244,6 +252,7 @@ define([ transparent: true }); + Common.Utils.addScrollIfNeed('.page[data-page=edit-fill-color]', '.page[data-page=edit-fill-color] .page-content'); this.fireEvent('page:show', [this, '#edit-fill-color']); }, @@ -293,7 +302,10 @@ define([ textEuro: 'Euro', textPound: 'Pound', textRouble: 'Rouble', - textYen: 'Yen' + textYen: 'Yen', + textCharacterBold: 'B', + textCharacterItalic: 'I', + textCharacterUnderline: 'U' } })(), SSE.Views.EditCell || {})) }); diff --git a/apps/spreadsheeteditor/mobile/app/view/edit/EditChart.js b/apps/spreadsheeteditor/mobile/app/view/edit/EditChart.js index 44394ccda..cd302606d 100644 --- a/apps/spreadsheeteditor/mobile/app/view/edit/EditChart.js +++ b/apps/spreadsheeteditor/mobile/app/view/edit/EditChart.js @@ -101,6 +101,8 @@ define([ me.updateItemHandlers(); me.initControls(); + + Common.Utils.addScrollIfNeed('#edit-chart .pages', '#edit-chart .page'); }, // Render layout diff --git a/apps/spreadsheeteditor/mobile/app/view/edit/EditHyperlink.js b/apps/spreadsheeteditor/mobile/app/view/edit/EditHyperlink.js index df45697ce..a26fe36dd 100644 --- a/apps/spreadsheeteditor/mobile/app/view/edit/EditHyperlink.js +++ b/apps/spreadsheeteditor/mobile/app/view/edit/EditHyperlink.js @@ -69,6 +69,7 @@ define([ initEvents: function () { var me = this; + Common.Utils.addScrollIfNeed('#edit-link .pages', '#edit-link .page'); me.initControls(); }, diff --git a/apps/spreadsheeteditor/mobile/app/view/edit/EditShape.js b/apps/spreadsheeteditor/mobile/app/view/edit/EditShape.js index 2252f356f..2912ca048 100644 --- a/apps/spreadsheeteditor/mobile/app/view/edit/EditShape.js +++ b/apps/spreadsheeteditor/mobile/app/view/edit/EditShape.js @@ -70,6 +70,7 @@ define([ $('.edit-shape-style .categories a').single('click', _.bind(me.showStyleCategory, me)); + Common.Utils.addScrollIfNeed('#edit-shape .pages', '#edit-shape .page'); me.updateItemHandlers(); me.initControls(); }, @@ -118,6 +119,7 @@ define([ return selector + ' a.item-link[data-page]'; }).join(', '); + Common.Utils.addScrollIfNeed('.page[data-page=edit-shape-border-color-view]', '.page[data-page=edit-shape-border-color-view] .page-content'); $(selectorsDynamicPage).single('click', _.bind(this.onItemClick, this)); }, @@ -162,6 +164,10 @@ define([ if (!this.isShapeCanFill) this.showStyleCategory(); } + + Common.Utils.addScrollIfNeed('.page[data-page=edit-shape-style]', '.page[data-page=edit-shape-style] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-shape-replace]', '.page[data-page=edit-shape-replace] .page-content'); + Common.Utils.addScrollIfNeed('.page[data-page=edit-shape-reorder]', '.page[data-page=edit-shape-reorder] .page-content'); }, textStyle: 'Style', diff --git a/apps/spreadsheeteditor/mobile/app/view/edit/EditText.js b/apps/spreadsheeteditor/mobile/app/view/edit/EditText.js index a06ded6f2..459bf5d92 100644 --- a/apps/spreadsheeteditor/mobile/app/view/edit/EditText.js +++ b/apps/spreadsheeteditor/mobile/app/view/edit/EditText.js @@ -177,7 +177,10 @@ define([ textFonts: 'Fonts', textTextColor: 'Text Color', textFillColor: 'Fill Color', - textSize: 'Size' + textSize: 'Size', + textCharacterBold: 'B', + textCharacterItalic: 'I', + textCharacterUnderline: 'U' } })(), SSE.Views.EditText || {})) }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/index.html b/apps/spreadsheeteditor/mobile/index.html index 3bab4e071..9d4fbe600 100644 --- a/apps/spreadsheeteditor/mobile/index.html +++ b/apps/spreadsheeteditor/mobile/index.html @@ -247,6 +247,19 @@
                              Функции для работы с текстом и данными Используются для корректного отображения текстовых данных в электронной таблице.СИМВОЛ; ПЕЧСИМВ; КОДСИМВ; СЦЕПИТЬ; СЦЕП; РУБЛЬ; СОВПАД; НАЙТИ; НАЙТИБ; ФИКСИРОВАННЫЙ; ЛЕВСИМВ; ЛЕВБ; ДЛСТР; ДЛИНБ; СТРОЧН; ПСТР; ПСТРБ; ЧЗНАЧ; ПРОПНАЧ; ЗАМЕНИТЬ; ЗАМЕНИТЬБ; ПОВТОР; ПРАВСИМВ; ПРАВБ; ПОИСК; ПОИСКБ; ПОДСТАВИТЬ; T; ТЕКСТ; ОБЪЕДИНИТЬ; СЖПРОБЕЛЫ; ЮНИСИМВ; UNICODE; ПРОПИСН; ЗНАЧЕН;ASC; СИМВОЛ; ПЕЧСИМВ; КОДСИМВ; СЦЕПИТЬ; СЦЕП; РУБЛЬ; СОВПАД; НАЙТИ; НАЙТИБ; ФИКСИРОВАННЫЙ; ЛЕВСИМВ; ЛЕВБ; ДЛСТР; ДЛИНБ; СТРОЧН; ПСТР; ПСТРБ; ЧЗНАЧ; ПРОПНАЧ; ЗАМЕНИТЬ; ЗАМЕНИТЬБ; ПОВТОР; ПРАВСИМВ; ПРАВБ; ПОИСК; ПОИСКБ; ПОДСТАВИТЬ; T; ТЕКСТ; ОБЪЕДИНИТЬ; СЖПРОБЕЛЫ; ЮНИСИМВ; UNICODE; ПРОПИСН; ЗНАЧЕН;
                              Статистические функции Используются для анализа данных: нахождения среднего значения, наибольшего или наименьшего значения в диапазоне ячеек.СРОТКЛ; СРЗНАЧ; СРЗНАЧА; СРЗНАЧЕСЛИ; СРЗНАЧЕСЛИМН; БЕТАРАСП; БЕТА.РАСП; БЕТА.ОБР; БИНОМРАСП; БИНОМ.РАСП; БИНОМ.РАСП.ДИАП; БИНОМ.ОБР; ХИ2РАСП; ХИ2ОБР; ХИ2.РАСП; ХИ2.РАСП.ПХ; ХИ2.ОБР; ХИ2.ОБР.ПХ; ХИ2ТЕСТ; ХИ2.ТЕСТ; ДОВЕРИТ; ДОВЕРИТ.НОРМ; ДОВЕРИТ.СТЬЮДЕНТ; КОРРЕЛ; СЧЁТ; СЧЁТЗ; СЧИТАТЬПУСТОТЫ; СЧЁТЕСЛИ; СЧЁТЕСЛИМН; КОВАР; КОВАРИАЦИЯ.Г; КОВАРИАЦИЯ.В; КРИТБИНОМ; КВАДРОТКЛ; ЭКСП.РАСП; ЭКСПРАСП; F.РАСП; FРАСП; F.РАСП.ПХ; F.ОБР; FРАСПОБР; F.ОБР.ПХ; ФИШЕР; ФИШЕРОБР; ПРЕДСКАЗ; ПРЕДСКАЗ.ETS; ПРЕДСКАЗ.ЕTS.ДОВИНТЕРВАЛ; ПРЕДСКАЗ.ETS.СЕЗОННОСТЬ; ПРЕДСКАЗ.ETS.СТАТ; ПРЕДСКАЗ.ЛИНЕЙН; ЧАСТОТА; ФТЕСТ; F.ТЕСТ; ГАММА; ГАММА.РАСП; ГАММАРАСП; ГАММА.ОБР; ГАММАОБР; ГАММАНЛОГ; ГАММАНЛОГ.ТОЧН; ГАУСС; СРГЕОМ; СРГАРМ; ГИПЕРГЕОМЕТ; ГИПЕРГЕОМ.РАСП; ОТРЕЗОК; ЭКСЦЕСС; НАИБОЛЬШИЙ; ЛОГНОРМОБР; ЛОГНОРМ.РАСП; ЛОГНОРМ.ОБР; ЛОГНОРМРАСП; МАКС; МАКСА; МАКСЕСЛИ; МЕДИАНА; МИН; МИНА; МИНЕСЛИ; МОДА; МОДА.НСК; МОДА.ОДН; ОТРБИНОМРАСП; ОТРБИНОМ.РАСП; НОРМРАСП; НОРМ.РАСП; НОРМОБР; НОРМ.ОБР; НОРМСТРАСП; НОРМ.СТ.РАСП; НОРМСТОБР; НОРМ.СТ.ОБР; ПИРСОН; ПЕРСЕНТИЛЬ; ПРОЦЕНТИЛЬ.ИСКЛ; ПРОЦЕНТИЛЬ.ВКЛ; ПРОЦЕНТРАНГ; ПРОЦЕНТРАНГ.ИСКЛ; ПРОЦЕНТРАНГ.ВКЛ; ПЕРЕСТ; ПЕРЕСТА; ФИ; ПУАССОН; ПУАССОН.РАСП; ВЕРОЯТНОСТЬ; КВАРТИЛЬ; КВАРТИЛЬ.ИСКЛ; КВАРТИЛЬ.ВКЛ; РАНГ; РАНГ.СР; РАНГ.РВ; КВПИРСОН; СКОС; СКОС.Г; НАКЛОН; НАИМЕНЬШИЙ; НОРМАЛИЗАЦИЯ; СТАНДОТКЛОН; СТАНДОТКЛОН.В; СТАНДОТКЛОНА; СТАНДОТКЛОНП; СТАНДОТКЛОН.Г; СТАНДОТКЛОНПА; СТОШYX; СТЬЮДРАСП; СТЬЮДЕНТ.РАСП; СТЬЮДЕНТ.РАСП.2Х; СТЬЮДЕНТ.РАСП.ПХ; СТЬЮДЕНТ.ОБР; СТЬЮДЕНТ.ОБР.2Х; СТЬЮДРАСПОБР; УРЕЗСРЕДНЕЕ; ТТЕСТ; СТЬЮДЕНТ.ТЕСТ; ДИСП; ДИСПА; ДИСПР; ДИСП.Г; ДИСП.В; ДИСПРА; ВЕЙБУЛЛ; ВЕЙБУЛЛ.РАСП; ZТЕСТ; Z.ТЕСТСРОТКЛ; СРЗНАЧ; СРЗНАЧА; СРЗНАЧЕСЛИ; СРЗНАЧЕСЛИМН; БЕТАРАСП; БЕТА.РАСП; БЕТА.ОБР; БЕТАОБР; БИНОМРАСП; БИНОМ.РАСП; БИНОМ.РАСП.ДИАП; БИНОМ.ОБР; ХИ2РАСП; ХИ2ОБР; ХИ2.РАСП; ХИ2.РАСП.ПХ; ХИ2.ОБР; ХИ2.ОБР.ПХ; ХИ2ТЕСТ; ХИ2.ТЕСТ; ДОВЕРИТ; ДОВЕРИТ.НОРМ; ДОВЕРИТ.СТЬЮДЕНТ; КОРРЕЛ; СЧЁТ; СЧЁТЗ; СЧИТАТЬПУСТОТЫ; СЧЁТЕСЛИ; СЧЁТЕСЛИМН; КОВАР; КОВАРИАЦИЯ.Г; КОВАРИАЦИЯ.В; КРИТБИНОМ; КВАДРОТКЛ; ЭКСП.РАСП; ЭКСПРАСП; F.РАСП; FРАСП; F.РАСП.ПХ; F.ОБР; FРАСПОБР; F.ОБР.ПХ; ФИШЕР; ФИШЕРОБР; ПРЕДСКАЗ; ПРЕДСКАЗ.ETS; ПРЕДСКАЗ.ЕTS.ДОВИНТЕРВАЛ; ПРЕДСКАЗ.ETS.СЕЗОННОСТЬ; ПРЕДСКАЗ.ETS.СТАТ; ПРЕДСКАЗ.ЛИНЕЙН; ЧАСТОТА; ФТЕСТ; F.ТЕСТ; ГАММА; ГАММА.РАСП; ГАММАРАСП; ГАММА.ОБР; ГАММАОБР; ГАММАНЛОГ; ГАММАНЛОГ.ТОЧН; ГАУСС; СРГЕОМ; СРГАРМ; ГИПЕРГЕОМЕТ; ГИПЕРГЕОМ.РАСП; ОТРЕЗОК; ЭКСЦЕСС; НАИБОЛЬШИЙ; ЛОГНОРМОБР; ЛОГНОРМ.РАСП; ЛОГНОРМ.ОБР; ЛОГНОРМРАСП; МАКС; МАКСА; МАКСЕСЛИ; МЕДИАНА; МИН; МИНА; МИНЕСЛИ; МОДА; МОДА.НСК; МОДА.ОДН; ОТРБИНОМРАСП; ОТРБИНОМ.РАСП; НОРМРАСП; НОРМ.РАСП; НОРМОБР; НОРМ.ОБР; НОРМСТРАСП; НОРМ.СТ.РАСП; НОРМСТОБР; НОРМ.СТ.ОБР; ПИРСОН; ПЕРСЕНТИЛЬ; ПРОЦЕНТИЛЬ.ИСКЛ; ПРОЦЕНТИЛЬ.ВКЛ; ПРОЦЕНТРАНГ; ПРОЦЕНТРАНГ.ИСКЛ; ПРОЦЕНТРАНГ.ВКЛ; ПЕРЕСТ; ПЕРЕСТА; ФИ; ПУАССОН; ПУАССОН.РАСП; ВЕРОЯТНОСТЬ; КВАРТИЛЬ; КВАРТИЛЬ.ИСКЛ; КВАРТИЛЬ.ВКЛ; РАНГ; РАНГ.СР; РАНГ.РВ; КВПИРСОН; СКОС; СКОС.Г; НАКЛОН; НАИМЕНЬШИЙ; НОРМАЛИЗАЦИЯ; СТАНДОТКЛОН; СТАНДОТКЛОН.В; СТАНДОТКЛОНА; СТАНДОТКЛОНП; СТАНДОТКЛОН.Г; СТАНДОТКЛОНПА; СТОШYX; СТЬЮДРАСП; СТЬЮДЕНТ.РАСП; СТЬЮДЕНТ.РАСП.2Х; СТЬЮДЕНТ.РАСП.ПХ; СТЬЮДЕНТ.ОБР; СТЬЮДЕНТ.ОБР.2Х; СТЬЮДРАСПОБР; УРЕЗСРЕДНЕЕ; ТТЕСТ; СТЬЮДЕНТ.ТЕСТ; ДИСП; ДИСПА; ДИСПР; ДИСП.Г; ДИСП.В; ДИСПРА; ВЕЙБУЛЛ; ВЕЙБУЛЛ.РАСП; ZТЕСТ; Z.ТЕСТ
                              Математические функции
                              Поисковые функции Используются для упрощения поиска информации по списку данных.АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; ВПРАДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ГИПЕРССЫЛКА; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; ВПР
                              Информационные функции