diff --git a/apps/common/main/lib/controller/ExternalDiagramEditor.js b/apps/common/main/lib/controller/ExternalDiagramEditor.js index 38957d4aa..16a83128f 100644 --- a/apps/common/main/lib/controller/ExternalDiagramEditor.js +++ b/apps/common/main/lib/controller/ExternalDiagramEditor.js @@ -144,6 +144,7 @@ define([ setApi: function(api) { this.api = api; this.api.asc_registerCallback('asc_onCloseChartEditor', _.bind(this.onDiagrammEditingDisabled, this)); + this.api.asc_registerCallback('asc_sendFromGeneralToFrameEditor', _.bind(this.onSendFromGeneralToFrameEditor, this)); return this; }, @@ -187,7 +188,7 @@ define([ iconCls: 'warn', buttons: ['ok'], callback: _.bind(function(btn){ - this.setControlsDisabled(false); + this.diagramEditorView.setControlsDisabled(false); this.diagramEditorView.hide(); }, this) }); @@ -242,6 +243,9 @@ define([ h = eventData.data.height; if (w>0 && h>0) this.diagramEditorView.setInnerSize(w, h); + } else + if (eventData.type == "frameToGeneralData") { + this.api && this.api.asc_getInformationBetweenFrameAndGeneralEditor(eventData.data); } else this.diagramEditorView.fireEvent('internalmessage', this.diagramEditorView, eventData); } @@ -253,6 +257,10 @@ define([ } }, + onSendFromGeneralToFrameEditor: function(data) { + externalEditor && externalEditor.serviceCommand('generalToFrameData', data); + }, + warningTitle: 'Warning', warningText: 'The object is disabled because of editing by another user.', textClose: 'Close', diff --git a/apps/common/main/lib/controller/ExternalMergeEditor.js b/apps/common/main/lib/controller/ExternalMergeEditor.js index bcc29c803..a7d61f7c2 100644 --- a/apps/common/main/lib/controller/ExternalMergeEditor.js +++ b/apps/common/main/lib/controller/ExternalMergeEditor.js @@ -142,6 +142,7 @@ define([ setApi: function(api) { this.api = api; this.api.asc_registerCallback('asc_onCloseMergeEditor', _.bind(this.onMergeEditingDisabled, this)); + this.api.asc_registerCallback('asc_sendFromGeneralToFrameEditor', _.bind(this.onSendFromGeneralToFrameEditor, this)); return this; }, @@ -186,7 +187,7 @@ define([ iconCls: 'warn', buttons: ['ok'], callback: _.bind(function(btn){ - this.setControlsDisabled(false); + this.mergeEditorView.setControlsDisabled(false); this.mergeEditorView.hide(); }, this) }); @@ -242,6 +243,9 @@ define([ h = eventData.data.height; if (w>0 && h>0) this.mergeEditorView.setInnerSize(w, h); + } else + if (eventData.type == "frameToGeneralData") { + this.api && this.api.asc_getInformationBetweenFrameAndGeneralEditor(eventData.data); } else this.mergeEditorView.fireEvent('internalmessage', this.mergeEditorView, eventData); } @@ -253,6 +257,10 @@ define([ } }, + onSendFromGeneralToFrameEditor: function(data) { + externalEditor && externalEditor.serviceCommand('generalToFrameData', data); + }, + warningTitle: 'Warning', warningText: 'The object is disabled because of editing by another user.', textClose: 'Close', diff --git a/apps/common/main/lib/controller/ExternalOleEditor.js b/apps/common/main/lib/controller/ExternalOleEditor.js index 931eb5e6b..c21055b95 100644 --- a/apps/common/main/lib/controller/ExternalOleEditor.js +++ b/apps/common/main/lib/controller/ExternalOleEditor.js @@ -142,6 +142,7 @@ define([ setApi: function(api) { this.api = api; this.api.asc_registerCallback('asc_onCloseOleEditor', _.bind(this.onOleEditingDisabled, this)); + this.api.asc_registerCallback('asc_sendFromGeneralToFrameEditor', _.bind(this.onSendFromGeneralToFrameEditor, this)); return this; }, @@ -185,7 +186,7 @@ define([ iconCls: 'warn', buttons: ['ok'], callback: _.bind(function(btn){ - this.setControlsDisabled(false); + this.oleEditorView.setControlsDisabled(false); this.oleEditorView.hide(); }, this) }); @@ -241,6 +242,9 @@ define([ h = eventData.data.height; if (w>0 && h>0) this.oleEditorView.setInnerSize(w, h); + } else + if (eventData.type == "frameToGeneralData") { + this.api && this.api.asc_getInformationBetweenFrameAndGeneralEditor(eventData.data); } else this.oleEditorView.fireEvent('internalmessage', this.oleEditorView, eventData); } @@ -252,6 +256,10 @@ define([ } }, + onSendFromGeneralToFrameEditor: function(data) { + externalEditor && externalEditor.serviceCommand('generalToFrameData', data); + }, + warningTitle: 'Warning', warningText: 'The object is disabled because of editing by another user.', textClose: 'Close', diff --git a/apps/common/main/lib/controller/HintManager.js b/apps/common/main/lib/controller/HintManager.js index ecb631631..d5d4f87c3 100644 --- a/apps/common/main/lib/controller/HintManager.js +++ b/apps/common/main/lib/controller/HintManager.js @@ -622,10 +622,10 @@ Common.UI.HintManager = new(function() { } } - _needShow = (Common.Utils.InternalSettings.get(_appPrefix + "settings-use-alt-key") && !e.shiftKey && e.keyCode == Common.UI.Keys.ALT && + _needShow = (Common.Utils.InternalSettings.get(_appPrefix + "settings-show-alt-hints") && !e.shiftKey && e.keyCode == Common.UI.Keys.ALT && !Common.Utils.ModalWindow.isVisible() && _isDocReady && _arrAlphabet.length > 0 && !(window.PE && $('#pe-preview').is(':visible'))); - if (e.altKey && e.keyCode !== 115) { + if (Common.Utils.InternalSettings.get(_appPrefix + "settings-show-alt-hints") && e.altKey && e.keyCode !== 115) { e.preventDefault(); } }); diff --git a/apps/common/main/resources/help/de/images/find_small.png b/apps/common/main/resources/help/de/images/find_small.png new file mode 100644 index 000000000..9d309a55e Binary files /dev/null and b/apps/common/main/resources/help/de/images/find_small.png differ diff --git a/apps/common/main/resources/help/de/images/ole_table.png b/apps/common/main/resources/help/de/images/ole_table.png new file mode 100644 index 000000000..78ab08b5a Binary files /dev/null and b/apps/common/main/resources/help/de/images/ole_table.png differ diff --git a/apps/common/main/resources/help/en/images/find_small.png b/apps/common/main/resources/help/en/images/find_small.png new file mode 100644 index 000000000..28ee507de Binary files /dev/null and b/apps/common/main/resources/help/en/images/find_small.png differ diff --git a/apps/common/main/resources/help/en/images/ole_table.png b/apps/common/main/resources/help/en/images/ole_table.png new file mode 100644 index 000000000..440ea9ac1 Binary files /dev/null and b/apps/common/main/resources/help/en/images/ole_table.png differ diff --git a/apps/common/main/resources/help/fr/images/find_small.png b/apps/common/main/resources/help/fr/images/find_small.png new file mode 100644 index 000000000..28ee507de Binary files /dev/null and b/apps/common/main/resources/help/fr/images/find_small.png differ diff --git a/apps/common/main/resources/help/fr/images/ole_table.png b/apps/common/main/resources/help/fr/images/ole_table.png new file mode 100644 index 000000000..ce8914b05 Binary files /dev/null and b/apps/common/main/resources/help/fr/images/ole_table.png differ diff --git a/apps/common/main/resources/help/ru/images/find_small.png b/apps/common/main/resources/help/ru/images/find_small.png new file mode 100644 index 000000000..0bfb8855c Binary files /dev/null and b/apps/common/main/resources/help/ru/images/find_small.png differ diff --git a/apps/common/main/resources/help/ru/images/ole_table.png b/apps/common/main/resources/help/ru/images/ole_table.png new file mode 100644 index 000000000..1774b6645 Binary files /dev/null and b/apps/common/main/resources/help/ru/images/ole_table.png differ diff --git a/apps/common/main/resources/less/colors-table-dark.less b/apps/common/main/resources/less/colors-table-dark.less index e7b192fe7..4d1d7180a 100644 --- a/apps/common/main/resources/less/colors-table-dark.less +++ b/apps/common/main/resources/less/colors-table-dark.less @@ -131,7 +131,7 @@ --component-hover-icon-opacity: .8; --component-active-icon-opacity: 1; --component-active-hover-icon-opacity: 1; - --component-disabled-opacity: .6; + --component-disabled-opacity: .4; --header-component-normal-icon-opacity: .8; --header-component-hover-icon-opacity: .8; diff --git a/apps/common/main/resources/less/toolbar.less b/apps/common/main/resources/less/toolbar.less index 736f2cece..7166cb578 100644 --- a/apps/common/main/resources/less/toolbar.less +++ b/apps/common/main/resources/less/toolbar.less @@ -40,6 +40,8 @@ .extra { background-color: @header-background-color-ie; background-color: @header-background-color; + + box-shadow: inset 0 @minus-px 0 0 @border-toolbar-active-panel-top; } //&::after { @@ -62,6 +64,8 @@ display: flex; flex-shrink: 1; + box-shadow: inset 0 @minus-px 0 0 @border-toolbar-active-panel-top; + > ul { padding: 4px 0 0; margin: 0; @@ -75,14 +79,19 @@ display: inline-flex; align-items: center; height: 100%; + position: relative; &:hover { background-color: @highlight-header-button-hover-ie; background-color: @highlight-header-button-hover; + + box-shadow: inset 0 @minus-px 0 0 @border-toolbar-active-panel-top; } &.active { background-color: @background-toolbar-ie; background-color: @background-toolbar; + + box-shadow: inset @minus-px 0px 0 0 @border-toolbar-active-panel-top, inset @scaled-one-px-value @scaled-one-px-value 0 0 @border-toolbar-active-panel-top; } @@ -111,6 +120,29 @@ } } + &:not(.style-off-tabs *) { + &.short { + li { + &:after { + content: ''; + position: absolute; + background: @border-toolbar-active-panel-top; + height: @scaled-one-px-value; + bottom: 0; + left: 1px; + right: 1px; + z-index: 2; + } + + &.active { + &:after { + background: @background-toolbar; + } + } + } + } + } + .scroll { line-height: @height-tabs; min-width: 20px; @@ -132,7 +164,7 @@ &.left{ box-shadow: 5px 0 20px 5px @header-background-color-ie; - box-shadow: 5px 0 20px 5px @header-background-color; + box-shadow: 18px calc(38px - @scaled-one-px-value) 0 10px @border-toolbar-active-panel-top, 5px 0 20px 5px @header-background-color; &:after { transform: rotate(135deg); @@ -141,7 +173,7 @@ } &.right{ box-shadow: -5px 0 20px 5px @header-background-color-ie; - box-shadow: -5px 0 20px 5px @header-background-color; + box-shadow: -10px calc(38px - @scaled-one-px-value) 0 10px @border-toolbar-active-panel-top, -5px 0 20px 5px @header-background-color; &:after { transform: rotate(-45deg); @@ -403,6 +435,7 @@ li { position: relative; + &:after { //transition: opacity .1s; //transition: bottom .1s; @@ -417,6 +450,7 @@ &.active { background-color: transparent; + box-shadow: none; //> a { // padding: 0 12px; //} @@ -428,6 +462,7 @@ &:hover:not(.active) { background-color: rgba(0, 0, 0, .05); + box-shadow: none; .theme-type-dark & { background-color: rgba(255, 255, 255, .05); diff --git a/apps/documenteditor/main/app/controller/LeftMenu.js b/apps/documenteditor/main/app/controller/LeftMenu.js index 956af1bed..40597ffd5 100644 --- a/apps/documenteditor/main/app/controller/LeftMenu.js +++ b/apps/documenteditor/main/app/controller/LeftMenu.js @@ -293,7 +293,7 @@ define([ } })).show(); break; - case 'help': + case 'external-help': close_menu = !!isopts; break; default: close_menu = false; diff --git a/apps/documenteditor/main/app/controller/Main.js b/apps/documenteditor/main/app/controller/Main.js index 9af86ff56..531895fce 100644 --- a/apps/documenteditor/main/app/controller/Main.js +++ b/apps/documenteditor/main/app/controller/Main.js @@ -1227,8 +1227,8 @@ define([ Common.Utils.InternalSettings.set("de-settings-inputmode", value); me.api.SetTextBoxInputMode(value); - value = Common.localStorage.getBool("de-settings-use-alt-key", true); - Common.Utils.InternalSettings.set("de-settings-use-alt-key", value); + value = Common.localStorage.getBool("de-settings-show-alt-hints", Common.Utils.isMac ? false : true); + Common.Utils.InternalSettings.set("de-settings-show-alt-hints", value); /** coauthoring begin **/ me._state.fastCoauth = Common.Utils.InternalSettings.get("de-settings-coauthmode"); diff --git a/apps/documenteditor/main/app/view/FileMenu.js b/apps/documenteditor/main/app/view/FileMenu.js index 8d1f840f5..8a92b0750 100644 --- a/apps/documenteditor/main/app/view/FileMenu.js +++ b/apps/documenteditor/main/app/view/FileMenu.js @@ -68,7 +68,7 @@ define([ var panel = this.panels[item.options.action]; if (item.options.action === 'help') { if ( panel.usedHelpCenter === true && navigator.onLine ) { - this.fireEvent('item:click', [this, item.options.action, true]); + this.fireEvent('item:click', [this, 'external-help', true]); window.open(panel.urlHelpCenter, '_blank'); return; } diff --git a/apps/documenteditor/main/app/view/FileMenuPanels.js b/apps/documenteditor/main/app/view/FileMenuPanels.js index eba89f8cf..2b9ed4169 100644 --- a/apps/documenteditor/main/app/view/FileMenuPanels.js +++ b/apps/documenteditor/main/app/view/FileMenuPanels.js @@ -791,7 +791,7 @@ define([ updateSettings: function() { this.chInputMode.setValue(Common.Utils.InternalSettings.get("de-settings-inputmode")); - this.chUseAltKey.setValue(Common.Utils.InternalSettings.get("de-settings-use-alt-key")); + this.chUseAltKey.setValue(Common.Utils.InternalSettings.get("de-settings-show-alt-hints")); var value = Common.Utils.InternalSettings.get("de-settings-zoom"); value = (value!==null) ? parseInt(value) : (this.mode.customization && this.mode.customization.zoom ? parseInt(this.mode.customization.zoom) : 100); @@ -875,8 +875,8 @@ define([ if (!this.chDarkMode.isDisabled() && (this.chDarkMode.isChecked() !== Common.UI.Themes.isContentThemeDark())) Common.UI.Themes.toggleContentTheme(); Common.localStorage.setItem("de-settings-inputmode", this.chInputMode.isChecked() ? 1 : 0); - Common.localStorage.setItem("de-settings-use-alt-key", this.chUseAltKey.isChecked() ? 1 : 0); - Common.Utils.InternalSettings.set("de-settings-use-alt-key", Common.localStorage.getBool("de-settings-use-alt-key")); + Common.localStorage.setItem("de-settings-show-alt-hints", this.chUseAltKey.isChecked() ? 1 : 0); + Common.Utils.InternalSettings.set("de-settings-show-alt-hints", Common.localStorage.getBool("de-settings-show-alt-hints")); Common.localStorage.setItem("de-settings-zoom", this.cmbZoom.getValue()); Common.Utils.InternalSettings.set("de-settings-zoom", Common.localStorage.getItem("de-settings-zoom")); diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/About.htm index 9760ab54c..a75dbde7f 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/About.htm @@ -15,9 +15,11 @@

Über den Dokumenteneditor

-

Der Dokumenteneditor ist eine Online-Anwendung, mit der Sie Ihre Dokumente direkt in Ihrem Browser betrachten und bearbeiten können.

-

Mit dem Dokumenteneditor können Sie Editiervorgänge durchführen, wie bei einem beliebigen Desktopeditor, editierte Dokumente unter Beibehaltung aller Formatierungsdetails drucken oder sie auf der Festplatte Ihres Rechners als DOCX-, PDF-, TXT-, ODT-, DOXT, PDF/A, OTF, RTF-, HTML-, FB2, oder HTML-Dateien speichern.

-

Wenn Sie in der Online-Version mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, klicken Sie auf das Symbol in der linken Seitenleiste. Wenn Sie in der Desktop-Version für Windows mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, wählen Sie das Menü Über in der linken Seitenleiste des Hauptfensters. Öffnen Sie in der Desktop-Version für Mac OS das Menü ONLYOFFICE oben auf dem Bildschirm und wählen Sie den Menüpunkt Über ONLYOFFICE.

+

Der Dokumenteneditor ist eine Online-Anwendung, mit der Sie Ihre Dokumente + direkt in Ihrem Browser betrachten und bearbeiten können.

+

Mit dem Dokumenteneditor können Sie Editiervorgänge durchführen, wie bei einem beliebigen Desktopeditor, + editierte Dokumente unter Beibehaltung aller Formatierungsdetails drucken oder sie auf der Festplatte Ihres Rechners als DOCX-, PDF-, TXT-, ODT-, DOXT, PDF/A, OTF, RTF-, HTML-, FB2, oder HTML-Dateien speichern.

+

Wenn Sie in der Online-Version mehr über die aktuelle Softwareversion, das Build und den Lizenzgeber erfahren möchten, klicken Sie auf das Symbol in der linken Seitenleiste. Wenn Sie in der Desktop-Version für Windows mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, wählen Sie das Menü Über in der linken Seitenleiste des Hauptfensters. Öffnen Sie in der Desktop-Version für Mac OS das Menü ONLYOFFICE oben auf dem Bildschirm und wählen Sie den Menüpunkt Über ONLYOFFICE.

\ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm index 0d5ea00ed..1f01bcf5e 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/AdvancedSettings.htm @@ -15,47 +15,105 @@

Erweiterte Einstellungen des Dokumenteneditors

-

Über die Funktion erweiterten Einstellungen können Sie die Grundeinstellungen im Dokumenteneditor ä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 umfassen:

- -

Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen.

+
  • + Die Option Einstellungen von Makros wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. + +
  • + +

    Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Anwenden.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm index 10b6fa3f4..a8b036fc3 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/CollaborativeEditing.htm @@ -15,25 +15,28 @@

    Gemeinsame Bearbeitung von Dokumenten in Echtzeit

    -

    Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

    +

    Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

    Im Dokumenteneditor können Sie in Echtzeit an Dokumenten mit zwei Modi zusammenarbeiten: Schnell oder Formal.

    -

    Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den gewünschten Modus über das Symbol Modus "Gemeinsame Bearbeitung" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen:

    +

    Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den gewünschten Modus über das Symbol Modus "Gemeinsame Bearbeitung" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen:

    Co-editing Mode menu

    -

    Die Anzahl der Benutzer, die an dem aktuellen Dokument arbeiten, wird auf der rechten Seite der Editor-Kopfzeile angezeigt - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen.

    +

    Die Anzahl der Benutzer, die an dem aktuellen Dokument arbeiten, wird auf der rechten Seite der Editor-Kopfzeile angezeigt - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen.

    Modus "Schnell"

    Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie ein Dokument in diesem Modus gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. In diesem Modus werden die Aktionen und die Namen der Co-Autoren angezeigt, wenn sie den Text bearbeiten.

    Wenn Sie den Mauszeiger über eine der bearbeiteten Passagen bewegen, wird der Name des Benutzers angezeigt, der sie gerade bearbeitet.

    Modus Schnell

    Modus "Formal"

    -

    Der Modus Formal wird ausgewählt, um die von anderen Benutzern vorgenommenen Änderungen auszublenden, bis Sie auf das Symbol Speichern  klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn ein Dokument in diesem Modus von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Textpassagen mit gestrichelten Linien in unterschiedlichen Farben gekennzeichnet.

    +

    Der Modus Formal wird ausgewählt, um die von anderen Benutzern vorgenommenen Änderungen auszublenden, bis Sie auf das Symbol Speichern  klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn ein Dokument in diesem Modus von mehreren Benutzern gleichzeitig bearbeitet wird, werden die bearbeiteten Textpassagen mit gestrichelten Linien in unterschiedlichen Farben gekennzeichnet.

    Modus Formal

    -

    Sobald einer der Benutzer seine Änderungen durch Klicken auf das Symbol speichert, sehen die anderen einen Hinweis in der Statusleiste, der darauf hinweist, dass es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abrufen können, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Die Aktualisierungen werden hervorgehoben, damit Sie sehen können, was genau geändert wurde.

    +

    Sobald einer der Benutzer seine Änderungen durch Klicken auf das Symbol speichert, sehen die anderen einen Hinweis in der Statusleiste, der darauf hinweist, dass es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abrufen können, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Die Aktualisierungen werden hervorgehoben, damit Sie sehen können, was genau geändert wurde.

    Sie können angeben, welche Änderungen während der gemeinsamen Bearbeitung hervorgehoben werden sollen, indem Sie auf die Registerkarte Datei in der oberen Symbolleiste klicken, die Option Erweiterte Einstellungen... auswählen und eine der drei Möglichkeiten auswählen:

    +

    Modus "Live Viewer"

    +

    Der Modus Live Viewer wird verwendet, um die von anderen Benutzern vorgenommenen Änderungen in Echtzeit anzuzeigen, wenn das Dokument von einem Benutzer mit den Zugriffsrechten Schreibgeschützt geöffnet wird.

    +

    Damit der Modus richtig funktioniert, stellen Sie sicher, dass das Kontrollkästchen Änderungen von anderen Benutzer anzeigen in den Erweiterten Einstellungen des Editors aktiviert ist.

    Anonym

    Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen "Nicht mehr anzeigen", um den Namen beizubehalten.

    anonymous collaboration

    diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm index 92d924714..3c2c61bc5 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Commenting.htm @@ -15,7 +15,7 @@

    Dokumente kommentieren

    -

    Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

    +

    Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

    Im Dokumenteneditor können Sie Kommentare zum Inhalt von Dokumenten hinterlassen, ohne diese tatsächlich zu bearbeiten. Im Gegensatz zu Chat-Nachrichten bleiben die Kommentare, bis sie gelöscht werden.

    Kommentare hinterlassen und darauf antworten

    Um einen Kommentar zu hinterlassen:

    @@ -48,8 +48,7 @@
  • nach Datum: Neueste zuerst oder Älteste zuerste. Dies ist die standardmäßige Sortierreihenfolge.
  • nach Verfasser: Verfasser (A-Z) oder Verfasser (Z-A).
  • nach Reihenfolge: Von oben oder Von unten. Die übliche Sortierreihenfolge von Kommentaren nach ihrer Position in einem Dokument ist wie folgt (von oben): Kommentare zu Text, Kommentare zu Fußnoten, Kommentare zu Endnoten, Kommentare zu Kopf-/Fußzeilen, Kommentare zum gesamten Dokument.
  • -
  • - nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält. +
  • nach Gruppe: Alle oder wählen Sie eine bestimmte Gruppe aus der Liste aus. Diese Sortieroption ist verfügbar, wenn Sie eine Version ausführen, die diese Funktionalität enthält.

    Sort comments

  • @@ -64,7 +63,7 @@

    Um eine Erwähnung hinzuzufügen:

    1. Geben Sie das Zeichen "+" oder "@" an einer beliebigen Stelle im Kommentartext ein - eine Liste der Portalbenutzer wird geöffnet. Um den Suchvorgang zu vereinfachen, können Sie im Kommentarfeld mit der Eingabe eines Namens beginnen - die Benutzerliste ändert sich während der Eingabe.
    2. -
    3. Wählen Sie die erforderliche Person aus der Liste aus. Wenn die Datei noch nicht für den genannten Benutzer freigegeben wurde, wird das Fenster Freigabeeinstellungen geöffnet. Der Zugriffstyp Schreibgeschützt ist standardmäßig ausgewählt. Ändern Sie es bei Bedarf.
    4. +
    5. Wählen Sie die erforderliche Person aus der Liste aus. Wenn die Datei noch nicht für den genannten Benutzer freigegeben wurde, wird das Fenster Freigabeeinstellungen geöffnet. Der Zugriffstyp Schreibgeschützt ist standardmäßig ausgewählt. Ändern Sie es bei Bedarf.
    6. Klicken Sie auf OK.

    Der erwähnte Benutzer erhält eine E-Mail-Benachrichtigung, dass er in einem Kommentar erwähnt wurde. Wurde die Datei freigegeben, erhält der Benutzer auch eine entsprechende Benachrichtigung.

    diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm index b3a1c76d1..25e376f59 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Communicating.htm @@ -15,7 +15,7 @@

    Kommunikation in Echtzeit

    -

    Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

    +

    Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

    Im Dokumenteneditor können Sie mit Ihren Mitbearbeitern in Echtzeit kommunizieren, indem Sie das integrierte Chat-Tool sowie eine Reihe nützlicher Plugins verwenden, z. B. Telegram oder Rainbow.

    Um auf das Chat-Tool zuzugreifen und eine Nachricht für andere Benutzer zu hinterlassen:

      diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm index 07a9a9d41..7e21664be 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Comparison.htm @@ -15,7 +15,7 @@

      Dokumente vergleichen

      -

      Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten.

      +

      Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten.

      Wenn Sie zwei Dokumente vergleichen und zusammenführen müssen, bietet Ihnen der Dokumenteneditor die Dokument-Vergleichsfunktion. Es ermöglicht, die Unterschiede zwischen zwei Dokumenten anzuzeigen und die Dokumente zusammenzuführen, indem die Änderungen einzeln oder alle auf einmal akzeptiert werden.

      Nach dem Vergleichen und Zusammenführen zweier Dokumente wird das Ergebnis als neue Version der Originaldatei im Portal gespeichert.

      Wenn Sie die zu vergleichenden Dokumente nicht zusammenführen müssen, können Sie alle Änderungen verwerfen, sodass das Originaldokument unverändert bleibt.

      diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm index 1c761ce03..190d5fca6 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/KeyboardShortcuts.htm @@ -49,7 +49,7 @@ Über das Dateimenü können Sie das aktuelle Dokument speichern, drucken, herunterladen, Informationen einsehen, ein neues Dokument erstellen oder ein vorhandenes öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. - Dialogbox Suchen und Ersetzen öffnen + Dialogbox „Suchen und Ersetzen“ öffnen STRG+F ^ STRG+F,
      ⌘ Cmd+F Über das Dialogfeld Suchen und Finden können Sie im aktuell bearbeiteten Dokument nach Zeichen/Wörtern/Phrasen suchen. @@ -132,6 +132,12 @@ ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. + + Den Parameter „Zoom“ zurücksetzen + STRG+0 + ^ STRG+0 oderr ⌘ Cmd+0 + Setzen Sie den „Zoom“-Parameter des aktuellen Dokuments auf einen Standardwert von 100% zurück. + Navigation @@ -161,50 +167,50 @@ Zum Anfang der vorherigen Seite springen - ALT+STRG+BILD oben + ALT+STRG+BILD auf Der Cursor wird an den Anfang der Seite verschoben, die der aktuell bearbeiteten Seite vorausgeht. Zum Anfang der nächsten Seite springen - ALT+STRG+BILD unten - ⌥ Option+⌘ Cmd+⇧ UMSCHALT+BILD unten + ALT+STRG+BILD ab + ⌥ Option+⌘ Cmd+⇧ UMSCHALT+BILD ab Der Cursor wird an den Anfang der Seite verschoben, die auf die aktuell bearbeitete Seite folgt. Nach unten scrollen - BILD unten - BILD unten,
      ⌥ Option+Fn+ + BILD ab + BILD ab,
      ⌥ Option+Fn+ Wechsel zum Ende der Seite. Nach oben scrollen - BILD oben - BILD oben,
      ⌥ Option+Fn+ + BILD auf + BILD auf,
      ⌥ Option+Fn+ Wechsel zum Anfang der Seite. Nächste Seite - ALT+BILD unten - ⌥ Option+BILD unten + ALT+BILD ab + ⌥ Option+BILD ab Geht zur nächsten Seite im aktuellen Dokument über. Vorherige Seite - ALT+BILD oben - ⌥ Option+BILD oben + ALT+BILD auf + ⌥ Option+BILD auf Geht zur vorherigen Seite im aktuellen Dokument über. Vergrößern STRG++ - ^ STRG+= + ^ STRG+=,
      ⌘ Cmd+= Die Ansicht des aktuellen Dokuments wird vergrößert. Verkleinern STRG+- - ^ STRG+- + ^ STRG+-,
      ⌘ Cmd+- Die Ansicht des aktuellen Dokuments wird verkleinert. @@ -232,15 +238,15 @@ Der Mauszeiger bewegt sich ein Wort nach rechts. + Move one paragraph up + Ctrl+Up arrow + Move the cursor one paragraph up. + + + Move one paragraph down + Ctrl+Down arrow + Move the cursor one paragraph down. + --> Eine Reihe nach oben @@ -253,6 +259,12 @@ Der Mauszeiger wird eine Reihe nach unten verschoben. + + Zwischen Steuerelementen in modalen Dialogen navigieren + ↹ Tab/⇧ UMSCHALT+↹ Tab + ↹ Tab/⇧ UMSCHALT+↹ Tab + Navigieren Sie zwischen Steuerelementen, um den Fokus auf das nächste oder vorherige Steuerelement in modalen Dialogen zu legen. + Schreiben @@ -347,7 +359,7 @@ Die Formatierung des gewählten Textabschnitts wird kopiert. Die kopierte Formatierung kann später auf einen anderen Textabschnitt in demselben Dokument angewandt werden. - Format übertragen + Format anwenden STRG+⇧ UMSCHALT+V ⌘ Cmd+⇧ UMSCHALT+V Wendet die vorher kopierte Formatierung auf den Text im aktuellen Dokument an. @@ -417,14 +429,14 @@ Eine Seite nach oben auswählen - ⇧ UMSCHALT+BILD oben - ⇧ UMSCHALT+BILD oben + ⇧ UMSCHALT+BILD auf + ⇧ UMSCHALT+BILD auf Die Seite wird von der aktuellen Position des Mauszeigers bis zum oberen Teil des Bildschirms ausgewählt. Eine Seite nach unten auswählen - ⇧ UMSCHALT+BILD unten - ⇧ UMSCHALT+BILD unten + ⇧ UMSCHALT+BILD ab + ⇧ UMSCHALT+BILD ab Die Seite wird von der aktuellen Position des Mauszeigers bis zum unteren Teil des Bildschirms ausgewählt. @@ -527,10 +539,10 @@ Wechselt die Ausrichtung des Absatzes von rechtsbündig auf linksbündig. + Align left + Ctrl+L + Align left with the text lined up by the left side of the page, the right side remains unaligned. If your text is initially left-aligned + --> Text tiefstellen (automatischer Abstand) STRG+= @@ -568,10 +580,10 @@ Die aktuelle Seitennummer wird an der aktuellen Cursorposition hinzugefügt. + Add dash + Num- + Add a dash. + --> Formatierungszeichen STRG+⇧ UMSCHALT+Num8 @@ -662,21 +674,45 @@ ↹ Tab in der unteren rechten Tabellenzelle. Eine neue Zeile am Ende der Tabelle einfügen. + + Tabellenumbruch einfügen + Strg+⇧ UMSCHALT+↵ Eingabetaste + ^ Strg+⇧ UMSCHALT+↵ Zurück + Einen Tabellenumbruch innerhalb der Tabelle einfügen. + Sonderzeichen einfügen + Insert the Euro sign + Alt+Ctrl+E + Insert the Euro sign (€) at the current cursor position. + --> Formel einfügen ALT+= Einfügen einer Formel an der aktuellen Cursorposition. + + Einen Gedankenstrich einfügen + ALT+STRG+Num- + + Fügen Sie innerhalb des aktuellen Dokuments und rechts vom Cursor einen Gedankenstrich „—“ ein. + + + Einen geschützten Bindestrich einfügen + STRG+⇧ UMSCHALT+_ + ^ STRG+⇧ UMSCHALT+Bindestrich + Fügen Sie innerhalb des aktuellen Dokuments und rechts vom Cursor einen geschützten Bindestrich „-“ ein. + + + Ein geschütztes Leerzeichen einfügen + STRG+⇧ UMSCHALT+␣ Leerzeichen + ^ STRG+⇧ UMSCHALT+␣ Leerzeichen + Fügen Sie innerhalb des aktuellen Dokuments und rechts vom Cursor ein geschütztes Leerzeichen „o“ ein. + diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm index 8a0021cd9..21827120b 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Navigation.htm @@ -3,7 +3,7 @@ Ansichtseinstellungen und Navigationswerkzeuge - + @@ -15,22 +15,42 @@

      Ansichtseinstellungen und Navigationswerkzeuge

      -

      Der Dokumenteneditor bietet mehrere Werkzeuge, um Ihnen die Navigation durch Ihr Dokument zu erleichtern: Lineale, Zoom, Seitenzahlen usw.

      +

      Der Dokumenteneditor bietet mehrere Tools, die Ihnen beim Anzeigen und Navigieren durch Ihr Dokument helfen: Zoom, Seitenzahlanzeige usw.

      Ansichtseinstellungen anpassen

      -

      Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit dem Dokument festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung:

      +

      + Um die Standardansichtseinstellungen anzupassen und den bequemsten Modus für die Arbeit mit dem Dokument festzulegen, gehen Sie zur Registerkarte Ansicht und wählen Sie aus, welche Elemente der Benutzeroberfläche ausgeblendet oder angezeigt werden sollen. + Auf der Registerkarte Ansicht können Sie die folgenden Optionen auswählen: +

      Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol.

      -

      Wenn die Felder Kommentare oder Chat geöffnet sind, wird die Breite der linken Seitenleiste durch einfaches Ziehen und Loslassen angepasst: Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in den bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach rechts, um die Seitenleiste zu erweitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links.

      +

      + Wenn die Felder Kommentare oder Chat geöffnet sind, wird die Breite der linken Seitenleiste durch einfaches Ziehen und Loslassen angepasst: + Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, so dass dieser sich in den bidirektionalen Pfeil verwandelt und ziehen Sie den Rand nach rechts, um die Seitenleiste zu erweitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. +

      Mithilfe der folgenden Werkzeuge können Sie durch Ihr Dokument navigieren:

      -

      Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Dokuments. Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) aus der Liste - oder klicken Sie auf Vergrößern oder Verkleinern . Klicken Sie auf das Symbol Eine Seite, um die ganze Seite im Fenster anzuzeigen. Um das ganze Dokument an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Seitenbreite . Die Zoom-Einstellungen sind auch in der Gruppe Ansichtseinstellungen verfügbar. Das kann nützlich sein, wenn Sie die Statusleiste ausblenden möchten.

      -

      Die Seitenzahlanzeige stellt die aktuelle Seite als Teil aller Seiten im aktuellen Dokument dar (Seite „n“ von „nn“). Klicken Sie auf die Seitenzahlanzeige, um ein Fenster zu öffnen, anschließend können Sie eine Seitenzahl eingeben und direkt zu dieser Seite wechseln.

      +

      + Die Zoom-Funktion befindet sich in der rechten unteren Ecke und dient zum Vergrößern und Verkleinern des aktuellen Dokuments. + Um den in Prozent angezeigten aktuellen Zoomwert zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) aus der Liste + oder klicken Sie auf Vergrößern oder Verkleinern . + Klicken Sie auf das Symbol Breite anpassen , um die ganze Seite im Fenster anzuzeigen. + Um das ganze Dokument an den sichtbaren Teil des Arbeitsbereichs anzupassen, klicken Sie auf das Symbol Seite anpassen . + Zoomeinstellungen sind auch auf der Registerkarte Ansicht verfügbar. +

      +

      Die Seitenzahlanzeige stellt die aktuelle Seite als Teil aller Seiten im aktuellen Dokument dar (Seite „n“ von „nn“). + Klicken Sie auf die Seitenzahlanzeige, um ein Fenster zu öffnen, anschließend können Sie eine Seitenzahl eingeben und direkt zu dieser Seite wechseln.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm index 28f9a3b2b..ed79b765d 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Review.htm @@ -15,7 +15,7 @@

      Änderungen nachverfolgen

      -

      Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

      +

      Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumentversionen für zukünftige Verwendung speichern; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

      Wenn jemand eine Datei mit den Berechtigungen "Review" für Sie freigibt, müssen Sie die Dokumentfunktion Review anwenden.

      Im Dokumenteneditor als Überprüfer können Sie die Review-Option verwenden, um das Dokument zu überprüfen, die Sätze, Phrasen und andere Seitenelemente zu ändern, die Rechtschreibung zu korrigieren usw., ohne es tatsächlich zu bearbeiten. Alle Ihre Änderungen werden aufgezeichnet und der Person angezeigt, die Ihnen das Dokument gesendet hat.

      Wenn Sie die Datei zur Überprüfung senden, müssen Sie alle daran vorgenommenen Änderungen anzeigen und sie entweder annehmen oder ablehnen.

      diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm index 319148650..323604f7e 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Search.htm @@ -15,32 +15,25 @@

      Suchen und Ersetzen

      -

      Um nach den erforderlichen Zeichen, Wörtern oder Ausdrücken zu suchen, die im aktuell bearbeiteten Dokument verwendet werden, klicken Sie auf das Symbol in der linken Seitenleiste des Dokumenteneditors oder verwenden Sie die Tastenkombination Strg+F.

      +

      Um nach den erforderlichen Zeichen, Wörtern oder Ausdrücken zu suchen, die im aktuell bearbeiteten Dokument verwendet werden, klicken Sie auf das Symbol in der linken Seitenleiste des Dokumenteneditors, das Symbol in der oberen rechten Ecke, oder verwenden Sie die Tastenkombination Strg+F (Command+F für MacOS), um das kleine Suchfeld zu öffnen, oder die Tastenkombination Strg+H, um das vollständige Suchfenster zu öffnen.

      +

      Ein kleiner Suchen-Bereich öffnet sich in der oberen rechten Ecke des Arbeitsbereichs.

      +

      Find small panel

      +

      Um auf die erweiterten Einstellungen zuzugreifen, klicken Sie auf das Symbol oder verwenden Sie die Tastenkombination Strg+H.

      Das Fenster Suchen und Ersetzen wird geöffnet:

      Suchen und Ersetzen Fenster

        -
      1. Geben Sie Ihre Anfrage in das entsprechende Dateneingabefeld ein.
      2. +
      3. Geben Sie Ihre Anfrage in das entsprechende Dateneingabefeld Suchen ein.
      4. +
      5. Wenn Sie ein oder mehrere Vorkommen der gefundenen Zeichen ersetzen müssen, geben Sie den Ersetzungstext in das entsprechende Dateneingabefeld Ersetzen durch ein oder verwenden Sie die Tastenkombination Strg+H. Sie können wählen, ob Sie ein einzelnes derzeit markiertes Vorkommen oder alle Vorkommen ersetzen möchten, indem Sie auf die entsprechenden Schaltflächen Ersetzen und Alle ersetzen klicken.
      6. +
      7. Um zwischen den gefundenen Vorkommen zu navigieren, klicken Sie auf eine der Pfeilschaltflächen. Die Schaltfläche
        zeigt das nächste Vorkommen an, während die Schaltfläche
        das vorherige Vorkommen anzeigt.
      8. - Geben Sie Suchparameter an, indem Sie auf das Symbol
        klicken und die erforderlichen Optionen aktivieren: + Geben Sie Suchparameter an, indem Sie die erforderlichen Optionen unter den Eingabefeldern aktivieren:
          -
        • Groß-/Kleinschreibung beachten wird verwendet, um nur die Vorkommen zu finden, die in der gleichen Groß-/Kleinschreibung wie Ihre Anfrage eingegeben wurden (z. B. wenn Ihre Anfrage „Editor“ lautet und diese Option aktiviert ist, werden Wörter wie „editor“ oder „EDITOR“ usw. nicht gefunden). Um diese Option zu deaktivieren, klicken Sie erneut darauf.
        • -
        • Ergebnisse hervorheben wird verwendet, um alle gefundenen Vorkommen hervorzuheben. Um diese Option zu deaktivieren und die Hervorhebung zu entfernen, klicken Sie erneut auf die Option.
        • +
        • Die Option Groß-/Kleinschreibung beachten wird verwendet, um nur die Vorkommen zu finden, die in der gleichen Groß-/Kleinschreibung wie Ihre Anfrage eingegeben wurden (z. B. wenn Ihre Anfrage „Editor“ lautet und diese Option ausgewählt ist, werden Wörter wie „Editor“ oder „EDITOR“ usw. nicht gefunden).
        • +
        • Die Option Nur ganze Wörter wird verwendet, um nur ganze Wörter hervorzuheben.
      9. -
      10. - Klicken Sie auf eine der Pfeilschaltflächen unten rechts im Fenster. - Die Suche wird entweder am Anfang des Dokuments (wenn Sie auf die Schaltfläche
        klicken) oder am Ende des Dokuments (wenn Sie an der aktuellen Position auf die Schaltfläche
        klicken) durchgeführt. -

        Wenn die Option Ergebnisse hervorheben aktiviert ist, verwenden Sie diese Schaltflächen, um durch die hervorgehobenen Ergebnisse zu navigieren.

        -
      -

      Das erste Vorkommen der erforderlichen Zeichen in der ausgewählten Richtung wird auf der Seite hervorgehoben. Wenn es nicht das gesuchte Wort ist, klicken Sie erneut auf die ausgewählte Schaltfläche, um das nächste Vorkommen der eingegebenen Zeichen zu finden.

      -

      Um ein oder mehrere Vorkommen der gefundenen Zeichen zu ersetzen, klicken Sie auf den Link Ersetzen unter dem Dateneingabefeld oder verwenden Sie die Tastenkombination Strg+H. Das Fenster Suchen und Ersetzen ändert sich:

      -

      Suchen und Ersetzen Fenster

      -
        -
      1. Geben Sie den Ersatztext in das untere Dateneingabefeld ein.
      2. -
      3. Klicken Sie auf die Schaltfläche Ersetzen, um das aktuell ausgewählte Vorkommen zu ersetzen, oder auf die Schaltfläche Alle ersetzen, um alle gefundenen Vorkommen zu ersetzen.
      4. -
      -

      Um das Ersetzungsfeld auszublenden, klicken Sie auf den Link Ersetzen verbergen.

      +

      Alle Vorkommen werden in der Datei hervorgehoben und als Liste im Bereich Suchen auf der linken Seite angezeigt. Verwenden Sie die Liste, um zum gewünschten Vorkommen zu springen, oder verwenden Sie die Navigationsschaltflächen und .

      Der Dokumenteneditor unterstützt die Suche nach Sonderzeichen. Um ein Sonderzeichen zu finden, geben Sie es in das Suchfeld ein.

      Die Liste der Sonderzeichen, die in Suchen verwendet werden können diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/SpellChecking.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/SpellChecking.htm index 2f2580be6..8483ab08b 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/SpellChecking.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/SpellChecking.htm @@ -23,20 +23,21 @@

      Rechtschreibprüfung aktivieren:

      Falsch geschriebene Wörter werden mit einer roten Linie unterstrichen.

      Klicken Sie mit der rechten Maustaste auf das entsprechende Wort, um das Kontextmenü zu aktivieren, und:

      Rechtschreibprüfung

      Rechtschreibprüfung deaktivieren:

      diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm index fd10a5c8c..110eafbf7 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/SupportedFormats.htm @@ -15,153 +15,249 @@

      Unterstützte Formate von elektronischen Dokumenten

      -

      Elektronische Dokumente stellen die am meisten benutzte Computerdateien dar. - Dank des inzwischen hoch entwickelten Computernetzwerks ist es bequemer anstatt von gedruckten Dokumenten elektronische Dokumente zu verbreiten. - Aufgrund der Vielfältigkeit der Geräte, die für die Anzeige der Dokumente verwendet werden, gibt es viele proprietäre und offene Dateiformate. - Der Dokumenteneditor unterstützt die geläufigsten Formate.

      +

      + Elektronische Dokumente stellen die am meisten benutzte Computerdateien dar. + Dank des inzwischen hoch entwickelten Computernetzwerks ist es bequemer anstatt von gedruckten Dokumenten elektronische Dokumente zu verbreiten. + Aufgrund der Vielfältigkeit der Geräte, die für die Anzeige der Dokumente verwendet werden, gibt es viele proprietäre und offene Dateiformate. + Der Dokumenteneditor unterstützt die geläufigsten Formate. +

      +

      Beim Hochladen oder Öffnen der Datei für die Bearbeitung wird sie ins Office-Open-XML-Format (DOCX) konvertiert. Dies wird gemacht, um die Dateibearbeitung zu beschleunigen und die Interfunktionsfähigkeit zu erhöhen.

      +

      Die folgende Tabelle enthält die Formate, die zum Anzeigen und/oder zur Bearbeitung geöffnet werden können.

      - - - + + + + + + + + + + + + + + + - - + + + + + + + + - + + - + + + + + + + + + - - + + + + + + + + + + + - - + + + + + + + + + + + - - + + + + + + + + + + + - - + + + + + + + + + + + + + + + + + + + - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - +
      Formate BeschreibungAnzeigeBearbeitungDownloadNativ anzeigenAnzeigen nach Konvertierung in OOXMLNativ bearbeitenBearbeitung nach Konvertierung in OOXML
      DjVuDateiformat, das hauptsächlich zum Speichern gescannter Dokumente entwickelt wurde, insbesondere solcher, die eine Kombination aus Text, Strichzeichnungen und Fotos enthalten.+
      DOC Dateierweiterung für Textverarbeitungsdokumente, die mit Microsoft Word erstellt werden.+ ++
      DOCMMacro-Enabled Microsoft Word Document
      Filename extension for Microsoft Word 2007 or higher generated documents with the ability to run macros
      ++
      DOCXDOCX Office Open XML
      Gezipptes, XML-basiertes, von Microsoft entwickeltes Dateiformat zur Präsentation von Kalkulationstabellen, Diagrammen, Präsentationen und Textverarbeitungsdokumenten.
      + ++
      DOCXFEin Format zum Erstellen, Bearbeiten und Zusammenarbeiten an einer Formularvorlage.++
      DOTX Word Open XML Dokumenten-Vorlage
      Gezipptes, XML-basiertes, von Microsoft für Dokumentenvorlagen entwickeltes Dateiformat. Eine DOTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Dokumente mit derselben Formatierung verwendet werden.
      +++ +
      EPUBElectronic Publication
      Offener Standard für E-Books vom International Digital Publishing Forum.
      ++
      FB2 Eine E-Book-Dateierweiterung, mit der Sie Bücher auf Ihrem Computer oder Mobilgerät lesen können.+++ +
      HTMLHyperText Markup Language
      Hauptauszeichnungssprache für Webseiten.
      ++
      ODT Textverarbeitungsformat von OpenDocument, ein offener Standard für elektronische Dokumente.+++ +
      OFORMEin Format zum Ausfüllen eines Formulars. Formularfelder sind ausfüllbar, aber Benutzer können die Formatierung oder Parameter der Formularelemente nicht ändern*.++
      OTT OpenDocument-Dokumentenvorlage
      OpenDocument-Dateiformat für Dokumentenvorlagen. Eine OTT-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Dokumente mit derselben Formatierung verwendet werden.
      +++ +
      PDFPortable Document Format
      Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können.
      +
      PDF/APortable Document Format / A
      Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist.
      +
      RTF Rich Text Format
      Plattformunabhängiges Datei- und Datenaustauschformat von Microsoft für formatierte Texte.
      +++ +
      TXT Dateierweiterung reiner Textdateien mit wenig Formatierung.+++
      PDFPortable Document Format
      Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können.
      ++
      PDF/APortable Document Format / A
      Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist.
      ++
      HTMLHyperText Markup Language
      Hauptauszeichnungssprache für Webseiten.
      +++
      EPUBElectronic Publication
      Offener Standard für E-Books vom International Digital Publishing Forum.
      +++ +
      XMLExtensible Markup Language (XML).
      Eine einfache und flexible Auszeichnungssprache, die von SGML (ISO 8879) abgeleitet ist und zum Speichern und Transportieren von Daten dient.
      +
      XPS Open XML Paper Specification
      Offenes, lizenzfreies Dokumentenformat von Microsoft mit festem Layout.
      ++
      DjVuDateiformat, das hauptsächlich zum Speichern gescannter Dokumente entwickelt wurde, insbesondere solcher, die eine Kombination aus Text, Strichzeichnungen und Fotos enthalten.+
      XMLExtensible Markup Language (XML).
      Eine einfache und flexible Auszeichnungssprache, die von SGML (ISO 8879) abgeleitet ist und zum Speichern und Transportieren von Daten dient.
      +
      DOCXFEin Format zum Erstellen, Bearbeiten und Zusammenarbeiten an einer Formularvorlage.+++
      OFORMEin Format zum Ausfüllen eines Formulars. Formularfelder sind ausfüllbar, aber Benutzer können die Formatierung oder Parameter der Formularelemente nicht ändern*.+++

      *Hinweis: Das OFORM-Format ist ein Format zum Ausfüllen eines Formulars. Daher sind die Formularfelder nur bearbeitbar.

      +

      Die folgende Tabelle enthält die Formate, in denen Sie ein Dokument über das Menü Datei -> Herunterladen als herunterladen können.

      + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
      EingabeformatKann heruntergeladen werden als
      DjVuDjVu, PDF
      DOCDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      DOCMDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      DOCXDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      DOCXFDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      DOTXDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      EPUBDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      FB2DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      HTMLDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      ODTDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      OFORMDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      OTTDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      PDFDOCX, DOCXF, DOTX, EPUB, FB2, HTML, OFORM, PDF, RTF, TXT
      PDF/ADOCX, DOCXF, DOTX, EPUB, FB2, HTML, OFORM, PDF, RTF, TXT
      RTFDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      TXTDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      XMLDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
      XPSDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT, XPS
      +

      Sie können sich auch auf die Conversion-Matrix auf api.onlyoffice.com beziehen, um die Möglichkeiten zu sehen, Ihre Dokumente in die bekanntesten Dateiformate zu konvertieren.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm index 4390bbe74..827d247e8 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/VersionHistory.htm @@ -15,15 +15,14 @@

      Versionshistorie

      -

      Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

      +

      Der Dokumenteneditor ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; an Dokumenten in Echtzeit zusammenarbeiten; direkt im Editor kommunizieren; bestimmte Teile Ihrer Dokumente, die zusätzliche Eingaben Dritter erfordern, kommentieren; Dokumente überprüfen und Ihre Änderungen hinzufügen, ohne die Datei tatsächlich zu bearbeiten; Dokumente vergleichen und zusammenführen, um die Verarbeitung und Bearbeitung zu erleichtern.

      Im Dokumenteneditor können Sie die Versionshistorie des Dokuments anzeigen, an dem Sie mitarbeiten.

      Versionshistorie anzeigen:

      Um alle am Dokument vorgenommenen Änderungen anzuzeigen:

      diff --git a/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm b/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm index 2a7cf11ed..7e9a6fa76 100644 --- a/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm +++ b/apps/documenteditor/main/resources/help/de/HelpfulHints/Viewer.htm @@ -24,9 +24,25 @@
    1. die Tools "Auswählen" und "Hand" verwenden,
    2. Dateien drucken und herunterladen,
    3. interne und externe Links verwenden,
    4. -
    5. auf erweiterten Dateieinstellungen des Editors zugreifen,
    6. - die folgenden Plugins verwenden: + auf die erweiterten Einstellungen des Editors zugreifen und die folgenden Dokumentinformationen über die Registerkarte Datei oder Ansicht anzeigen: +
        +
      • Speicherort (nur in der Online-Version verfügbar) - der Ordner im Modul Dokumente, in dem die Datei gespeichert ist.
      • +
      • Besitzer (nur in der Online-Version verfügbar) - der Name des Benutzers, der die Datei erstellt hat.
      • +
      • Hochgeladen (nur in der Online-Version verfügbar) - Datum und Uhrzeit, wann die Datei in das Portal hochgeladen wurde.
      • +
      • Statistiken - die Anzahl der Seiten, Absätze, Wörter, Symbole, Symbole mit Leerzeichen.
      • +
      • Seitengröße - die Größe der Seiten in der Datei.
      • +
      • Zuletzt geändert - Datum und Uhrzeit der letzten Änderung des Dokuments.
      • +
      • Erstellt - Datum und Uhrzeit der Erstellung des Dokuments.
      • +
      • Anwendung - die Anwendung, mit der das Dokument erstellt wurde.
      • +
      • Verfasser - die Person, die das Dokument erstellt hat.
      • +
      • PDF-Ersteller - die Anwendung, die zum Konvertieren des Dokuments in PDF verwendet wird.
      • +
      • PDF-Version - die Version der PDF-Datei.
      • +
      • PDF mit Tags - zeigt an, ob die PDF-Datei Tags enthält.
      • +
      • Scnhelle Web-Anzeige - zeigt an, ob die schnelle Webansicht für das Dokument aktiviert wurde.
      • +
      +
    7. +
    8. die folgenden Plugins verwenden:
      • Plugins, die in der Desktop-Version verfügbar sind: Übersetzer, Senden, Thesaurus.
      • Plugins, die in der Online-Version verfügbar sind: Controls example, Get and paste html, Telegram, Typograf, Count words, Rede, Thesaurus, Übersetzer.
      • @@ -37,17 +53,17 @@

        ONLYOFFICE Document Viewer

        1. - Die obere Symbolleiste zeigt die Registerkarten Datei und Plugins und die folgenden Symbole an: -

          Drucken ermöglicht das Ausdrucken einer Datei;

          + Die obere Symbolleiste zeigt die Registerkarten Datei, Ansicht und Plugins und die folgenden Symbole an: +

          Drucken ermöglicht das Ausdrucken einer Datei;

          Herunterladen ermöglicht das Herunterladen einer Datei auf Ihren Computer;

          +

          Freigeben (nur in der Online-Version verfügbar) ermöglicht es Ihnen, die Benutzer zu verwalten, die Zugriff auf die Datei direkt vom Dokument aus haben: Laden Sie neue Benutzer ein und erteilen Sie ihnen Berechtigungen zum Bearbeiten, Lesen, Kommentieren, Ausfüllen von Formularen oder Überprüfen des Dokuments, oder verweigern Sie einigen Benutzern die Zugriffsrechte auf die Datei;

          Dateispeicherort öffnen in der Desktop-Version ermöglicht das Öffnen des Ordners, in dem die Datei gespeichert ist, im Fenster Datei-Explorer. In der Online-Version ermöglicht es das Öffnen des Ordners des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Tab;

          Als Favorit kennzeichnen / Aus Favoriten entfernen. Klicken Sie auf den leeren Stern, um eine Datei zu den Favoriten hinzuzufügen, damit sie leichter zu finden ist, oder klicken Sie auf den gefüllten Stern, um die Datei aus den Favoriten zu entfernen. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst an ihrem ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht von ihrem ursprünglichen Speicherort entfernt;

          -

          Ansichts-Einstellungen ermöglicht das Anpassen der Ansichtseinstellungen und den Zugriff auf Erweiterte Einstellungen des Editors;

          Benutzer zeigt den Namen des Benutzers an, wenn Sie den Mauszeiger darüber bewegen.

          +

          Suchen - ermöglicht das Durchsuchen des Dokuments nach einem bestimmten Wort oder Symbol usw.

        2. -
        3. - Die Statusleiste am unteren Rand des ONLYOFFICE Document Viewer-Fensters zeigt die Seitenzahl und die Hintergrundstatusbenachrichtigungen an. Sie enthält auch die folgenden Tools: -

          Mit dem Tool Select können Sie Text oder Objekte in einer Datei auswählen.

          +
        4. Die Statusleiste am unteren Rand des ONLYOFFICE Document Viewer-Fensters zeigt die Seitenzahl und die Hintergrundstatusbenachrichtigungen an. Sie enthält auch die folgenden Tools: +

          Mit dem Auswählungstool können Sie Text oder Objekte in einer Datei auswählen.

          Mit dem Tool Hand können Sie die Seite ziehen und scrollen.

          Mit dem Tool Seite anpassen können Sie die Seite so skalieren, dass der Bildschirm die ganze Seite anzeigt.

          Mit dem Tool Breite anpassen können Sie die Seite so skalieren, dass sie an die Breite des Bildschirms angepasst wird.

          @@ -59,16 +75,18 @@
        5. - ermöglicht die Verwendung des Tools Suchen und Ersetzen,
        6. - (nur in der Online-Version verfügbar) ermöglicht das Öffnen des Chat-Panels,
        7. -
          - ermöglicht das Öffnen des Bereichs Navigation, der die Liste aller Überschriften mit den entsprechenden Ebenen anzeigt. Klicken Sie auf die Überschrift, um direkt zu einer bestimmten Seite zu springen. +
          - ermöglicht das Öffnen des Bereichs Überschriften, der die Liste aller Überschriften mit den entsprechenden Ebenen anzeigt. Klicken Sie auf die Überschrift, um direkt zu einer bestimmten Seite zu springen.

          NavigationPanel -

          Klicken Sie mit der rechten Maustaste auf die Überschrift in der Liste und verwenden Sie eine der verfügbaren Optionen aus dem Menü:

          +

          Klicken Sie auf das Symbol Einstellungen rechts neben dem Bereich Überschriften und verwenden Sie eine der verfügbaren Optionen aus dem Menü:

            -
          • Alle ausklappen - um alle Überschriftenebenen im Navigations-Panel zu erweitern.
          • -
          • Alle einklappen - um alle Überschriftenebenen außer Ebene 1 im Navigations-Panel auszublenden.
          • +
          • Alle ausklappen - um alle Überschriftenebenen im Überschriften-Panel zu erweitern.
          • +
          • Alle einklappen - um alle Überschriftenebenen außer Ebene 1 im Überschriften-Panel auszublenden.
          • Auf Ebene erweitern - um die Überschriftenstruktur auf die ausgewählte Ebene zu erweitern. Z.B. wenn Sie Ebene 3 auswählen, werden die Ebenen 1, 2 und 3 erweitert, während Ebene 4 und alle darunter liegenden Ebenen reduziert werden.
          • +
          • Schriftgröße – um die Schriftgröße des Textes im Überschriften-Panel anzupassen, indem Sie eine der verfügbaren Voreinstellungen auswählen: Klein, Mittelgroß und Groß.
          • +
          • Lange Überschriften umbrechen – um lange Überschriften umzubrechen.

          Um separate Überschriftenebenen manuell zu erweitern oder zu reduzieren, verwenden Sie die Pfeile links neben den Überschriften.

          -

          Klicken Sie zum Schließen des Panels Navigation auf das Symbol  Navigation in der linken Seitenleiste noch einmal.

          +

          Klicken Sie zum Schließen des Panels Überschriften auf das Symbol  Überschriften in der linken Seitenleiste noch einmal.

        8. - ermöglicht die Anzeige von Seiten-Thumbnails für eine schnelle Navigation. Klicken Sie auf
          im Bereich Miniaturansichten, um auf Thumbnail-Einstellungen zuzugreifen: diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/FileTab.htm index 32fddc2b6..b65564c5d 100644 --- a/apps/documenteditor/main/resources/help/de/ProgramInterface/FileTab.htm +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/FileTab.htm @@ -26,7 +26,9 @@

          Sie können:

            -
          • In der Online-Version die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern des Dokuments im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie des Dokuments im Portal im ausgewählten Format), drucken oder umbenennen. In der Desktop-version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken.
          • +
          • In der Online-Version die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern des Dokuments im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie des Dokuments im Portal im ausgewählten Format), drucken oder umbenennen. + In der Desktop-version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken. +
          • die Datei mit einem Kennwort schützen, das Kennwort ändern oder löschen,
          • die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar),
          • Weiter können Sie ein neues Dokument erstellen oder eine kürzlich bearbeitete Datei öffnen, (nur in der Online-Version verfügbar),
          • diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/HomeTab.htm index 4b7896a94..3cc51e87f 100644 --- a/apps/documenteditor/main/resources/help/de/ProgramInterface/HomeTab.htm +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/HomeTab.htm @@ -1,7 +1,7 @@  - Registerkarte Start + Registerkarte Startseite @@ -14,15 +14,15 @@
            -

            Registerkarte Start

            -

            Die Registerkarte Start im Dokumenteneditor wird standardmäßig geöffnet, wenn Sie ein beliebiges Dokument öffnen. Über diese Registerkarte können Sie Schriftart und Absätze formatieren. Auch einige andere Optionen sind hier verfügbar, wie Seriendruck und Farbschemata.

            +

            Registerkarte Startseite

            +

            Die Registerkarte Startseite im Dokumenteneditor wird standardmäßig geöffnet, wenn Sie ein beliebiges Dokument öffnen. Über diese Registerkarte können Sie Schriftart und Absätze formatieren. Auch einige andere Optionen sind hier verfügbar, wie Seriendruck und Farbschemata.

            Dialogbox Online-Dokumenteneditor:

            -

            Registerkarte Start

            +

            Registerkarte Startseite

            Dialogbox Desktop-Dokumenteneditor:

            -

            Registerkarte Start

            +

            Registerkarte Startseite

            Sie können:

            diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm index c3bd8b103..bbb1593ed 100644 --- a/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/ProgramInterface.htm @@ -32,21 +32,21 @@

            Symbole in der Kopfzeile des Editors

            Auf der rechten Seite der Editor-Kopfzeile werden zusammen mit dem Benutzernamen die folgenden Symbole angezeigt:

              -
            • Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen.
            • -
            • - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen.
            • -
            • Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen.
            • -
            • Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt.
            • +
            • Dateispeicherort öffnen - in der Desktop-Version ermöglicht es das Öffnen des Ordners, in dem die Datei gespeichert ist, im Datei-Explorer-Fenster. In die Online-Version ermöglicht das Öffnen des Ordners des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Tab.
            • +
            • Freigeben (nur in der Online-Version verfügbar). Es ermöglicht die Anpassung von Zugriffsrechten für die in der Cloud gespeicherten Dokumente.
            • +
            • Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst an ihrem ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht von ihrem ursprünglichen Speicherort entfernt.
            • +
            • Suchen - ermöglicht das Durchsuchen des Dokuments nach einem bestimmten Wort oder Symbol usw.
            -
          • 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, Referenzen, Zusammenarbeit, Schützen, Plug-ins. -

            Die Befehle Kopieren und Einfügen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung.

            +
          • 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, Startseite, Einfügen, Layout, Referenzen, Zusammenarbeit, Schützen, Plugins. +

            Die Befehle Kopieren, Einfügen, Ausschneiden und Alles auswählen stehen unabhängig von der ausgewählten Registerkarte jederzeit im linken Teil der oberen Menüleiste zur Verfügung.

          • Die Statusleiste am unteren Rand des Editorfensters zeigt die Seitennummer und einige Benachrichtigungen an (z. B. „Alle Änderungen gespeichert“, „Verbindung unterbrochen“, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen usw.). Es ermöglicht auch das Festlegen der Textsprache, das Aktivieren der Rechtschreibprüfung, das Einschalten des Modus "Änderungen verfolgen" und Anpassen des Zooms.
          • Symbole in der linken Seitenleiste:
            • - die Funktion Suchen und Ersetzen,
            • - Kommentarfunktion öffnen,
            • -
            • - Navigationsfenster aufrufen, um Überschriften zu verwalten,
            • +
            • - Überschriften-Fenster aufrufen, um Überschriften zu verwalten,
            • (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, unser Support-Team kontaktieren und die Programminformationen einsehen.
            • - (nur in der Online-Version verfügbar) kontaktieren Sie unser Support-Team,
            • - (nur in der Online-Version verfügbar) ermöglicht das Anzeigen von Informationen über das Programm.
            • @@ -58,6 +58,7 @@
            • Über die Scroll-Leiste auf der rechten Seite können Sie mehrseitige Dokumente nach oben oder unten scrollen.

        Zur Vereinfachung können Sie bestimmte Komponenten verbergen und bei Bedarf erneut anzeigen. Weitere Informationen zum Anpassen der Ansichtseinstellungen finden Sie auf dieser Seite.

        + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm index 144a78a3c..11c9a1706 100644 --- a/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/ViewTab.htm @@ -32,7 +32,7 @@
      • Zoom ermöglicht das Vergrößern und Verkleinern Ihres Dokuments.
      • Seite anpassen ermöglicht es, die Seite so zu skalieren, dass der Bildschirm die ganze Seite anzeigt.
      • Breite anpassen ermöglicht es, die Seite so zu skalieren, dass sie an die Breite des Bildschirms angepasst wird.
      • -
      • Thema der Benutzeroberfläche ermöglicht es, das Design der Benutzeroberfläche zu ändern, indem Sie eine der Optionen auswählen: Hell, Klassisch Hell oder Dunkel.
      • +
      • Thema der Benutzeroberfläche ermöglicht es, das Design der Benutzeroberfläche zu ändern, indem Sie eine der Optionen auswählen: Wie im System, Hell, Klassisch Hell, Dunkel, Dunkler Kontrast.
      • Die Option Dunkles Dokument wird aktiv, wenn das dunkle Design aktiviert ist. Klicken Sie darauf, um auch den Arbeitsbereich zu verdunkeln.

      Mit den folgenden Optionen können Sie die anzuzeigenden oder auszublendenden Elemente konfigurieren. Aktivieren Sie die Elemente, um sie sichtbar zu machen:

      diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddBorders.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddBorders.htm index a7ee72edb..98b7afc60 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddBorders.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddBorders.htm @@ -15,18 +15,18 @@

      Rahmen hinzufügen

      -

      Hinzufügen eines Rahmens in einen Absatz eine Seite oder das ganze Dokument im Dokumenteneditor:

      +

      Um Rahmen zu einem Absatz, einer Seite oder dem gesamten Dokument im Dokumenteneditor hinzuzufügen:

      1. Postitionieren Sie den Cursor innerhalb des gewünschten Absatzes oder wählen Sie mehrere Absätze mit der Maus aus oder markieren Sie den gesamten Text mithilfe der Tastenkombination Strg+A.
      2. -
      3. Klicken Sie mit der rechten Maustaste und wählen Sie im Kontextmenü die Option Erweiterte Absatzeinstellungen aus oder nutzen Sie die Verknüpfung Erweiterte Einstellungen anzeigen in der rechten Seitenleiste.
      4. -
      5. Wechseln Sie nun im Fenster Erweiterte Absatzeinstellungen in die Registerkarte Rahmen & Füllung.
      6. -
      7. Geben Sie den gewünschten Wert für die Linienstärke an und wählen Sie eine Linienfarbe aus.
      8. +
      9. Klicken Sie mit der rechten Maustaste und wählen Sie im Kontextmenü die Option Absatz - Erweiterte Einstellungen aus oder nutzen Sie die Verknüpfung Erweiterte Einstellungen anzeigen in der rechten Seitenleiste.
      10. +
      11. Wechseln Sie nun im Fenster Absatz - Erweiterte Einstellungen in die Registerkarte Rahmen & Füllung.
      12. +
      13. Geben Sie den gewünschten Wert für die Rahmenstärke an und wählen Sie eine Rahmenfarbe aus.
      14. Klicken Sie nun in das verfügbare Diagramm oder gestalten Sie Ihre Ränder über die entsprechenden Schaltflächen.
      15. Klicken Sie auf OK.

      Erweiterte Absatzeinstellungen: Rahmen & Füllung

      Nach dem Hinzufügen von Rahmen können Sie die Innenabstände festlegen, d.h. den Abstand zwischen den rechten, linken, oberen und unteren Rahmen und dem darin befindlichen Text.

      -

      Um die gewünschten Werte einzustellen, wechseln Sie im Fenster Erweiterte Absatzeinstellungen in die Registerkarte Innenabstände:

      +

      Um die gewünschten Werte einzustellen, wechseln Sie im Fenster Absatz - Erweiterte Einstellungen in die Registerkarte Auffüllen:

      Erweiterte Absatzeinstellungen - Innenabstände

      diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddCaption.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddCaption.htm index 3dbc3edd3..e216df8c9 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddCaption.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddCaption.htm @@ -17,15 +17,16 @@

      Beschriftungen einfügen

      Eine Beschriftung ist eine nummerierte Bezeichnung eines Objektes, z.B. Gleichungen, Tabellen, Formen und Bilder.

      Eine Beschriftung bedeutet eine Quellenangabe, um ein Objekt im Text schnell zu finden.

      -

      Um eine Beschriftung einzufügen im Dokumenteneditor:

      +

      Im Dokumenteneditor können Sie auch Bildunterschriften verwenden, um ein Abbildingsverzeichnis zu erstellen.

      +

      Um einem Objekt eine Beschriftung hinzuzufügen:

      • wählen Sie das gewünschte Objekt aus;
      • -
      • öffnen Sie die Registerkarte Quellenangaben;
      • +
      • öffnen Sie die Registerkarte Verweise;
      • - · klicken Sie auf das Bild Beschriftung
        oder drücken Sie die rechte Maustaste und wählen Sie die Option Beschriftung einfügen aus, um das Feld Beschriftung einfügen zu öffnen: + klicken Sie auf das Symbol Beschriftung
        oder drücken Sie die rechte Maustaste und wählen Sie die Option Beschriftung einfügen aus, um das Feld Beschriftung einfügen zu öffnen:
        • öffnen Sie das Bezeichnung-Dropdown-Menü, um den Bezeichnungstyp für die Beschriftung auszuwählen oder
        • -
        • klicken Sie die Hinzufügen-Taste, um eine neue Bezeichnung zu erstellen. Geben Sie den neuen Namen im Textfeld Bezeichnung ein. Klicken Sie OK, um eine neue Bezeichnung zu erstellen;
        • +
        • klicken Sie auf die Schaltfläche Hinzufügen, um eine neue Bezeichnung zu erstellen. Geben Sie den neuen Namen im Textfeld Bezeichnung ein. Klicken Sie OK, um eine neue Bezeichnung zu erstellen;
      • markieren Sie das Kästchen Kapitelnummer einschließen, um die Nummerierung für die Beschriftung zu ändern;
      • öffnen Sie das Einfügen-Dropdown-Menü und wählen Sie die Option Vor aus, um die Beschriftung über das Objekt zu stellen, oder wählen Sie die Option Nach aus, um die Beschriftung unter das Objekt zu stellen;
      • @@ -35,9 +36,8 @@

      Einstellungen für das Inhaltssteuerelement

      Bezeichnungen löschen

      -

      - Um eine erstellte Bezeichnung zu löschen, wählen Sie diese Bezeichnung in dem Bezeichnung-Dropdown-Menü aus und klicken Sie Löschen. Diese Bezeichnung wird gelöscht.

      -

      Hinweis: Sie können die erstellten Bezeichnungen löschen, aber die Standardbezeichnungen sind unlöschbar.

      +

      Um eine erstellte Bezeichnung zu löschen, wählen Sie diese Bezeichnung in dem Bezeichnung-Dropdown-Menü aus und klicken Sie Löschen. Diese Bezeichnung wird gelöscht.

      +

      Sie können die erstellten Bezeichnungen löschen, aber die Standardbezeichnungen sind unlöschbar.

      Formatierung der Beschriftungen

      Sobald Sie die Beschriftung eingefügt haben, ist ein neuer Stil erstellt. Um den Stil für alle Beschriftungen im Dokument zu ändern:

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

      Einstellungen für das Inhaltssteuerelement

      Beschriftungen gruppieren

      -

      - Um das Objekt mit der Beschriftung zusammen zu verschieben, gruppieren Sie sie zusammen:

      +

      Um das Objekt mit der Beschriftung zusammen zu verschieben, gruppieren Sie sie zusammen:

      • wählen Sie das Objekt aus;
      • wählen Sie einen der Textumbrüche im Feld rechts aus;
      • @@ -56,9 +55,9 @@
      • drücken und halten Sie die Umschalttaste und wählen Sie die gewünschte Objekte aus;
      • drücken Sie die rechte Maustaste und wählen Sie die Option Anordnen > Gruppieren aus.
      -

      Einstellungen für das Inhaltssteuerelement

      -

      Jetzt werden die Objekte zusammen bearbeitet.

      -

      Um die Objekte zu trennen, wählen Sie die Option Anordnen > Gruppierung aufheben aus.

      +

      Einstellungen für das Inhaltssteuerelement

      +

      Jetzt werden die Objekte zusammen bearbeitet.

      +

      Um die Objekte zu trennen, wählen Sie die Option Anordnen > Gruppierung aufheben aus.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddFormulasInTables.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddFormulasInTables.htm index 23c146caf..137256cf8 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddFormulasInTables.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddFormulasInTables.htm @@ -15,17 +15,18 @@

      Formeln in Tabellen verwenden

      -

      Fügen Sie eine Formel ein

      -

      Im Dokumenteneditor sie können einfache Berechnungen für Daten in Tabellenzellen durchführen, indem Sie Formeln hinzufügen. So fügen Sie eine Formel in eine Tabellenzelle ein:

      +

      Eine Formel einfügen

      +

      Im Dokumenteneditor können Sie einfache Berechnungen für Daten in Tabellenzellen durchführen, indem Sie Formeln hinzufügen. Um eine Formel in eine Tabellenzelle einzufügen:

      1. Platzieren Sie den Zeiger in der Zelle, in der Sie das Ergebnis anzeigen möchten.
      2. Klicken Sie in der rechten Seitenleiste auf die Schaltfläche Formel hinzufügen.
      3. -
      4. Geben Sie im sich öffnenden Fenster Formeleinstellungen die erforderliche Formel in das Feld Formel ein.

        Sie können eine benötigte Formel manuell eingeben, indem Sie die allgemeinen mathematischen Operatoren (+, -, *, /) verwenden, z. B. =A1*B2 oder verwenden Sie die Dropdown-Liste Funktion einfügen, um eine der eingebetteten Funktionen auszuwählen, z. B. =PRODUKT (A1, B2).

        +
      5. Geben Sie im sich öffnenden Fenster Formeleinstellungen die erforderliche Formel in das Feld Formel ein. +

        Sie können eine benötigte Formel manuell eingeben, indem Sie die allgemeinen mathematischen Operatoren (+, -, *, /) verwenden, z. B. =A1*B2 oder verwenden Sie die Dropdown-Liste Funktion einfügen, um eine der eingebetteten Funktionen auszuwählen, z. B. =PRODUKT (A1, B2).

        Formel einfügen

      6. Geben Sie die erforderlichen Argumente manuell in den Klammern im Feld Formel an. Wenn die Funktion mehrere Argumente erfordert, müssen diese durch Kommas getrennt werden.
      7. Verwenden Sie die Dropdown-Liste Zahlenformat, wenn Sie das Ergebnis in einem bestimmten Zahlenformat anzeigen möchten.
      8. -
      9. OK klicken.
      10. +
      11. Klicken Sie auf OK.

      Das Ergebnis wird in der ausgewählten Zelle angezeigt.

      Um die hinzugefügte Formel zu bearbeiten, wählen Sie das Ergebnis in der Zelle aus und klicken Sie auf die Schaltfläche Formel hinzufügen in der rechten Seitenleiste, nehmen Sie die erforderlichen Änderungen im Fenster Formeleinstellungen vor und klicken Sie auf OK.

      @@ -38,11 +39,11 @@
    9. UNTEN - Ein Verweis auf alle Zellen in der Spalte unter der ausgewählten Zelle
    10. RECHTS - Ein Verweis auf alle Zellen in der Zeile rechts von der ausgewählten Zelle
    11. -

      Diese Argumente können mit Funktionen AVERAGE, COUNT, MAX, MIN, PRODUCT und SUM (MITTELWERT, ANZAHL, MAX, MIN, PRODUKT, SUMME) verwendet werden.

      -

      Sie können auch manuell Verweise auf eine bestimmte Zelle (z. B. A1) oder einen Zellbereich (z. B. A1: B3) eingeben.

      -

      Verwenden Sie Lesezeichen

      +

      Diese Argumente können mit Funktionen MITTELWERT, ANZAHL, MAX, MIN, PRODUKT, SUMME verwendet werden.

      +

      Sie können auch manuell Verweise auf eine bestimmte Zelle (z. B. A1) oder einen Zellbereich (z. B. A1:B3) eingeben.

      +

      Lesezeichen verwenden

      Wenn Sie bestimmten Zellen in Ihrer Tabelle Lesezeichen hinzugefügt haben, können Sie diese Lesezeichen als Argumente bei der Eingabe von Formeln verwenden.

      -

      Platzieren Sie im Fenster Formeleinstellungen den Mauszeiger in den Klammern im Eingabefeld Formel, in dem das Argument hinzugefügt werden soll, und wählen Sie in der Dropdown-Liste Lesezeichen einfügen eines der zuvor hinzugefügten Lesezeichen aus.

      +

      Platzieren Sie im Fenster Formeleinstellungen den Mauszeiger in den Klammern im Eingabefeld Formel, in dem das Argument hinzugefügt werden soll, und wählen Sie in der Dropdown-Liste Lesezeichen einfügen eines der zuvor hinzugefügten Lesezeichen aus.

      Formelergebnisse aktualisieren

      Wenn Sie einige Werte in den Tabellenzellen ändern, müssen Sie die Formelergebnisse manuell aktualisieren:

    -

    Um einen Hyperlink einzufügen können Sie auch die Tastenkombination STRG+K nutzen oder klicken Sie mit der rechten Maustaste an die Stelle an der Sie den Hyperlink einfügen möchten und wählen Sie die Option Hyperlink im Rechtsklickmenü aus.

    -

    Hinweis: Es ist auch möglich, ein Zeichen, Wort, eine Wortverbindung oder einen Textabschnitt mit der Maus oder über die Tastatur auszuwählen. Öffnen Sie anschließend das Menü für die Hyperlink-Einstellungen wie zuvor beschrieben. In diesem Fall erscheint im Feld Angezeigter Text der ausgewählte Textabschnitt.

    -

    Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo eingebene Text angezeigt. Sie können dem Link folgen, indem Sie die Taste STRG drücken und dann auf den Link in Ihrem Dokument klicken.

    +

    Um einen Hyperlink einzufügen, können Sie auch die Tastenkombination STRG+K nutzen oder klicken Sie mit der rechten Maustaste an die Stelle an der Sie den Hyperlink einfügen möchten und wählen Sie die Option Hyperlink im Rechtsklickmenü aus.

    +

    Es ist auch möglich, ein Zeichen, Wort, eine Wortverbindung oder einen Textabschnitt mit der Maus oder über die Tastatur auszuwählen. Öffnen Sie anschließend das Menü + für die Hyperlink-Einstellungen wie zuvor beschrieben. In diesem Fall erscheint im Feld Anzeigen der ausgewählte Textabschnitt.

    +

    Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo eingebene Text angezeigt. + Sie können den Link öffnen, indem Sie die Taste STRG drücken und dann auf den Link in Ihrem Dokument klicken.

    Um den hinzugefügten Hyperlink zu bearbeiten oder zu entfernen, klicken Sie mit der rechten Maustaste auf den Link, wählen Sie dann das Optionsmenü für den Hyperlink aus und klicken Sie anschließend auf Hyperlink bearbeiten oder Hyperlink entfernen.

    - + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddTableofFigures.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddTableofFigures.htm index 215d2639e..72ca40b85 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/AddTableofFigures.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/AddTableofFigures.htm @@ -16,43 +16,38 @@

    Abbildungsverzeichnis hinzufügen und formatieren

    Abbildungsverzeichnis bietet einen Überblick über Gleichungen, Abbildungen und Tabellen, die einem Dokument hinzugefügt wurden. Ähnlich wie bei einem Inhaltsverzeichnis werden in einem Abbildungsverzeichnis Objekte oder Textüberschriften mit einem bestimmten Stil aufgelistet, sortiert und angeordnet. Dies macht es einfach, sie in Ihrem Dokument zu referenzieren und zwischen Abbildungen zu navigieren. Klicken Sie auf den Link im als Links formatierten Abbildungsverzeichnis, und Sie werden direkt zur Abbildung oder Überschrift weitergeleitet. Alle Tabellen, Gleichungen, Diagramme, Zeichnungen, Schaubilder, Fotos oder anderen Arten von Illustration werden als Abbildungen dargestellt. -

    Registerkarte Verweise

    +

    Registerkarte Verweise

    Um ein Abbildungsverzeichnis hinzuzufügen im Dokumenteneditor, öffnen Sie die Registerkarte Verweise und klicken Sie auf das Symbol Abbildungsverzeichnis , um ein Abbildungsverzeichnis zu erstellen und formatieren. Verwenden Sie die Schaltfläche Aktualisieren, um das Abbildungsverzeichnis jedes Mal zu aktualisieren, wenn Sie Ihrem Dokument eine neue Abbildung hinzufügen.

    Abbildungsverzeichnis erstellen

    -

    Hinweis: Sie können ein Abbildungsverzeichnis entweder mit Beschriftungen oder mit Stilen erstellen. Eine Beschriftung soll jeder Gleichung, jedem Abbildungsverzeichnis hinzugefügt werden, oder ein Stil soll auf dem Text angewendet werden, damit der Text korrekt in ein Abbildungsverzeichnis aufgenommen ist.

    +

    Sie können ein Abbildungsverzeichnis entweder mit Beschriftungen oder mit Stilen erstellen. Eine Beschriftung soll jeder Gleichung, jedem Abbildungsverzeichnis hinzugefügt werden, oder ein Stil soll auf dem Text angewendet werden, damit der Text korrekt in ein Abbildungsverzeichnis aufgenommen ist.

      -
    1. - Wenn Sie Beschriftungen oder Stile hinzugefügt haben, positionieren Sie den Cursor an der Stelle, an der Sie ein Abbildungsverzeichnis einfügen möchten, und wechseln Sie zur Registerkarte Verweise. Klicken Sie auf die Schaltfläche Abbildungsverzeichnis, um das Dialogfeld Abbildungsverzeichnis zu öffnen und eine Liste der Abbildungen zu erstellen. +
    2. Wenn Sie Beschriftungen oder Stile hinzugefügt haben, positionieren Sie den Cursor an der Stelle, an der Sie ein Abbildungsverzeichnis einfügen möchten, und wechseln Sie zur Registerkarte Verweise. Klicken Sie auf die Schaltfläche Abbildungsverzeichnis, um das Dialogfeld Abbildungsverzeichnis zu öffnen und eine Liste der Abbildungen zu erstellen.

      Abbildungsverzeichnis - Einstellungen

    3. -
    4. - Wählen Sie eine Option zum Erstellen eines Abbildungsverzeichnisses aus Beschriftungen oder Stilen. - +
    5. Wählen Sie eine Option zum Erstellen eines Abbildungsverzeichnisses aus Beschriftungen oder Stilen. +

    Abbildungsverzeichnis formatieren

    @@ -65,8 +60,7 @@

    Form - Erweiterte Einstellungen

    -

    Die Registerkarte Gewichte und Pfeile enthält die folgenden Parameter:

    +

    Die Registerkarte Stärken und Pfeile enthält die folgenden Parameter:

    diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertDropCap.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertDropCap.htm index 8c9ca92c1..2b507b80c 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertDropCap.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertDropCap.htm @@ -20,26 +20,27 @@
    1. Positionieren Sie den Mauszeiger an der gewünschten Stelle.
    2. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen.
    3. -
    4. klicken Sie in der oberen Symbolleiste auf das Symbol
      Initial einfügen.
    5. -
    6. Wählen Sie im geöffneten Listenmenü die gewünschte Option: +
    7. Klicken Sie in der oberen Symbolleiste auf das Symbol
      Initialbuchstaben.
    8. +
    9. Wählen Sie im geöffneten Listenmenü die gewünschte Option: +

    Beispiel für ein InitialDas erste Zeichen des ausgewählten Absatzes wird in ein Initial umgewandelt. Wenn das Initial mehrere Zeichen umfassen soll, fügen Sie diese manuell hinzu - wählen Sie das Initial aus und geben Sie die restlichen gewünschten Buchstaben ein.

    -

    Um das Initial anzupassen (d.h. Schriftgrad, Typ, Formatvorlage oder Farbe), markieren Sie den Buchstaben und nutzen Sie die entsprechenden Symbole in der Registerkarte Start in der oberen Symbolleiste.

    -

    Wenn das Initial markiert ist, wird es von einem Rahmen umgeben (eine Box, um das Initial auf der Seite zu positionieren). Sie können die Rahmengröße leicht ändern, indem Sie mit dem Mauszeiger an den Rahmenlinien ziehen, oder die Position ändern, indem Sie auf das Symbol klicken, das angezeigt wird, wenn Sie den Mauszeiger über den Rahmen bewegen.

    -

    Um das hinzugefügte Initial zu löschen, wählen Sie es aus, klicken Sie in der Registerkarte Einfügen auf das Symbol Intial und wählen Sie die Option Keins aus dem Listenmenü aus.

    +

    Um das Initial anzupassen (d.h. Schriftgrad, Typ, Formatvorlage oder Farbe), markieren Sie den Buchstaben und nutzen Sie die entsprechenden Symbole in der Registerkarte Startseite in der oberen Symbolleiste.

    +

    Wenn das Initial markiert ist, wird es von einem Rahmen umgeben (eine Box, um das Initial auf der Seite zu positionieren). Sie können die Rahmengröße leicht ändern, indem Sie mit dem Mauszeiger an den Rahmenlinien ziehen, oder die Position ändern, indem Sie auf das Symbol klicken, das angezeigt wird, wenn Sie den Mauszeiger über den Rahmen bewegen.

    +

    Um das hinzugefügte Initial zu löschen, wählen Sie es aus, klicken Sie in der Registerkarte Einfügen auf das Symbol Intial und wählen Sie die Option Keins aus dem Listenmenü aus.


    -

    Um die Parameter des hinzugefügten Initials anzupassen, wählen Sie es aus, klicken Sie in der Registerkarte Einfügen auf die Option Initial und wählen Sie die Option Initialformatierung aus dem Listenmenü aus. Das Fenster Initial - Erweiterte Einstellungen wird geöffnet:

    +

    Um die Parameter des hinzugefügten Initials anzupassen, wählen Sie es aus, klicken Sie in der Registerkarte Einfügen auf die Option Initialbuchstaben und wählen Sie die Option Initialformatierung aus dem Listenmenü aus. Das Fenster Initialbuchstaben - Erweiterte Einstellungen wird geöffnet:

    Initial - Erweiterte Einstellungen

    -

    Über die Gruppe Initial können Sie die folgenden Parameter festlegen:

    +

    Über die Gruppe Initialbuchstaben können Sie die folgenden Parameter festlegen:

    Initial - Erweiterte Einstellungen

    Auf der Registerkarte Rahmen & Füllung können Sie dem Initial einen Rahmen hinzufügen und die zugehörigen Parameter anpassen. Folgende Parameter lassen sich anpassen:

    @@ -57,9 +58,12 @@
  • Position - wird genutzt, um den Textumbruch Fixiert oder Schwebend zu wählen. Alternativ können Sie auf Keine klicken, um den Rahmen zu löschen.
  • Breite und Höhe - zum Ändern der Rahmendimensionen. Über die Option Auto können Sie die Rahmengröße automatisch an das Initial anpassen. Im Feld Genau können Sie bestimmte Werte festlegen. Mit der Option Mindestens wird der Wert für die Mindesthöhe festgelegt (wenn Sie die Größe des Initials ändern, ändert sich die Rahmenhöhe entsprechend, wird jedoch nicht kleiner als der angegebene Wert).
  • Über die Parameter Horizontal kann die genaue Position des Rahmens in den gewählten Maßeinheiten in Bezug auf den Randn, die Seite oder die Spalte, oder um den Rahmen (links, zentriert oder rechts) in Bezug auf einen der Referenzpunkte auszurichten. Sie können auch die horizontale Distanz vom Text festlegen, d.h. den Platz zwischen dem Text des Absatzes und den horizontalen Rahmenlinien des Rahmens.
  • -
  • Die Parameter Vertikal werden genutzt, entweder um die genaue Position des Rahmens in gewählten Maßeinheiten relativ zu einem Rand, einer Seite oder einem Absatz festzulegen oder um den Rahmen (oben, zentriert oder unten) relativ zu einem dieser Referenzpunkte auszurichten. Außerdem können auch den vertikalen Abstand des Texts festlegen, also den Abstand zwischen den horizontalen Rahmenrändern und dem Text des Absatzes.
  • +
  • Die Parameter Vertikal werden genutzt, entweder um die genaue Position des Rahmens in gewählten Maßeinheiten relativ zu einem Rand, einer Seite oder einem Absatz festzulegen oder um den Rahmen (oben, zentriert oder unten) relativ zu einem dieser Referenzpunkte auszurichten. Außerdem können auch den vertikalen Abstand von Text festlegen, also den Abstand zwischen den horizontalen Rahmenrändern und dem Text des Absatzes.
  • Mit Text verschieben - kontrolliert, ob der Rahmen verschoben wird, wenn der Absatz, mit dem der Rahmen verankert ist, verschoben wird.
  • -

    Über die Gruppen Rahmen & Füllung und Ränder können sie dieselben Parameter festlegen wie über die gleichnamigen Gruppen im Fenster Initial - Erweiterte Einstellungen.

    +

    Über die Gruppen Rahmen & Füllung und Ränder können sie dieselben Parameter festlegen wie über die gleichnamigen Gruppen im Fenster Initialbuchstaben - Erweiterte Einstellungen.

    + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEndnotes.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEndnotes.htm index 255dca440..e39ca232b 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEndnotes.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEndnotes.htm @@ -22,7 +22,7 @@
  • positionieren Sie den Einfügepunkt am Ende der Textpassage, der Sie eine Endnote hinzufügen möchten,
  • wechseln Sie in der oberen Symbolleiste zur Registerkarte Verweise,
  • - klicken Sie auf das Symbol
    Fußnote in der oberen Symbolleiste oder
    klicken Sie auf den Pfeil neben dem Symbol
    Fußnote und wählen Sie die Option Endnote einfügen aus dem Menü aus.
    + klicken Sie auf das Symbol
    Fußnote in der oberen Symbolleiste oder
    klicken Sie auf den Pfeil neben dem Symbol
    Fußnote und wählen Sie die Option Endnote einfügen aus dem Menü aus.

    Das Endnotenzeichen (d.h. das hochgestellte Zeichen, das eine Endnote anzeigt) wird im Dokumenttext angezeigt und die Textmarke springt zum Ende des Dokuments.

  • geben Sie den Text der Endnote ein.
  • @@ -41,48 +41,51 @@

    Endnoten bearbeiten

    Um die Einstellungen der Endnoten zu ändern,

      -
    1. klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
      Fußnote.
    2. -
    3. wählen Sie die Option Hinweise Einstellungen aus dem Menü aus,
    4. -
    5. ändern Sie im Fenster Hinweise Einstellungen die aktuellen Parameter:

      Fenster Endnoteneinstellungen

      +
    6. Klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
      Fußnote.
    7. +
    8. Wählen Sie die Option Hinweise Einstellungen aus dem Menü aus.
    9. +
    10. + Ändern Sie im Fenster Hinweise Einstellungen die aktuellen Parameter: +

      Fenster Endnoteneinstellungen

      +
    11. + Passen Sie den Format der Endnoten an: + +
    12. +
    13. + Legen Sie in der Dropdown-Liste Änderungen anwenden fest, ob Sie die angegebenen Endnoteneinstellungen auf das ganze Dokument oder nur den aktuellen Abschnitt anwenden wollen. +

      Um unterschiedliche Endnotenformatierungen in verschiedenen Teilen des Dokuments zu verwenden, müssen Sie zunächst Abschnittsumbrüche einfügen.

      +
    14. +
    15. Wenn Sie bereits sind, klicken Sie auf Anwenden.

    Endnoten entfernen

    Um eine einzelne Endnote zu entfernen, positionieren Sie den Einfügepunkt direkt vor der Endnotenmarkierung und drücken Sie auf ENTF. Andere Endnoten werden automatisch neu nummeriert.

    -

    Um alle Endnoten in einem Dokument zu entfernen,

    +

    Um alle Endnoten in einem Dokument zu entfernen:

      -
    1. klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
      Fußnote,
    2. -
    3. Wählen Sie die Option Alle Anmerkungen löschen aus dem Menü aus und klicken Sie auf die Option Alle Endnoten löschen im geöffneten Fenster Anmerkungen löschen.
    4. +
    5. Klicken Sie auf den Pfeil neben dem Symbol
      Fußnote auf der Registerkarte Verweise in der oberen Symbolleiste.
    6. +
    7. Wählen Sie im Menü die Option Alle Anmerkungen löschen.
    8. +
    9. Wählen Sie im erscheinenden Fenster die Option Alle Endnoten löschen und klicken Sie auf OK.
    diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm index b119dfa54..aedba2e75 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm @@ -10,33 +10,35 @@ -
    -
    - -
    -

    Formeln einfügen

    +
    +
    + +
    +

    Formeln einfügen

    Mit dem Dokumenteneditor können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.).

    Eine neue Formel einfügen

    Eine Formel aus den Vorlagen einfügen:

    -
      -
    1. Positionieren Sie den Mauszeiger an der gewünschten Stelle.
    2. +
        +
      1. Positionieren Sie den Mauszeiger an der gewünschten Stelle.
      2. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen.
      3. -
      4. Klicken Sie auf den Pfeil neben dem Symbol
        Formel.
      5. -
      6. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operators, Matrizen.
      7. +
      8. Klicken Sie auf den Pfeil neben dem Symbol
        Formel.
      9. +
      10. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operators, Matrizen.
      11. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Gleichung.
      12. -
      -

      Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt. Wenn die ausgewählte Zeile leer ist, wird die Gleichung zentriert. Um die Formel links- oder rechtsbündig auszurichten, klicken Sie auf der Registerkarte Start auf oder .

      +
    +

    Das ausgewählte Symbol/die ausgewählte Formel wird an der aktuellen Cursorposition eingefügt. Wenn die ausgewählte Zeile leer ist, wird die Gleichung zentriert. Um die Formel links- oder rechtsbündig auszurichten, klicken Sie auf der Registerkarte Startseite auf oder .

    -

    Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie in alle Platzhalter die gewünschten Werte ein.

    -

    Hinweis: Um eine Gleichung zu erstellen, können Sie auch die Tastenkombination Alt + = verwenden.

    +

    Jede Gleichungsvorlage repräsentiert einen Satz von Slots. Ein Slot ist eine Position für jedes Element, aus dem die Gleichung besteht. Ein leerer Platz (auch als Platzhalter bezeichnet) hat einen gepunkteten Umriss . Sie müssen alle Platzhalter mit den erforderlichen Werten ausfüllen.

    +

    Um eine Gleichung zu erstellen, können Sie auch die Tastenkombination Alt + = verwenden.

    +

    Es ist auch möglich, der Gleichung eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Beschriftungen für Gleichungen finden Sie in diesem Artikel.

    Werte eingeben

    Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt mithilfe der Tastaturpfeile um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten.

    Wenn Sie unter dem Slot einen neuen Platzhalter erstellen wollen, positionieren Sie den Cursor in der ausgwählten Vorlage und drücken Sie die Eingabetaste.

    -

    Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in den Platzhaltern einfügen:

    -

    Hinweis: aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben werden, d.h. \sqrt(4&x^3).

    +

    Aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben werden, d.h. \sqrt(4&x^3).

    Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden.

    Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Wenn Sie einen manuellen Zeilenumbruch eingefügt haben können Sie die neue Zeile mithilfe der Tab- Taste an die mathematischen Operatoren der vorherigen Zeile anpassen und die Zeile entsprechend ausrichten. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen.

    Formeln formatieren

    -

    Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst.

    -

    Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel nötig und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.

    +

    Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Startseite oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst.

    +

    Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel nötig und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Startseite, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.

    Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern:

    +
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertFootnotes.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertFootnotes.htm index a2dfe8fe0..1104b573a 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertFootnotes.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertFootnotes.htm @@ -19,9 +19,11 @@

    Fußnoten einfügen

    Eine Fußnote einfügen:

      -
    1. positionieren Sie den Einfügepunkt am Ende der Textpassage, der Sie eine Fußnote hinzufügen möchten,
    2. -
    3. wechseln Sie in der oberen Symbolleiste auf die Registerkarte Verweise,
    4. -
    5. klicken Sie auf das Symbol
      Fußnote in der oberen Symbolleiste oder
      klicken Sie auf den Pfeil neben dem Symbol
      Fußnote und wählen Sie die Option Fußnote einfügen aus dem Menü aus. +
    6. Positionieren Sie den Einfügepunkt am Ende der Textpassage, der Sie eine Fußnote hinzufügen möchten.
    7. +
    8. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Verweise.
    9. +
    10. + Klicken Sie auf das Symbol
      Fußnote in der oberen Symbolleiste oder
      + klicken Sie auf den Pfeil neben dem Symbol
      Fußnote und wählen Sie die Option Fußnote einfügen aus dem Menü aus.

      Das Fußnotenzeichen (d.h. das hochgestellte Zeichen, das eine Fußnote anzeigt) wird im Dokumenttext angezeigt und die Textmarke springt an das unteren Ende der aktuellen Seite.

    11. Geben Sie den Text der Fußnote ein.
    12. @@ -34,50 +36,58 @@

      Navigieren durch Fußnoten

      Um zwischen den hinzugefügten Fußnoten im Dokument zu navigieren,

        -
      1. klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
        Fußnote,
      2. -
      3. navigieren Sie im Abschnitt Zu Fußnoten übergehen über die Pfeile
        und
        zur nächsten oder zur vorherigen Fußnote.
      4. +
      5. Klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
        Fußnote.
      6. +
      7. Navigieren Sie im Abschnitt Zu Fußnoten übergehen über die Pfeile
        und
        zur nächsten oder zur vorherigen Fußnote.
      -

      Fußnoten bearbeiten

      Um die Einstellungen der Fußnoten zu ändern,

        -
      1. klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
        Fußnote.
      2. -
      3. wählen Sie die Option Hinweise Einstellungen aus dem Menü aus,
      4. -
      5. ändern Sie im Fenster Hinweise Einstellungen die aktuellen Parameter:

        Fenster Fußnoteneinstellungen

        -
          -
        • Markieren Sie das Kästchen Fußnote, um nur die Fußnoten zu bearbeiten.
        • -
        • Legen Sie die Position der Fußnoten auf der Seite fest, indem Sie eine der verfügbaren Optionen aus dem Drop-Down-Menü rechts auswählen:
            -
          • Seitenende - um Fußnoten am unteren Seitenrand zu positionieren (diese Option ist standardmäßig ausgewählt).
          • -
          • Unter dem Text - um Fußnoten dicht am entsprechenden Textabschnitt zu positionieren. Diese Option ist nützlich, wenn eine Seite nur einen kurzen Textabschnitt enthält.
          • -
          -
        • -
        • Format der Fußnoten anpassen:
            -
          • Zahlenformat - wählen Sie das gewünschte Format aus der Liste mit verfügbaren Formaten aus: 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,....
          • -
          • Starten - über die Pfeiltasten können Sie festlegen, bei welchem Buchstaben oder welcher Zahl Sie beginnen möchten.
          • -
          • Nummerierung - wählen Sie aus, auf welche Weise Sie Ihre Fußnoten nummerieren möchten:
              -
            • Kontinuierlich - um Fußnoten im gesamten Dokument fortlaufend zu nummerieren.
            • -
            • Jeden Abschnitt neu beginnen - die Nummerierung der Fußnoten beginnt in jedem neuen Abschnitt wieder bei 1 (oder einem anderen festgelegten Wert).
            • -
            • Jede Seite neu beginnen - die Nummerierung der Fußnoten beginnt auf jeder neuen Seite wieder bei 1 (oder einem anderen festgelegten Wert).
            • -
            +
          • Klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
            Fußnote.
          • +
          • Wählen Sie die Option Hinweise Einstellungen aus dem Menü aus.
          • +
          • + Ändern Sie im Fenster Hinweise Einstellungen die aktuellen Parameter: +

            Fenster Fußnoteneinstellungen

            +
              +
            • Markieren Sie das Kästchen Fußnote, um nur die Fußnoten zu bearbeiten.
            • +
            • + Legen Sie die Position der Fußnoten auf der Seite fest, indem Sie eine der verfügbaren Optionen aus dem Drop-Down-Menü rechts auswählen: +
                +
              • Seitenende - um Fußnoten am unteren Seitenrand zu positionieren (diese Option ist standardmäßig ausgewählt).
              • +
              • Unter dem Text - um Fußnoten dicht am entsprechenden Textabschnitt zu positionieren. Diese Option ist nützlich, wenn eine Seite nur einen kurzen Textabschnitt enthält.
              • +
              +
            • +
            • + Passen Sie den Format der Fußnoten an: +
                +
              • Zahlenformat - wählen Sie das gewünschte Format aus der Liste mit verfügbaren Formaten aus: 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,....
              • +
              • Starten - über die Pfeiltasten können Sie festlegen, bei welchem Buchstaben oder welcher Zahl Sie beginnen möchten.
              • +
              • + Nummerierung - wählen Sie aus, auf welche Weise Sie Ihre Fußnoten nummerieren möchten: +
                  +
                • Kontinuierlich - um Fußnoten im gesamten Dokument fortlaufend zu nummerieren.
                • +
                • Jeden Abschnitt neu beginnen - die Nummerierung der Fußnoten beginnt in jedem neuen Abschnitt wieder bei 1 (oder einem anderen festgelegten Wert).
                • +
                • Jede Seite neu beginnen - die Nummerierung der Fußnoten beginnt auf jeder neuen Seite wieder bei 1 (oder einem anderen festgelegten Wert).
                • +
                +
              • +
              • Benutzerdefiniert - legen Sie ein Sonderzeichen oder ein Wort fest, das Sie als Fußnotenzeichen verwenden möchten (z. B. * oder Note1). Geben Sie das gewünschte Wort/Zeichen in das dafür vorgesehene Feld ein und klicken Sie auf Einfügen im Fenster Hinweise Einstellungen.
              • +
              +
            • +
            • + Legen Sie in der Dropdown-Liste Änderungen anwenden fest, ob Sie die angegebenen Fußnoteneinstellungen auf das ganze Dokument oder nur den aktuellen Abschnitt anwenden wollen. +

              Um unterschiedliche Fußnotenformatierungen in verschiedenen Teilen des Dokuments zu verwenden, müssen Sie zunächst Abschnittsumbrüche einfügen.

            • -
            • Benutzerdefiniert - Legen Sie ein Sonderzeichen oder ein Wort fest, das Sie als Fußnotenzeichen verwenden möchten (z. B. * oder Note1). Geben Sie das gewünschte Wort/Zeichen in das dafür vorgesehene Feld ein und klicken Sie auf Einfügen im Fenster Hinweise Einstellungen.
          • -
          • Legen Sie in der Dropdown-Liste Änderungen anwenden fest, ob Sie die angegebenen Fußnoteneinstellungen auf das ganze Dokument oder nur den aktuellen Abschnitt anwenden wollen. -

            Hinweis: Um unterschiedliche Fußnotenformatierungen in verschiedenen Teilen des Dokuments zu verwenden, müssen Sie zunächst Abschnittsumbrüche einfügen.

            -
          • -
          -
        • Wenn Sie bereits sind, klicken Sie auf Anwenden.
      - -
      +

      Fußnoten entfernen

      Um eine einzelne Fußnote zu entfernen, positionieren Sie den Einfügepunkt direkt vor der Fußnotenmarkierung und drücken Sie auf ENTF. Andere Fußnoten werden automatisch neu nummeriert.

      Um alle Fußnoten in einem Dokument zu entfernen,

        -
      1. klicken Sie auf der Registerkarte Verweise in der oberen Symbolleiste auf den Pfeil neben dem Symbol
        Fußnote,
      2. -
      3. wählen Sie die Option Alle Anmerkungen löschen aus dem Menü aus und klicken Sie auf die Option Alle Fußnoten löschen im geöffneten Fenster Anmerkungen löschen.
      4. +
      5. Klicken Sie auf den Pfeil neben dem Symbol
        Fußnote auf der Registerkarte Verweise in der oberen Symbolleiste.
      6. +
      7. Wählen Sie im Menü die Option Alle Anmerkungen löschen.
      8. +
      9. Wählen Sie im erscheinenden Fenster die Option Alle Fußnoten löschen und klicken Sie auf OK.
      diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertHeadersFooters.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertHeadersFooters.htm index 2426f7aea..7bc7d2166 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertHeadersFooters.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertHeadersFooters.htm @@ -15,28 +15,32 @@

      Kopf- und Fußzeilen einfügen

      -

      Kopf- oder Fußzeile hinzuzufügen oder die vorhandene Kopf- oder Fußzeile bearbeiten im Dokumenteneditor:

      +

      Um eine neue Kopf-/Fußzeile hinzuzufügen oder zu entfernen oder eine bereits vorhandene Dokumenteneditor zu bearbeiten:

      1. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen.
      2. -
      3. Klicken Sie aufs Symbol
        Kopf-/Fußzeile bearbeiten
      4. -
      5. Wählen Sie eine der folgenden Optionen:
          +
        • Klicken Sie auf das Symbol
          Kopf-/Fußzeile bearbeiten.
        • +
        • Wählen Sie eine der folgenden Optionen: +
          • Kopfzeile bearbeiten, um den Text in der Kopfzeile einzugeben oder zu bearbeiten.
          • Fußzeile bearbeiten, um den Text in der Fußzeile einzugeben oder zu bearbeiten.
          • +
          • Kopfzeile entfernen, um die Kopfzeile zu löschen.
          • +
          • Fußzeile entfernen, um die Fußzeile zu löschen.
        • -
        • Ändern der aktuellen Parameter für die Kopf- oder Fußzeile in der rechten Seitenleiste:

          Rechte Seitenleiste - Kopf- und Fußzeileneinstellungen

          +
        • Ändern der aktuellen Parameter für die Kopf- oder Fußzeile in der rechten Seitenleiste: +

          Rechte Seitenleiste - Kopf- und Fußzeileneinstellungen

            -
          • Legen Sie die aktuelle Position des Texts relativ zum Seitenanfang (für Kopfzeilen) oder zum Seitenende (für Fußzeilen) fest.
          • -
          • Wenn Sie der ersten Seite eine andere oder keine Kopf- oder Fußzeile zuweisen wollen, aktivieren Sie die Option Erste Seite anders.
          • -
          • Mit der Option Gerade & ungerade Seiten unterschiedlich können Sie geraden und ungeraden Seiten unterschiedliche Kopf- oder Fußzeilen zuweisen.
          • -
          • Die Option Mit vorheriger verknüpfen ist verfügbar, wenn Sie zuvor Abschnitte in Ihr Dokument eingefügt haben. Sind keine Abschnitte vorhanden, ist die Option ausgeblendet. Außerdem ist diese Option auch für den allerersten Abschnitt nicht verfügbar (oder wenn eine Kopf- oder Fußzeile ausgewählt ist, die zu dem ersten Abschnitt gehört). Standardmäßig ist dieses Kontrollkästchen aktiviert, sodass die selbe Kopf-/Fußzeile auf alle Abschnitte angewendet wird. Wenn Sie einen Kopf- oder Fußzeilenbereich auswählen, sehen Sie, dass der Bereich mit der Verlinkung Wie vorherige markiert ist. Deaktivieren Sie das Kontrollkästchen Wie vorherige, um für jeden Abschnitt des Dokuments eine andere Kopf-/Fußzeile zu verwenden. Die Markierung Wie vorherige wird nicht mehr angezeigt.
          • -
          -

          Wie vorherige Markierung

          +
        • Legen Sie die aktuelle Position des Texts relativ zum Seitenanfang (für Kopfzeilen) oder zum Seitenende (für Fußzeilen) fest.
        • +
        • Wenn Sie der ersten Seite eine andere oder keine Kopf- oder Fußzeile zuweisen wollen, aktivieren Sie die Option Erste Seite anders.
        • +
        • Mit der Option Gerade & ungerade Seiten unterschiedlich können Sie geraden und ungeraden Seiten unterschiedliche Kopf- oder Fußzeilen zuweisen.
        • +
        • Die Option Mit vorheriger verknüpfen ist verfügbar, wenn Sie zuvor Abschnitte in Ihr Dokument eingefügt haben. Sind keine Abschnitte vorhanden, ist die Option ausgeblendet. Außerdem ist diese Option auch für den allerersten Abschnitt nicht verfügbar (oder wenn eine Kopf- oder Fußzeile ausgewählt ist, die zu dem ersten Abschnitt gehört). Standardmäßig ist dieses Kontrollkästchen aktiviert, sodass die selbe Kopf-/Fußzeile auf alle Abschnitte angewendet wird. Wenn Sie einen Kopf- oder Fußzeilenbereich auswählen, sehen Sie, dass der Bereich mit der Verlinkung Wie vorherige markiert ist. Deaktivieren Sie das Kontrollkästchen Wie vorherige, um für jeden Abschnitt des Dokuments eine andere Kopf-/Fußzeile zu verwenden. Die Markierung Wie vorherige wird nicht mehr angezeigt.
        • +
        +

        Wie vorherige Markierung

      Um einen Text einzugeben oder den bereits vorhandenen Text zu bearbeiten und die Einstellungen der Kopf- oder Fußzeilen zu ändern, können Sie auch im oberen oder unteren Bereich der Seite einen Doppelklick ausführen oder in diesem Bereich die rechte Maustaste klicken und über das Kontextmenü die gewünschte Option wählen: Kopfzeile bearbeiten oder Fußzeile bearbeiten.

      Um zur Dokumentbearbeitung zurückzukehren, führen Sie einen Doppelklick im Arbeitsbereich aus. Der Inhalt Ihrer Kopf- oder Fußzeile wird grau angezeigt.

      -

      Hinweis: Für Informationen über die Erstellung von Seitenzahlen, lesen Sie bitte den Abschnitt Seitenzahlen einfügen.

      +

      Für Informationen über die Erstellung von Seitenzahlen, lesen Sie bitte den Abschnitt Seitenzahlen einfügen.

      diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertPageNumbers.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertPageNumbers.htm index 2d01d5442..d187072df 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertPageNumbers.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertPageNumbers.htm @@ -18,24 +18,31 @@

      Um Seitenzahlen in ein Dokument einfügen im Dokumenteneditor:

      1. Wechseln Sie zu der oberen Symbolleiste auf die Registerkarte Einfügen.
      2. -
      3. Klicken Sie in der oberen Symbolleiste auf das Symbol Kopf- und Fußzeile bearbeiten
        .
      4. +
      5. Klicken Sie in der oberen Symbolleiste auf das Symbol Kopf- und Fußzeile bearbeiten
        .
      6. Klicken Sie auf Seitenzahl einfügen.
      7. Wählen Sie eine der folgenden Optionen:
        • Wählen Sie die Position der Seitenzahl aus, um zu jeder Dokumentseite eine Seitenzahl hinzuzufügen.
        • -
        • Um an der aktuellen Zeigerposition eine Seitenzahl einzufügen, wählen Sie die Option An aktueller Position. +
        • + Um an der aktuellen Zeigerposition eine Seitenzahl einzufügen, wählen Sie die Option An aktueller Position.

          - Hinweis: Um in der aktuellen Seite an der derzeitigen Position eine Seitennummer einzufügen, kann die Tastenkombination STRG+UMSCHALT+P benutzt werden. + Um in der aktuellen Seite an der derzeitigen Position eine Seitennummer einzufügen, kann die Tastenkombination STRG+UMSCHALT+P benutzt werden.

      -

      Um die Anzahl der Seiten einfügen (z.B. wenn Sie den Eintrag Seite X von Y erstellen möchten):

      +

      ODER

        -
      1. Platzieren Sie den Zeiger an die Position an der Sie die Anzahl der Seiten einfügen wollen.
      2. -
      3. Klicken Sie in der oberen Symbolleiste auf das Symbol Kopf- und Fußzeile bearbeiten
        .
      4. +
      5. Wechseln Sie zur Registerkarte Einfügen der oberen Symbolleiste.
      6. +
      7. Klicken Sie auf das Symbol Kopf- und Fußzeile
        in der oberen Symbolleiste.
      8. +
      9. Klicken Sie im Menü auf die Option Seitenzahl einfügen und wählen Sie die Position der Seitenzahl.
      10. +
      +

      Um die Anzahl der Seiten einfügen (z.B. wenn Sie den Eintrag Seite X von Y erstellen möchten):

      +
        +
      1. Positionieren Sie den Zeiger an die Position, an der Sie die Anzahl der Seiten einfügen wollen.
      2. +
      3. Klicken Sie in der oberen Symbolleiste auf das Symbol Kopf- und Fußzeile bearbeiten
        .
      4. Wählen Sie die Option Anzahl der Seiten einfügen.

      @@ -43,14 +50,25 @@
      1. Klicken Sie zweimal auf die hinzugefügte Seitenzahl.
      2. - Ändern Sie die aktuellen Parameter in der rechten Seitenleiste:

        Rechte Seitenleiste - Kopf- und Fußzeileneinstellungen

        + Ändern Sie die aktuellen Parameter in der rechten Seitenleiste: +

        Rechte Seitenleiste - Kopf- und Fußzeileneinstellungen

        • Legen Sie die aktuelle Position der Seitenzahlen auf der Seite sowie im Verhältnis zum oberen und unteren Teil der Seite fest.
        • Wenn Sie der ersten Seite eine andere Zahl zuweisen wollen oder als dem restlichen Dokument oder keine Seitenzahl auf der ersten Seite einfügen wollen, aktivieren Sie die Option Erste Seite anders.
        • Wenn Sie geraden und ungeraden Seiten unterschiedliche Seitenzahlen hinzufügen wollen, aktivieren Sie die Option Gerade & ungerade Seiten unterschiedlich.
        • -
        • Die Option Mit vorheriger verknüpfen ist verfügbar, wenn Sie zuvor Abschnitte in Ihr Dokument eingefügt haben. Sind keine Abschnitte vorhanden, ist die Option ausgeblendet. Außerdem ist diese Option auch für den allerersten Abschnitt nicht verfügbar (oder wenn eine Kopf- oder Fußzeile ausgewählt ist, die zu dem ersten Abschnitt gehört). Standardmäßig ist dieses Kontrollkästchen aktiviert, sodass auf alle Abschnitte die vereinheitlichte Nummerierung angewendet wird. Wenn Sie einen Kopf- oder Fußzeilenbereich auswählen, sehen Sie, dass der Bereich mit der Verlinkung Wie vorherige markiert ist. Deaktivieren Sie das Kontrollkästchen Wie vorherige, um in jedem Abschnitt des Dokuments eine andere Seitennummerierung anzuwenden. Die Markierung Wie vorherige wird nicht mehr angezeigt.
        • +
        • + Die Option Mit vorheriger verknüpfen ist verfügbar, wenn Sie zuvor Abschnitte in Ihr Dokument eingefügt haben. + Sind keine Abschnitte vorhanden, ist die Option ausgeblendet. Außerdem ist diese Option auch für den allerersten Abschnitt nicht verfügbar (oder wenn eine Kopf- oder Fußzeile ausgewählt ist, die zu dem ersten Abschnitt gehört). + Standardmäßig ist dieses Kontrollkästchen aktiviert, sodass auf alle Abschnitte die vereinheitlichte Nummerierung angewendet wird. Wenn Sie einen Kopf- oder Fußzeilenbereich auswählen, sehen Sie, dass der Bereich mit der Verlinkung Wie vorherige markiert ist. + Deaktivieren Sie das Kontrollkästchen Wie vorherige, um in jedem Abschnitt des Dokuments eine andere Seitennummerierung anzuwenden. Die Markierung Wie vorherige wird nicht mehr angezeigt. +

          Same as previous label

          +
        • +
        • + Der Abschnitt Seitennummerierung ermöglicht das Anpassen der Seitennummerierungsoptionen in verschiedenen Abschnitten des Dokuments. + Die Option Fortsetzen vom vorherigen Abschnitt ist standardmäßig ausgewählt und ermöglicht es, die fortlaufende Seitennummerierung nach einem Abschnittswechsel beizubehalten. + Wenn Sie die Seitennummerierung mit einer bestimmten Nummer im aktuellen Abschnitt des Dokuments beginnen möchten, wählen Sie das Optionsfeld Starten mit und geben Sie den gewünschten Startwert in das Feld rechts ein. +
        -

        Wie vorherige Markierung

      Um zur Dokumentbearbeitung zurückzukehren, führen Sie einen Doppelklick im Arbeitsbereich aus.

      diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertReferences.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertReferences.htm index dc8e49099..8637af433 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertReferences.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertReferences.htm @@ -21,10 +21,11 @@

      ONLYOFFICE mit Mendeley verbinden

      1. Melden Sie sich bei Ihrem Mendeley-Konto an.
      2. -
      3. Wechseln Sie in Ihrem Dokument zur Registerkarte Plugins und wählen Sie
        Mendeley aus. Eine Seitenleiste wird links in Ihrem Dokument geöffnet.
      4. - Klicken Sie auf die Schaltfläche Link kopieren und Formular öffnen.
        - Der Browser öffnet ein Formular auf der Mendeley-Seite. Füllen Sie dieses Formular aus und notieren Sie die Anwendungs-ID für ONLYOFFICE. -
      5. +
      6. Wechseln Sie in Ihrem Dokument zur Registerkarte Plugins und wählen Sie
        Mendeley aus. Eine Seitenleiste wird links in Ihrem Dokument geöffnet.
      7. +
      8. + Klicken Sie auf die Schaltfläche Link kopieren und Formular öffnen.
        + Der Browser öffnet ein Formular auf der Mendeley-Seite. Füllen Sie dieses Formular aus und notieren Sie die Anwendungs-ID für ONLYOFFICE. +
      9. Wechseln Sie zurück zu Ihrem Dokument.
      10. Geben Sie die Anwendungs-ID ein und klicken Sie auf Speichern.
      11. Klicken Sie auf Anmelden.
      12. diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertSymbols.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertSymbols.htm index e15717d30..2f1d37107 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertSymbols.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertSymbols.htm @@ -15,8 +15,7 @@

        Symbole und Sonderzeichen einfügen

        -

        Während des Arbeitsprozesses im Dokumenteneditor wollen Sie ein Symbol einfügen, das sich nicht auf der Tastatur befindet. Um solche Symbole einzufügen, verwenden Sie die Option Symbol einfügen: -

        +

        Während des Arbeitsprozesses im Dokumenteneditor wollen Sie ein Symbol einfügen, das sich nicht auf der Tastatur befindet. Um solche Symbole einzufügen, verwenden Sie die Option Symbol einfügen:

        @@ -39,7 +38,7 @@

        ASCII-Symbole einfügen

        Man kann auch die ASCII-Tabelle verwenden, um die Zeichen und Symbole einzufügen.

        Drücken und halten Sie die ALT-Taste und verwenden Sie den Ziffernblock, um einen Zeichencode einzugeben.

        -

        Hinweis: verwenden Sie nur den Ziffernblock. Um den Ziffernblock zu aktivieren, drücken Sie die NumLock-Taste.

        +

        Verwenden Sie nur den Ziffernblock. Um den Ziffernblock zu aktivieren, drücken Sie die NumLock-Taste.

        Z.B., um das Paragraphenzeichen (§) einzufügen, drücken und halten Sie die ALT-Taste und geben Sie 789 ein, dann lassen Sie die ALT-Taste los.

        Symbole per Unicode-Tabelle einfügen

        diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertTables.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertTables.htm index 4de4645bb..e238d172c 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertTables.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/InsertTables.htm @@ -18,33 +18,43 @@

        Fügen Sie eine Tabelle ein

        So fügen Sie eine Tabelle in den Dokumenttext ein im Dokumenteneditor:

          -
        1. Plazieren Sie den Zeiger an der Stelle, an der die Tabelle plaziert werden soll.
        2. +
        3. Positionieren Sie den Zeiger an der Stelle, an der die Tabelle eingefügt werden soll.
        4. Wechseln Sie zur Registerkarte Einfügen in der oberen Symbolleiste.
        5. Klicken Sie auf das Tabellensymbol
          in der oberen Symbolleiste.
        6. -
        7. Wählen Sie die Option zum Erstellen einer Tabelle aus:
            -
          • -

            entweder eine Tabelle mit einer vordefinierten Anzahl von Zellen (maximal 10 mal 8 Zellen)

            -

            Wenn Sie schnell eine Tabelle hinzufügen möchten, wählen Sie einfach die Anzahl der Zeilen (maximal 8) und Spalten (maximal 10).

            -
          • -
          • -

            oder eine benutzerdefinierte Tabelle

            -

            Wenn Sie mehr als 10 x 8 Zellen benötigen, wählen Sie die Option Benutzerdefinierte Tabelle einfügen, um das Fenster zu öffnen, in dem Sie die erforderliche Anzahl von Zeilen bzw. Spalten eingeben können, und klicken Sie dann auf die Schaltfläche OK.

            -

            Benutzerdefinierte Tabelle

            -
          • -
          • - Wenn Sie eine Tabelle mit der Maus zeichnen möchten, wählen Sie die Option Tabelle zeichnen. Dies kann nützlich sein, wenn Sie eine Tabelle mit Zeilen und Spalten unterschiedlicher Größe erstellen möchten. Der Mauszeiger verwandelt sich in einen Bleistift
            . Zeichnen Sie eine rechteckige Form, in der Sie eine Tabelle hinzufügen möchten, und fügen Sie dann Zeilen hinzu, indem Sie horizontale Linien zeichnen, und Spalten, indem Sie vertikale Linien innerhalb der Tabellengrenze zeichnen. -
          • -
          • - Wenn Sie einen vorhandenen Text in eine Tabelle umwandeln möchten, wählen Sie die Option Text in Tabelle umwandeln. Diese Funktion kann sich als nützlich erweisen, wenn Sie bereits Text haben, den Sie in einer Tabelle anordnen möchten. Das Fenster Text in Tabelle umwandeln besteht aus 3 Abschnitten: -

            Text in eine Tabelle umwandeln

            -
              -
            • Größe der Tabelle. Wählen Sie die erforderliche Anzahl von Spalten/Zeilen, in die Sie Ihren Text verteilen möchten. Sie können entweder die Auf-/Ab-Pfeiltasten verwenden oder die Nummer manuell über die Tastatur eingeben.
            • -
            • Einstellung für AutoAnpassen. Aktivieren Sie die erforderliche Option, um die Textanpassung einzustellen: Feste Spaltenbreite (standardmäßig auf Auto eingestellt. Sie können entweder die Auf-/Ab-Pfeiltasten verwenden oder die Zahl manuell über die Tastatur eingeben), Autoanpassen an Inhalt (die Spaltenbreite entspricht der Textlänge), Größe an Fenster anpassen (die Spaltenbreite entspricht der Seitenbreite).
            • -
            • Text trennen bei. Aktivieren Sie die erforderliche Option, um einen Trennzeichentyp für Ihren Text festzulegen: Absätze, Tabulatoren, Semikolons und Sonstiges (geben Sie das bevorzugte Trennzeichen manuell ein).
            • -
            • Klicken Sie auf OK, um den Text in Tabelle umzuwandeln.
            • -
            -
          • -
          +
        8. Wählen Sie die Option zum Erstellen einer Tabelle aus: +
            +
          • +

            entweder eine Tabelle mit einer vordefinierten Anzahl von Zellen (maximal 10 mal 8 Zellen)

            +

            Wenn Sie schnell eine Tabelle hinzufügen möchten, wählen Sie einfach die Anzahl der Zeilen (maximal 8) und Spalten (maximal 10).

            +
          • +
          • +

            oder eine benutzerdefinierte Tabelle

            +

            Wenn Sie mehr als 10 x 8 Zellen benötigen, wählen Sie die Option Benutzerdefinierte Tabelle einfügen, um das Fenster zu öffnen, in dem Sie die erforderliche Anzahl von Zeilen bzw. Spalten eingeben können, und klicken Sie dann auf die Schaltfläche OK.

            +

            Benutzerdefinierte Tabelle

            +
          • +
          • Wenn Sie eine Tabelle mit der Maus zeichnen möchten, wählen Sie die Option Tabelle zeichnen. Dies kann nützlich sein, wenn Sie eine Tabelle mit Zeilen und Spalten unterschiedlicher Größe erstellen möchten. Der Mauszeiger verwandelt sich in einen Bleistift
            . Zeichnen Sie eine rechteckige Form, in der Sie eine Tabelle hinzufügen möchten, und fügen Sie dann Zeilen hinzu, indem Sie horizontale Linien zeichnen, und Spalten, indem Sie vertikale Linien innerhalb der Tabellengrenze zeichnen.
          • +
          • Wenn Sie einen vorhandenen Text in eine Tabelle umwandeln möchten, wählen Sie die Option Text in Tabelle umwandeln. Diese Funktion kann sich als nützlich erweisen, wenn Sie bereits Text haben, den Sie in einer Tabelle anordnen möchten. Das Fenster Text in Tabelle umwandeln besteht aus 3 Abschnitten: +

            Text in eine Tabelle umwandeln

            +
              +
            • Größe der Tabelle. Wählen Sie die erforderliche Anzahl von Spalten/Zeilen, in die Sie Ihren Text verteilen möchten. Sie können entweder die Auf-/Ab-Pfeiltasten verwenden oder die Nummer manuell über die Tastatur eingeben.
            • +
            • Einstellung für AutoAnpassen. Aktivieren Sie die erforderliche Option, um die Textanpassung einzustellen: Feste Spaltenbreite (standardmäßig auf Auto eingestellt. Sie können entweder die Auf-/Ab-Pfeiltasten verwenden oder die Zahl manuell über die Tastatur eingeben), Autoanpassen an Inhalt (die Spaltenbreite entspricht der Textlänge), Größe an Fenster anpassen (die Spaltenbreite entspricht der Seitenbreite).
            • +
            • Text trennen bei. Aktivieren Sie die erforderliche Option, um einen Trennzeichentyp für Ihren Text festzulegen: Absätze, Tabulatoren, Semikolons und Sonstiges (geben Sie das bevorzugte Trennzeichen manuell ein).
            • +
            • Klicken Sie auf OK, um den Text in Tabelle umzuwandeln.
            • +
            +
          • +
          • Wenn Sie eine Tabelle als OLE-Objekt einfügen möchten: +
              +
            1. Wählen Sie die Option Tabelle einfügen im Menü Tabelle auf der Registerkarte Einfügen.
            2. +
            3. + Es erscheint das entsprechende Fenster, in dem Sie die erforderlichen Daten eingeben und mit den Formatierungswerkzeugen der Tabellenkalkulation wie Auswahl von Schriftart, Typ und Stil, Zahlenformat einstellen, Funktionen einfügen, Tabellen formatieren usw. sie formatieren. +

              OLE table

              +
            4. +
            5. Die Kopfzeile enthält die Schaltfläche Sichtbarer Bereich in der oberen rechten Ecke des Fensters. Wählen Sie die Option Sichtbaren Bereich bearbeiten, um den Bereich auszuwählen, der angezeigt wird, wenn das Objekt in das Dokument eingefügt wird; andere Daten gehen nicht verloren, sie werden nur ausgeblendet. Klicken Sie auf Fertig, wenn Sie fertig sind.
            6. +
            7. Klicken Sie auf die Schaltfläche Sichtbaren Bereich anzeigen, um den ausgewählten Bereich mit einem blauen Rand anzuzeigen.
            8. +
            9. Wenn Sie fertig sind, klicken Sie auf die Schaltfläche Speichern und beenden.
            10. +
            +
          • +
        9. Sobald die Tabelle hinzugefügt wurde, können Sie ihre Eigenschaften, Größe und Position ändern.
        @@ -54,29 +64,35 @@

        Um eine Tabelle zu verschieben, halten Sie den Griff in der oberen linken Ecke gedrückt und ziehen Sie ihn an die gewünschte Stelle im Dokument.

        Es ist auch möglich, der Tabelle eine Beschriftung hinzuzufügen. Weitere Informationen zum Arbeiten mit Beschriftungen für Tabellen finden Sie in diesem Artikel.


        -

        Wählen Sie eine Tabelle oder deren Teil aus

        -

        Um eine gesamtee Tabelle auszuwählen, klicken Sie auf den Griff in der oberen linken Ecke.

        +

        Eine Tabelle oder deren Teil auswählen

        +

        Um eine gesamte Tabelle auszuwählen, klicken Sie auf den Griff in der oberen linken Ecke.

        Um eine bestimmte Zelle auszuwählen, bewegen Sie den Mauszeiger auf die linke Seite der gewünschten Zelle, sodass sich der Zeiger in den schwarzen Pfeil verwandelt, und klicken Sie dann mit der linken Maustaste.

        Um eine bestimmte Zeile auszuwählen, bewegen Sie den Mauszeiger an den linken Rand der Tabelle neben der erforderlichen Zeile, sodass sich der Zeiger in den horizontalen schwarzen Pfeil verwandelt, und klicken Sie dann mit der linken Maustaste.

        Um eine bestimmte Spalte auszuwählen, bewegen Sie den Mauszeiger an den oberen Rand der erforderlichen Spalte, sodass sich der Zeiger in den schwarzen Pfeil nach unten verwandelt, und klicken Sie dann mit der linken Maustaste.

        Es ist auch möglich, eine Zelle, Zeile, Spalte oder Tabelle mithilfe von Optionen aus dem Kontextmenü oder aus dem Abschnitt Zeilen und Spalten in der rechten Seitenleiste auszuwählen.

        -

        Um sich in einer Tabelle zu bewegen, können Sie Tastaturkürzel verwenden.

        +

        + Um sich in einer Tabelle zu bewegen, können Sie Tastaturkürzel verwenden. +


        -

        Passen Sie die Tabelleneinstellungen an

        +

        Die Tabelleneinstellungen anpassen

        Einige der Tabelleneigenschaften sowie deren Struktur können über das Kontextmenü geändert werden. Die Menüoptionen sind:


        -

        Passen Sie die erweiterten Tabelleneinstellungen an

        +

        Die erweiterten Tabelleneinstellungen anpassen

        Um die Eigenschaften der erweiterten Tabelle zu ändern, klicken Sie mit der rechten Maustaste auf die Tabelle und wählen Sie im Kontextmenü die Option Erweiterte Tabelleneinstellungen aus, oder verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet:

        Tabelle - Erweiterte Einstellungen

        Auf der Registerkarte Tabelle können Sie die Eigenschaften der gesamten Tabelle ändern.

      dropdown list inserted

      The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

      You can click the arrow button in the right part of the added Dropdown list form field to open the item list and choose the necessary one.

      @@ -156,15 +167,16 @@
    13. position the insertion point within a line of the text where you want the field to be added,
    14. switch to the Forms tab of the top toolbar,
    15. - click the
      Checkbox icon. + click the
      Checkbox icon.
    -

    +

    The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

    - checkbox settings + checkbox settings

    To check the box, click it once.

    -

    +

    @@ -192,15 +205,16 @@
  • position the insertion point within a line of the text where you want the field to be added,
  • switch to the Forms tab of the top toolbar,
  • - click the
    Radio Button icon. + click the
    Radio Button icon.
  • -

    +

    The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

    - radio button settings + radio button settings

    To check the radio button, click it once.

    -

    +

    -

    Creating a new Image

    +

    Creating a new Image field

    Images are form fields which are used to enable inserting an image with the limitations you set, i.e. the location of the image or its size.

    @@ -231,28 +246,162 @@ click the
    Image icon. -

    +

    The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

    - image form settings + image form settings
    • Key: a key to group images to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button.
    • Placeholder: type in the text to be displayed in the inserted image form field; “Click to load image” is set by default.
    • +
    • Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors.
    • Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the bottom border of the image.
    • When to scale: click the drop down menu and select an appropriate image sizing option: Always, Never, when the Image is Too Big, or when the Image is Too Small. The selected image will scale inside the field correspondingly.
    • Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning sliders are inactive when the box is unchecked.
    • Select Image: click this button to upload an image either From File, From URL, or From Storage.
    • -
    • Border color: click the icon
      to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
    • -
    • Background color: click the icon
      to apply a background color to the inserted image field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
    • +
    • Border color: click the icon
      to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
    • +
    • Background color: click the icon
      to apply a background color to the inserted image field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
    • +
    • Required: check this box to make the image field a necessary one to fill in.
    -

    To replace the image, click the  image icon above the form field border and select another one.

    +

    To replace the image, click the  image icon above the form field border and select another one.

    To adjust the image settings, open the Image Settings tab on the right toolbar. To learn more, please read the guide on image settings.

    +

    Creating a new Email Address field

    +

    Email Address field is used to type in an email address corresponding to a regular expression \S+@\S+\.\S+.

    +
    +
    + To insert an email address field, +
      +
    1. position the insertion point within a line of the text where you want the field to be added,
    2. +
    3. switch to the Forms tab of the top toolbar,
    4. +
    5. + click the
      Email Address icon. +
    6. +
    +

    +

    The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

    +
    + email address settings +
      +
    • Key: to create a new group of email addresses, enter the name of the group in the field and press Enter, then assign the required group to each email address field.
    • +
    • Placeholder: type in the text to be displayed in the inserted email address form field; “user_name@email.com” is set by default.
    • +
    • Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors.
    • +
    • + Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the email address field. +
      tip inserted +
    • +
    • Format: choose the content format of the field, i.e., None, Digits, Letters, Arbitrary Mask or Regular Expression. The field is set to Regular Expression by default so as to preserve the email address format \S+@\S+\.\S+.
    • +
    • Allowed Symbols: type in the symbols that are allowed in the email address field.
    • +
    • + Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the Autofit and/or Multiline field settings.
      + A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. +
    • +
    • AutoFit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size.
    • +
    • Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line.
    • +
    • Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right.
    • +
    • + Comb of characters: spread the text evenly within the inserted email address field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: +
        +
      • Cell width: choose whether the width value should be Auto (width is calculated automatically), At least (width is no less than the value given manually), or Exactly (width corresponds to the value given manually). The text within will be justified accordingly.
      • +
      +
    • +
    • Border color: click the icon
      to set the color for the borders of the inserted email address field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
    • +
    • Background color: click the icon
      to apply a background color to the inserted email address field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
    • +
    • Required: check this box to make the email address field a necessary one to fill in.
    • +
    +
    +
    +
    + +

    Creating a new Phone Number field

    +

    Phone Number field is used to type in a phone number corresponding to an arbitrary mask given by the form creator. It is set to (999)999-9999 by default.

    +
    +
    + To insert a phone number field, +
      +
    1. position the insertion point within a line of the text where you want the field to be added,
    2. +
    3. switch to the Forms tab of the top toolbar,
    4. +
    5. + click the
      Phone Number icon. +
    6. +
    +

    +

    The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

    +
    + phone number settings +
      +
    • Key: to create a new group of phone numbers, enter the name of the group in the field and press Enter, then assign the required group to each phone number.
    • +
    • Placeholder: type in the text to be displayed in the inserted phone number form field; “(999)999-9999” is set by default.
    • +
    • Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors.
    • +
    • + Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the phone number field. +
      tip inserted +
    • +
    • Format: choose the content format of the field, i.e., None, Digits, Letters, Arbitrary Mask or Regular Expression. The field is set to Arbitrary Mask by default. To change its format, type in the required mask into the field below.
    • +
    • Allowed Symbols: type in the symbols that are allowed in the phone number field.
    • +
    • + Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the AutoFit and/or Multiline field settings.
      + A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. +
    • +
    • AutoFit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size.
    • +
    • Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line.
    • +
    • Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right.
    • +
    • + Comb of characters: spread the text evenly within the inserted phone number field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: +
        +
      • Cell width: choose whether the width value should be Auto (width is calculated automatically), At least (width is no less than the value given manually), or Exactly (width corresponds to the value given manually). The text within will be justified accordingly.
      • +
      +
    • +
    • Border color: click the icon
      to set the color for the borders of the inserted phone number field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
    • +
    • Background color: click the icon
      to apply a background color to the inserted phone number field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
    • +
    • Required: check this box to make the phone number field a necessary one to fill in.
    • +
    +
    +
    +
    + +

    Creating a new Complex Field

    +

    Complex Field combines several field types, e.g., text field and a drop-down list. You can combine fields however you need.

    +
    +
    + To insert a complex field, +
      +
    1. position the insertion point within a line of the text where you want the field to be added,
    2. +
    3. switch to the Forms tab of the top toolbar,
    4. +
    5. + click the
      Complex Field icon. +
    6. +
    +

    complex field inserted

    +

    The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right.

    +
    + complex field settings +
      +
    • Key: to create a new group of complex fields, enter the name of the group in the field and press Enter, then assign the required group to each complex field.
    • +
    • Placeholder: type in the text to be displayed in the inserted complex field; “Your text here” is set by default.
    • +
    • Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors.
    • +
    • + Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the complex field. +
      tip inserted +
    • +
    • + Fixed size field: check this box to create a field with a fixed size.
      + A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. +
    • +
    • Border color: click the icon
      to set the color for the borders of the inserted complex field. Choose the preferred border color from the palette. You can add a new custom color if necessary.
    • +
    • Background color: click the icon
      to apply a background color to the inserted complex field. Choose the preferred color out of Theme ColorsStandard Colors, or add a new custom color if necessary.
    • +
    • Required: check this box to make the complex field a necessary one to fill in.
    • +
    +

    To insert various form fields in a complex field, click within it and choose the required field at the top toolbar in the Forms tab, then configure it to your liking. To learn more about each field type, read the corresponding sections above.

    +

    Please note that you cannot use Image form field within complex fields.

    +
    +
    +
    +

    Highlight forms

    You can highlight inserted form fields with a certain color.

    @@ -268,9 +417,7 @@

    The selected highlight options will be applied to all form fields in the document.

    -

    - Note: The form field border is only visible when the field is selected. The borders do not appear on a printed version. -

    +

    The form field border is only visible when the field is selected. The borders do not appear on a printed version.

    @@ -278,7 +425,7 @@

    Note: Once you have entered the View form mode, all editing options will become unavailable.

    -

    Click the View form button on the Forms tab of the top toolbar to see how all the inserted forms will be displayed in your document.

    +

    Click the View form button on the Forms tab of the top toolbar to see how all the inserted forms will be displayed in your document.

    view form active

    To exit the viewing mode, click the same icon again.

    @@ -291,21 +438,21 @@

    To make a field obligatory, check the Required option. The mandatory fields will be marked with red stroke.

    Locking form fields

    -

    To prevent further editing of the inserted form field, click the Lock icon. Filling the fields remains available.

    +

    To prevent further editing of the inserted form field, click the Lock icon. Filling the fields remains available.

    Clearing form fields

    -

    To clear all inserted fields and delete all values, click the Clear All Fields button on the Forms tab on the top toolbar.

    +

    To clear all inserted fields and delete all values, click the Clear All Fields button on the Forms tab on the top toolbar.

    Navigate, View and Save a Form

    fill form panel

    Go to the Forms tab at the top toolbar.

    -

    Navigate through the form fields using the Previous field and Next field buttons at the top toolbar.

    -

    When you are finished, click the Save as oform button at the top toolbar to save the form as an OFORM file ready to be filled out. You can save as many OFORM files as you need.

    +

    Navigate through the form fields using the Previous field and Next field buttons at the top toolbar.

    +

    When you are finished, click the Save as oform button at the top toolbar to save the form as an OFORM file ready to be filled out. You can save as many OFORM files as you need.

    Removing form fields

    -

    To remove a form field and leave all its contents, select it and click the Delete icon (make sure the field is not locked) or press the Delete key on the keyboard.

    +

    To remove a form field and leave all its contents, select it and click the Delete icon (make sure the field is not locked) or press the Delete key on the keyboard.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateTableOfContents.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateTableOfContents.htm index a901992b2..181bedfaf 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateTableOfContents.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateTableOfContents.htm @@ -26,25 +26,32 @@

    If you want to use other styles (e.g. Title, Subtitle etc.) to format headings, you will need to adjust the table of contents settings first (see the corresponding section below). To learn more about available formatting styles, please refer to this page.

    +

    To add text as a heading quickly,

    +
      +
    1. Select the text you want to include into the table of contents.
    2. +
    3. Go to the References tab at the top toolbar.
    4. +
    5. Click the Add text button at the top toolbar.
    6. +
    7. Choose the required heading level.
    8. +
    -

    Once the headings are formatted, you can click the Navigation icon on the left sidebar to open the panel that displays the list of all headings with corresponding nesting levels. This panel allows easily navigating between headings in the document text as well as managing the heading structure.

    +

    Once the headings are formatted, you can click the Headings icon on the left sidebar to open the panel that displays the list of all headings with corresponding nesting levels. This panel allows easily navigating between headings in the document text as well as managing the heading structure.

    Right-click on a heading in the list and use one of the available options from the menu:

    -

    Navigation panel

    +

    Headings panel

    To manually expand or collapse separate heading levels, use the arrows to the left of the headings.

    -

    To close the Navigation panel, click the Navigation icon on the left sidebar once again.

    +

    To close the Headings panel, click the Headings icon on the left sidebar once again.

    Insert a Table of Contents into the document

    To insert a table of contents into your document:

      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm index 8ff14a7dd..85b7a4912 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/DecorationStyles.htm @@ -59,9 +59,28 @@
    1. Small caps is used to make all letters lower case.
    2. All caps is used to make all letters upper case.
    3. 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.
    4. -
    5. 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. +
    6. 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.
    7. +
    8. Ligatures are joined letters of a word typed in either of the OpenType fonts. Please note that using ligatures can disrupt character spacing. The available ligature options are as follows: +

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

      -
    9. +

      Paragraph Advanced Settings - Font

      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm index cc82b3e29..30245dc3f 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/FillingOutForm.htm @@ -22,13 +22,13 @@ Open an OFORM file.

      oform

      -

    10. Fill in all the required fields. The mandatory fields are marked with red stroke. Use
      or Next form filling on the top toolbar to navigate between fields, or click the field you wish to fill in. -
    11. Use the Clear All Fields button Clear all form filling to empty all input fields.
    12. +
    13. Fill in all the required fields. The mandatory fields are marked with red stroke. Use
      or
      Next Field on the top toolbar to navigate between fields, or click the field you wish to fill in. +
    14. Use the Clear All Fields button Clear all form filling to empty all input fields.
    15. After you have filled in all the fields, click the Safe as PDF button to save the form to your computer as a PDF file.
    16. Click
      in the top right corner of the toolbar for additional options. You can Print, Download as docx, or Download as pdf.

      More OFORM

      -

      You can also change the form Interface theme by choosing Light, Classic Light or Dark. Once the Dark interface theme is enabled, the Dark mode becomes available

      +

      You can also change the form Interface theme by choosing Same as system, Light, Classic Light, Dark or Contrast Dark. Once the Dark or Contrast Dark interface theme is enabled, the Dark mode becomes available.

      Dark Mode Form

      Zoom allows to scale and to resize the page using the Fit to page, Fit to width and Zoom in or Zoom out options:

      Zoom

      diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertHeadersFooters.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertHeadersFooters.htm index 4d76e55df..7fec4367c 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertHeadersFooters.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertHeadersFooters.htm @@ -15,7 +15,7 @@

      Insert headers and footers

      -

      To add a new header/footer or edit one that already exists Document Editor,

      +

      To add or remove a new header/footer, or edit one that already exists Document Editor,

      1. switch to the Insert tab of the top toolbar,
      2. click the
        Header/Footer icon on the top toolbar,
      3. @@ -23,6 +23,8 @@
        • Edit Header to insert or edit the header text.
        • Edit Footer to insert or edit the footer text.
        • +
        • Remove Header to delete header.
        • +
        • Remove Footer to delete footer.
      4. change the current parameters for headers or footers on the right sidebar: diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm index 3a1fc9bbd..81c0b8f26 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertImages.htm @@ -45,8 +45,9 @@


        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 icon on the right. Here you can change the following properties:

        -
          +

          Image Settings tab

          +

          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 Width and Height of the current image. If necessary, you can restore the actual image size clicking the Actual Size button. The Fit to Margin button allows you 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.

              @@ -75,7 +76,7 @@
            • Replace Image is used to replace the current image by loading another one From File, From Storage, or From URL.

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

            -
              +
              • Cut, Copy, Paste - standard options which are used to cut or copy the selected text/object and paste the previously cut/copied text passage or object to the current cursor position.
              • Arrange is used to bring the selected image to foreground, send it 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, please refer to this page.
              • Align is used to align the image to the left, in the center, to the right, at the top, in the middle or at the bottom. To learn more on how to align objects, please refer to this page.
              • @@ -86,7 +87,8 @@
              • Replace image is used to replace the current image by loading another one From File or From URL.
              • Image Advanced Settings is used to open the 'Image - Advanced Settings' window.
              -

              Shape Settings tab 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 on the right sidebar and adjust the shape Line 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

              +

              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 on the right sidebar and adjust the shape Line 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.

              On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image.


              Adjust image advanced settings

              diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertPageNumbers.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertPageNumbers.htm index 819454d83..bc533bbb3 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertPageNumbers.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertPageNumbers.htm @@ -31,6 +31,12 @@
      +

      OR

      +
        +
      1. switch to the Insert tab of the top toolbar,
      2. +
      3. click the Header/Footer
        icon on the top toolbar,
      4. +
      5. click the Insert page number option in the menu and choose the position of the page number.
      6. +

      To insert the total number of pages in your document (e.g. if you want to create the Page X of Y entry):

      1. put the cursor where you want to insert the total number of pages,
      2. diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm index f8e693cdb..77937c207 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertTables.htm @@ -39,6 +39,17 @@
      3. Separate Text at. Check the needed option to set a delimiter type for your text: Paragraphs, Tabs, Semicolons, and Other (enter the preferred delimiter manually).
      4. Click OK to convert your text to table.
      5. + +
      6. + If you want to insert a table as an OLE object: +
          +
        1. Select the Insert Spreadsheet option.
        2. +
        3. The corresponding window appears where you can enter the required data and format it using the Spreadsheet Editor formatting tools such as choosing font, type and style, setting number format, inserting functions, formatting tables etc. +

          OLE table

        4. +
        5. The header contains the Visible area button in the top right corner of the window. Choose the Edit Visible Area option to select the area that will be shown when the object is inserted into the document; other data is not lost, it is just hidden. Click Done when ready.
        6. +
        7. Click the Show Visible Area button to see the selected area that will have a blue border.
        8. +
        9. When ready, click the Save & Exit button.
        10. +
      7. diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm index 805426627..7d12c54e0 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/Jitsi.htm @@ -16,7 +16,7 @@

        Make Audio and Video Calls

        Audio and video calls are immediately accessible from ONLYOFFICE Document Editor, using Jitsi plugin. Jitsi provides video conferencing capabilities that are secure and easy to deploy.

        -

        Note: Jitsi plugin is not installed by default and shall be added manually. Please, refer to the corresponding article to find the manual installation guide Adding plugins to ONLYOFFICE Cloud or Adding new plugins to server editors

        +

        Note: Jitsi plugin is not installed by default and shall be added manually. Please, refer to the corresponding article to find the manual installation guide Adding plugins to ONLYOFFICE Cloud or Adding new plugins to server editors

        1. Switch to the Plugins tab and click the Jitsi icon on the top toolbar.
        2. @@ -69,15 +69,7 @@
        3. Share your desktop by choosing the appropriate option: Screen, Window or Tab.
        4. -

          - Select background -

          -
            -
          • Select or add a virtual background for your meeting.
          • -
          • Share your desktop by choosing the appropriate option: Screen, Window or Tab.
          • -
          -

          -

          +
          Settings

          Configure advanced settings that are organized in the following categories:

          diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm index a36870adb..1b87ebb36 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm @@ -10,13 +10,13 @@ -
          -
          - -
          -

          Create a new document or open an existing one

          -

          In the Document Editor, you can open a recently edited document, create a new one, or return to the list of existing documents.

          -

          To create a new document

          +
          +
          + +
          +

          Create a new document or open an existing one

          +

          In the Document Editor, you can open a recently edited document, rename it, create a new one, or return to the list of existing documents .

          +

          To create a new document

          In the online editor

            @@ -28,7 +28,7 @@

            In the desktop editor

            1. in the main program window, select the Document menu item from the Create new section on the left sidebar - a new file will open in a new tab,
            2. -
            3. 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.
            4. +
            5. 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.
            6. in the file manager window, select the file location, specify its name, choose the required format for saving (DOCX, DOCXF, OFORM, Document template (DOTX), ODT, OTT, RTF, TXT, PDF or PDFA) and click the Save button.
          @@ -44,12 +44,12 @@

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

          -

          To open a recently edited document

          +

          To open a recently edited document

          In the online editor

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

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

        +

        To rename an opened document

        +
        +

        In the online editor

        +
          +
        1. click the document name at the top of the page,
        2. +
        3. enter a new document name,
        4. +
        5. press Enter to accept the changes.
        6. +
        + +

        To open the folder, where the file is stored, in a new browser tab in the online editor in the file explorer window in the desktop editor, click the Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab on 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/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index 190db0240..aca5970e3 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@

        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. select the Save as option,
        6. choose one of the available formats depending on your needs: DOCX, ODT, RTF, TXT, PDF, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. You can also choose the Document template (DOTX or OTT) option.
        @@ -37,14 +37,14 @@

        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. -
        3. select the Download as... option,
        4. +
        5. select the Download as option,
        6. choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM.

        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. select the Save Copy as option,
        6. choose one of the available formats depending on your needs: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF, OFORM.
        7. select a location of the file on the portal and press Save.
        diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm index dcc5d87c6..e307d21d5 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm @@ -15,7 +15,7 @@

        View document information

        -

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

        +

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

        General Information

        The document information includes a number of the file properties which describe the document. Some of these properties are updated automatically, and some of them can be edited.

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

        If you changed the file properties, click the Apply button to apply the changes.

        -

        Note: The online Editors allow you to change the name of the document directly in 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 will appear and click OK.

        +

        Note: The online Editors allow you to change the name of the document directly in 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 will appear and click OK.

        Permission Information

        diff --git a/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png b/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png index 4cb033c44..ba276a108 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png and b/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_box_settings.png b/apps/documenteditor/main/resources/help/en/images/combo_box_settings.png index d4007e5df..49b388820 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/combo_box_settings.png and b/apps/documenteditor/main/resources/help/en/images/combo_box_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/complex_field_inserted.png b/apps/documenteditor/main/resources/help/en/images/complex_field_inserted.png new file mode 100644 index 000000000..8940b317a Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/complex_field_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/complex_field_settings.png b/apps/documenteditor/main/resources/help/en/images/complex_field_settings.png new file mode 100644 index 000000000..875dae9a7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/complex_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/complex_field_tip.png b/apps/documenteditor/main/resources/help/en/images/complex_field_tip.png new file mode 100644 index 000000000..01d47f928 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/complex_field_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/darkmode_oform.png b/apps/documenteditor/main/resources/help/en/images/darkmode_oform.png index aff37e73e..1e12a90a5 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/darkmode_oform.png and b/apps/documenteditor/main/resources/help/en/images/darkmode_oform.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/dropdown_list_settings.png b/apps/documenteditor/main/resources/help/en/images/dropdown_list_settings.png index df3542611..18bf90758 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/dropdown_list_settings.png and b/apps/documenteditor/main/resources/help/en/images/dropdown_list_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/email_address_settings.png b/apps/documenteditor/main/resources/help/en/images/email_address_settings.png new file mode 100644 index 000000000..3160995fc Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/email_address_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/email_address_tip.png b/apps/documenteditor/main/resources/help/en/images/email_address_tip.png new file mode 100644 index 000000000..363dc159b Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/email_address_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_form_settings.png b/apps/documenteditor/main/resources/help/en/images/image_form_settings.png index eaebb8d09..ea55ca68f 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/image_form_settings.png and b/apps/documenteditor/main/resources/help/en/images/image_form_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png index 052750769..2f1a466e9 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_collaborationtab.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 index 697193830..35925621e 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_editorwindow.png 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 index 3cfc17dcb..7b93cecdd 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_filetab.png 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_formstab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.png index 24bc66436..bfa554a72 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_formstab.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 index 7fe3d719d..883415d79 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_hometab.png 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 index b817c60e7..254e23427 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png 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 index 9bacda43a..c6ebcd085 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_layouttab.png 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 index 60cebb57f..4eb53e932 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_pluginstab.png 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 index 43161dbe4..83d9a7a39 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_protectiontab.png 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 index 125d1677c..fd0d91d1d 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png 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 index 037de4d35..2f1a466e9 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_reviewtab.png 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/desktop_viewtab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_viewtab.png index c4657734c..72234ad3e 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/desktop_viewtab.png and b/apps/documenteditor/main/resources/help/en/images/interface/desktop_viewtab.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 ed9eaf26b..cbfacb68a 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 741255d71..afba299fe 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/formstab.png b/apps/documenteditor/main/resources/help/en/images/interface/formstab.png index 3221ee78f..eb8f49a92 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/formstab.png and b/apps/documenteditor/main/resources/help/en/images/interface/formstab.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 e99311d6d..a3a53535e 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 5825665dc..a410fbb84 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 160449461..b72ed958c 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/pluginstab.png b/apps/documenteditor/main/resources/help/en/images/interface/pluginstab.png index 2147ddce1..ee6087a86 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 6178f0060..45883db6e 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 6e82e49fc..dddd5ba30 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/interface/rightpart.png b/apps/documenteditor/main/resources/help/en/images/interface/rightpart.png index 886883339..31a1573a7 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/rightpart.png and b/apps/documenteditor/main/resources/help/en/images/interface/rightpart.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png b/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png index c61e09daf..abe8e3a63 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png and b/apps/documenteditor/main/resources/help/en/images/interface/viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/more_oform.png b/apps/documenteditor/main/resources/help/en/images/more_oform.png index a1acc11f5..fde15cd80 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/more_oform.png and b/apps/documenteditor/main/resources/help/en/images/more_oform.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png b/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png index 2b383c995..40d1162d5 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png and b/apps/documenteditor/main/resources/help/en/images/navigationpanel_viewer.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/pagescaling.png b/apps/documenteditor/main/resources/help/en/images/pagescaling.png index 7baf057d5..14ccf77be 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/pagescaling.png and b/apps/documenteditor/main/resources/help/en/images/pagescaling.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/palette.png b/apps/documenteditor/main/resources/help/en/images/palette.png index 05fa2386e..9746eb280 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/palette.png and b/apps/documenteditor/main/resources/help/en/images/palette.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/paradvsettings_font.png b/apps/documenteditor/main/resources/help/en/images/paradvsettings_font.png index fc027535a..e6e5ea9fb 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/paradvsettings_font.png and b/apps/documenteditor/main/resources/help/en/images/paradvsettings_font.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/pdfviewer.png b/apps/documenteditor/main/resources/help/en/images/pdfviewer.png index 8ec2ff778..016066ae3 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/pdfviewer.png and b/apps/documenteditor/main/resources/help/en/images/pdfviewer.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/phone_number_settings.png b/apps/documenteditor/main/resources/help/en/images/phone_number_settings.png new file mode 100644 index 000000000..558e514b9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/phone_number_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/phone_number_tip.png b/apps/documenteditor/main/resources/help/en/images/phone_number_tip.png new file mode 100644 index 000000000..39ee84ac8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/phone_number_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/radio_button_settings.png b/apps/documenteditor/main/resources/help/en/images/radio_button_settings.png index af41b2c46..33c313997 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/radio_button_settings.png and b/apps/documenteditor/main/resources/help/en/images/radio_button_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/search_window.png b/apps/documenteditor/main/resources/help/en/images/search_window.png index 5a2855ebb..fe4123b02 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/search_window.png and b/apps/documenteditor/main/resources/help/en/images/search_window.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/text_field_settings.png b/apps/documenteditor/main/resources/help/en/images/text_field_settings.png index 19a3cdd2f..af16413c4 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/text_field_settings.png and b/apps/documenteditor/main/resources/help/en/images/text_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/view_form_active2.png b/apps/documenteditor/main/resources/help/en/images/view_form_active2.png index 70fd658a0..187147b2c 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/view_form_active2.png and b/apps/documenteditor/main/resources/help/en/images/view_form_active2.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 2afa754a7..ce4c90c80 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": "About the Document Editor The Document Editor is an online application that allows you to view through and edit documents directly in your browser . Using the Document Editor, you can perform various editing operations like in any desktop editor, print the edited documents keeping all the formatting details or download them onto your computer hard disk drive of your computer as DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF and OFORM files. To view the current software version and licensor details in the online version, click the icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." + "body": "About the Document Editor The Document Editor is an online application that allows you to view through and edit documents directly in your browser . Using the Document Editor, you can perform various editing operations like in any desktop editor, print the edited documents keeping all the formatting details or download them onto your computer hard disk drive as DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, FB2, EPUB, DOCXF and OFORM files. To view the current software version, build number, and licensor details in the online version, click the icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." }, { "id": "HelpfulHints/AdvancedSettings.htm", - "title": "Advanced Settings of Document Editor", - "body": "Advanced Settings of the Document Editor The Document Editor allows you to change its advanced settings. To access them, open the File tab on 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 on 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 on the left sidebar. Enable this option if you want to display resolved comments in the document text. Track Changes Display is used to select an option for displaying changes: Show by click in balloons displays the change in a balloon when you click the tracked change; Show by hover in tooltips displays a tooltip when you hover the mouse pointer over the tracked change. Spell Checking is used to turn on/off the spell checking option. Proofing - used to automatically replace word or symbol typed in the Replace: box or chosen from the list by a new word or symbol displayed in the By: box. Alternate Input is used to turn on/off hieroglyphs. Alignment Guides is used to turn on/off alignment guides that appear when you move objects and allow you to position them on the page precisely. Compatibility is used to make the files compatible with older MS Word versions when saved as DOCX. Autosave is used in the online version to turn on/off automatic saving of changes you make while editing. Autorecover - is used in the desktop version to turn on/off the option that allows automatically recovering documents in case the program closes unexpectedly. 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. Interface theme is used to change the color scheme of the editor’s interface. Light color scheme incorporates standard blue, white, and light-gray colors with less contrast in UI elements suitable for working during daytime. Classic Light color scheme incorporates standard blue, white, and light-gray colors. Dark color scheme incorporates black, dark-gray, and light-gray colors suitable for working during nighttime. The Turn on document dark mode is active by default when the editor is set to Dark interface theme. Check the Turn dark document mode box to enable it. Note: Apart from the available Light, Classic Light, and Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 500%. 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 the Document Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue in the Google Chrome browser with the enabled hardware acceleration occurs. The Document Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. Cut, copy and paste - used to show the Paste Options button when content is pasted. Check the box to enable this feature. Macros Settings - used to set macros display with a notification. Choose Disable all to disable all macros within the document; Show notification to receive notifications about macros within the document; Enable all to automatically run all macros within the document. To save the changes you made, click the Apply button." + "title": "Advanced Settings of the Document Editor", + "body": "The Document Editor allows you to change its advanced settings. To access them, open the File tab on the top toolbar and select the Advanced Settings option. The advanced settings are grouped as follows: Editing and saving 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 automatically recovering documents in case the program closes unexpectedly. Show the Paste Options button when the content is pasted. The corresponding icon will appear when you paste content in the document. Make the files compatible with older MS Word versions when saved as DOCX. The files saved in DOCX format will become compatible with older Microsoft Word versions. Collaboration The Co-editing mode subsection allows you to set the preferable mode for seeing changes made to the document when working in collaboration. Fast (by default). The users who take part in the document co-editing will see the changes in real time once they are made by other users. Strict. All the changes made by co-editors will be shown only after you click the Save icon that will notify you about new changes. The Show track changes subsection allows you to choose how new changes will be displayed. Show by click in balloons. The change is shown in a balloon when you click the tracked change. Show by hover in tooltips. A tooltip appears when you hover the mouse pointer over the tracked change. The Real-time Collaboration Changes subsection allows you to choose how new changes and comments will be displayed in real time. View None. All the changes made during the current session will not be highlighted. View All. All the changes made during the current session will be highlighted. View Last. 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. Show changes from other users. This feature allows to see changes made by other users in the document opened for viewing only in the Live Viewer mode. Show comments in text. If you disable this feature, the commented passages will be highlighted only if you click the Comments icon on the left sidebar. Show resolved comments. This feature is disabled by default so that the resolved comments are hidden in the document text. You can view such comments only if you click the Comments icon on the left sidebar. Enable this option if you want to display resolved comments in the document text. Proofing The Spell Checking option is used to turn on/off the spell checking. Ignore words in UPPERCASE. Words typed in capital letters are ignored during the spell checking. Ignore words with numbers. Words with numbers in them are ignored during the spell checking. The AutoCorrect options... menu allows you to access the autocorrect settings such as replacing text as you type, recognizing functions, automatic formatting etc. Workspace The Alignment Guides option is used to turn on/off alignment guides that appear when you move objects. It allows for a more precise object positioning on the page. The Hieroglyphs option is used to turn on/off the display of hieroglyphs. The Use Alt key to navigate the user interface using the keyboard option is used to enable using the Alt / Option key in keyboard shortcuts. The Interface theme option is used to change the color scheme of the editor’s interface. The Same as system option makes the editor follow the interface theme of your system. The Light color scheme incorporates standard blue, white, and light gray colors with less contrast in UI elements suitable for working during daytime. The Classic Light color scheme incorporates standard blue, white, and light gray colors. The Dark color scheme incorporates black, dark gray, and light gray colors suitable for working during nighttime. The Contrast Dark color scheme incorporates black, dark gray, and white colors with more contrast in UI elements highlighting the working area of the file. The Turn on document dark mode option is used to make the working area darker when the editor is set to Dark or Contrast Dark interface theme. Check the Turn on document dark mode box to enable it. Note: Apart from the available Light, Classic Light, Dark, and Contrast Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that. The Unit of Measurement option is used to specify what units are used on the rulers and in properties of objects when setting such parameters as width, height, spacing, margins etc. The available units are Centimeter, Point, and Inch. The Default Zoom Value option is used to set the default zoom value, selecting it in the list of available options from 50% to 500%. You can also choose the Fit to Page or Fit to Width option. The Font Hinting option is used to select how fonts are displayed in the Document Editor. Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue in the Google Chrome browser with the enabled hardware acceleration occurs. The Document Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. The Macros Settings option is used to set macros display with a notification. Choose Disable All to disable all macros within the document. Choose Show Notification to receive notifications about macros within the document. Choose Enable All to automatically run all macros within the document. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Co-editing documents in real time", - "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can collaborate on documents in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the required mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current document is displayed on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a document in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the text. 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. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save  icon to save your changes and accept the changes made by co-authors. When a document is being edited by several users simultaneously in this mode, the edited text passages are marked with dashed lines of different colors. As soon as one of the users saves their 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 on the top toolbar, select the Advanced Settings... option and choose one of the three options: View all - all the changes made during the current session will be highlighted. View last - only the changes made since you last time clicked the  icon will be highlighted. View None - changes made during the current session will not be highlighted. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your documents that require additional third-party input, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can collaborate on documents in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the required mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current document is displayed on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a document in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the text. 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. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save   icon to save your changes and accept the changes made by co-authors. When a document is being edited by several users simultaneously in this mode, the edited text passages are marked with dashed lines of different colors. As soon as one of the users saves their 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 on the top toolbar, select the Advanced Settings option and choose one of the three options: View all - all the changes made during the current session will be highlighted. View last - only the changes made since you last time clicked the  icon will be highlighted. View None - changes made during the current session will not be highlighted. Live Viewer mode The Live Viewer mode is used to see the changes made by other users in real time when the document is opened by a user with the View only access rights. For the mode to function properly, make sure that the Show changes from other users checkbox is active in the editor's Advanced Settings. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." }, { "id": "HelpfulHints/Commenting.htm", "title": "Commenting documents", - "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can leave comments to the content of documents without actually editing it. Unlike chat messages, the comments stay until deleted. Leaving comments and replying to them 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 on 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 required text, click the Add Comment/Add button. The comment will be seen on the Comments panel on the left. Any other user can answer the added comment asking questions or reporting on the work they have done. For this purpose, click the Add Reply link situated under the comment, type in your reply in the entry field and press the Reply button. 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. Disabling display of comments The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. To disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the comments box. Now the commented passages will be highlighted only if you click the  icon. Managing comments You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left: sort the added comments by clicking the icon: by date: Newest or Oldest. This is the sort order by default. by author: Author from A to Z or Author from Z to A. by location: From top or From bottom. The usual sort order of comments by their location in a document is as follows (from top): comments to text, comments to footnotes, comments to endnotes, comments to headers/footers, comments to the entire document. by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. edit the currently selected comment by clicking the icon, delete the currently selected comment by clicking the icon, close the currently selected 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 on 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 want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the document. Adding mentions You can only add mentions to the comments made to the text parts and not to the document itself. When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk. To add a mention, Enter the \"+\" or \"@\" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary. Click OK. The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification. Removing comments To remove comments, click the Remove button on the Collaboration tab of the top toolbar, select the necessary option from the menu: Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well. Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well. Remove All Comments - to remove all the comments in the document that you and other users added. To close the panel with comments, click the icon on the left sidebar once again." + "body": "The Document Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on documents in real time, communicate right in the editor, save document versions for future use, review documents and add your changes without actually editing the file, compare and merge documents to facilitate processing and editing. In Document Editor you can leave comments to the content of documents without actually editing it. Unlike chat messages, the comments stay until deleted. Leaving comments and replying to them 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 on 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 required text, click the Add Comment/Add button. The comment will be seen on the Comments panel on the left. Any other user can answer the added comment asking questions or reporting on the work they have done. For this purpose, click the Add Reply link situated under the comment, type in your reply in the entry field and press the Reply button. 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. Disabling display of comments The text passage you commented will be highlighted in the document. To view the comment, just click within the passage. To disable this feature, click the File tab at the top toolbar, select the Advanced Settings... option, uncheck the Turn on display of the comments box. Now the commented passages will be highlighted only if you click the   icon. Managing comments You can manage the added comments using the icons in the comment balloon or on the Comments panel on the left: sort the added comments by clicking the icon: by date: Newest or Oldest. This is the sort order by default. by author: Author from A to Z or Author from Z to A. by location: From top or From bottom. The usual sort order of comments by their location in a document is as follows (from top): comments to text, comments to footnotes, comments to endnotes, comments to headers/footers, comments to the entire document. by group: All or choose a certain group from the list. This sorting option is available if you are running a version that includes this functionality. edit the currently selected comment by clicking the icon, delete the currently selected comment by clicking the icon, close the currently selected 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 on 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 want to manage comments in a bunch, open the Resolve drop-down menu on the Collaboration tab. Select one of the options for resolving comments: resolve current comments, resolve my comments or resolve all comments in the document. Adding mentions You can only add mentions to the comments made to the text parts and not to the document itself. When entering comments, you can use the mentions feature that allows you to attract somebody's attention to the comment and send a notification to the mentioned user via email and Talk. To add a mention, Enter the \"+\" or \"@\" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing a name in the comment field - the user list will change as you type. Select the necessary person from the list. If the file has not yet been shared with the mentioned user, the Sharing Settings window will open. Read only access type is selected by default. Change it if necessary. Click OK. The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification. Removing comments To remove comments, click the Remove button on the Collaboration tab of the top toolbar, select the necessary option from the menu: Remove Current Comments - to remove the currently selected comment. If some replies have been added to the comment, all its replies will be removed as well. Remove My Comments - to remove comments you added without removing comments added by other users. If some replies have been added to your comment, all its replies will be removed as well. Remove All Comments - to remove all the comments in the document that you and other users added. To close the panel with comments, click the icon on the left sidebar once again." }, { "id": "HelpfulHints/Communicating.htm", @@ -33,12 +33,12 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Document Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and the left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab, and to see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac OS Working with Document Open 'File' panel Alt+F ⌥ Option+F Open the File panel panel to save, download, print the current document, view its info, create a new document or open an existing one, access the Document Editor Help Center 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 previous Find performed before the key combination was pressed. 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 The 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 as 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 hard disk drive of your computer in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB. Full screen F11 Switch to the full screen view to fit the Document Editor into your screen. Help menu F1 F1 Open the Document Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in the 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 the Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current document to a default 100%. 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. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. 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+_ ^ 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 darker and heavier than normal. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized and slightly slanted. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going below the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a 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. Insert an em dash Alt+Ctrl+Num- Insert an em dash ‘—’ within the current document and to the right of the cursor. Insert a non-breaking hyphen Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Insert a non-breaking hyphen ‘-’ within the current document and to the right of the cursor. Insert a no-break space Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Insert a no-break space ‘o’ within the current document and to the right of the cursor." + "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Document Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and the left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab, and to see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac OS Working with Document Open 'File' panel Alt+F ⌥ Option+F Open the File panel panel to save, download, print the current document, view its info, create a new document or open an existing one, access the Document Editor Help Center 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 previous Find performed before the key combination was pressed. 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 The 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 as 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 hard disk drive of your computer in one of the supported formats: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, DOCXF, OFORM, HTML, FB2, EPUB. Full screen F11 Switch to the full screen view to fit the Document Editor into your screen. Help menu F1 F1 Open the Document Editor Help menu. Open existing file (Desktop Editors) Ctrl+O On the Open local file tab in the 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 the Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the selected element contextual menu. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current document to a default 100%. 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+= Zoom in the currently edited document. Zoom Out Ctrl+- ^ Ctrl+- 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. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. 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+_ ^ 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 darker and heavier than normal. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized and slightly slanted. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going below the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a 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. Insert table break Ctrl+⇧ Shift+↵ Enter ^ Ctrl+⇧ Shift+↵ Return Insert a table break within the table. Inserting special characters Insert formula Alt+= Insert a formula at the current cursor position. Insert an em dash Alt+Ctrl+Num- Insert an em dash ‘—’ within the current document and to the right of the cursor. Insert a non-breaking hyphen Ctrl+⇧ Shift+_ ^ Ctrl+⇧ Shift+Hyphen Insert a non-breaking hyphen ‘-’ within the current document and to the right of the cursor. Insert a no-break space Ctrl+⇧ Shift+␣ Spacebar ^ Ctrl+⇧ Shift+␣ Spacebar Insert a no-break space ‘o’ within the current document and to the right of the cursor." }, { "id": "HelpfulHints/Navigation.htm", "title": "View Settings and Navigation Tools", - "body": "The Document Editor offers several tools to help you view and navigate through your document: zoom, page number indicator etc. Adjust the View Settings To adjust default view settings and set the most convenient mode to work with the document, click the View settings icon on the right side of the editor header and select which interface elements you want to be hidden or shown. You can select the following options from the View settings drop-down list: Hide Toolbar - hides the top toolbar that contains commands while tabs remain visible. When this option is enabled, you can click any tab to display the toolbar. The toolbar is displayed until you click anywhere outside it. To disable this mode, click the View settings icon and click the Hide Toolbar option once again. The top toolbar will be displayed all the time. Note: alternatively, you can just double-click any tab to hide the top toolbar or display it again. Hide Status Bar - hides the bottommost bar where the Page Number Indicator and Zoom buttons are situated. To show the hidden Status Bar click this option once again. Hide Rulers - hides rulers which are used to align text, graphics, tables, and other elements in a document, set up margins, tab stops, and paragraph indents. To show the hidden Rulers click this option once again. Dark mode – enables or disables the dark mode if you have chosen the Dark interface theme. You can also turn on the dark mode using the Advanced Settings from the File tab menu. 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 width of the left sidebar 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 width of the sidebar. To restore its original width, move the border to the left. Use the Navigation Tools To navigate through your document, use the following tools: The Zoom buttons are situated in the right lower corner and are used to zoom in and out the current document. To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. Click the Fit to width icon to fit the document page width to the visible part of the working area. To fit the whole document page to the visible part of the working area, click the Fit to page icon. Zoom settings are also available in the View settings drop-down list that can be useful if you decide to hide the Status Bar. The Page Number Indicator shows the current page as a part of all the pages in the current document (page 'n' of 'nn'). Click this caption to open the window where you can enter the page number and quickly go to it." + "body": "The Document Editor offers several tools to help you view and navigate through your document: zoom, page number indicator etc. Adjust the View Settings To adjust default view settings and set the most convenient mode to work with the document, go to the View tab and select which interface elements you want to be hidden or shown. You can select the following options on the View tab: Headings – to show the document headers in the left panel. Zoom – to set the required zoom value from 50% to 500% from the drop-down list. Fit to Page - to fit the whole document page to the visible part of the working area. Fit to Width - to fit the document page width to the visible part of the working area. Interface theme – choose one of the available interface themes from the drop-down menu: Same as system, Light, Classic Light, Dark, Contrast Dark. When the Dark or Contrast Dark theme is enabled, the Dark document switcher becomes active; use it to set the working area to white or dark gray. Always show toolbar – when this option is disabled, the top toolbar that contains commands will be hidden while tab names remain visible. Alternatively, you can just double-click any tab to hide the top toolbar or display it again. Status Bar – when this option is disabled, the bottommost bar where the Page Number Indicator and Zoom buttons are situated will be hidden. To show the hidden Status Bar, enable this option. Rulers - when this option is disabled, the rulers which are used to align text, graphics, tables, and other elements in a document, set up margins, tab stops, and paragraph indents will be hidden. To show the hidden Rulers, enable this option once again. 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 width of the left sidebar 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 width of the sidebar. To restore its original width, move the border to the left. Use the Navigation Tools To navigate through your document, use the following tools: The Zoom buttons are situated in the right lower corner and are used to zoom in and out the current document. To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. Click the Fit to width icon to fit the document page width to the visible part of the working area. To fit the whole document page to the visible part of the working area, click the Fit to page icon. Zoom settings are also available on the View tab. The Page Number Indicator shows the current page as a part of all the pages in the current document (page 'n' of 'nn'). Click this caption to open the window where you can enter the page number and quickly go to it." }, { "id": "HelpfulHints/Password.htm", @@ -53,17 +53,17 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Search and Replace Function", - "body": "To search for the required characters, words or phrases used in the currently edited document, click the icon situated on the left sidebar of the Document Editor 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. Highlight results - is used to highlight all found occurrences at once. To disable this option and remove the highlight, click the option once again. Click one of the arrow buttons at the bottom right corner of the window. The search will be performed either towards the beginning of the document (if you click the button) or towards the end of the document (if you click the button) from the current position. Note: when the Highlight results option is enabled, use these buttons to navigate through the highlighted results. The first occurrence of the required characters in the selected direction will be highlighted on the page. 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. Document Editor supports search for special characters. To find a special character, enter it into the search box. The list of special characters that can be used in searches Special character Description ^l Line break ^t Tab stop ^? Any symbol ^# Any digit ^$ Any letter ^n Column break ^e Endnote ^f Footnote ^g Graphic element ^m Page break ^~ Non-breaking hyphen ^s Non-breaking space ^^ Escaping the caret itself ^w Any space ^+ Em dash ^= En dash ^y Any dash Special characters that may be used for replacement too: Special character Description ^l Line break ^t Tab stop ^n Column break ^m Page break ^~ Non-breaking hyphen ^s Non-breaking space ^+ Em dash ^= En dash" + "body": "To search for the required characters, words or phrases used in the currently edited document, click the icon situated on the left sidebar of the Document Editor, the icon situated in the upper right corner, or use the Ctrl+F (Command+F for MacOS) key combination to open the small Find panel or the Ctrl+H key combination to open the full Find panel. A small Find panel will open in the upper right corner of the working area. To access the advanced settings, click the icon or use the Ctrl+H key combination. The Find and replace panel will open: Type in your inquiry into the corresponding Find data entry field. If you need to replace one or more occurrences of the found characters, type in the replacement text into the corresponding Replace with data entry field. You can choose to replace a single currently highlighted occurrence or replace all occurrences by clicking the corresponding Replace and Replace All buttons. To navigate between the found occurrences, click one of the arrow buttons. The button shows the next occurrence while the button shows the previous one. Specify search parameters by checking the necessary options below the entry fields: 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). Whole words only - is used to highlight only whole words. All occurrences will be highlighted in the file and shown as a list in the Find panel to the left. Use the list to skip to the required occurrence, or use the navigation and buttons. The Document Editor supports search for special characters. To find a special character, enter it into the search box. The list of special characters that can be used in searches Special character Description ^l Line break ^t Tab stop ^? Any symbol ^# Any digit ^$ Any letter ^n Column break ^e Endnote ^f Footnote ^g Graphic element ^m Page break ^~ Non-breaking hyphen ^s Non-breaking space ^^ Escaping the caret itself ^w Any space ^+ Em dash ^= En dash ^y Any dash Special characters that may be used for replacement too: Special character Description ^l Line break ^t Tab stop ^n Column break ^m Page break ^~ Non-breaking hyphen ^s Non-breaking space ^+ Em dash ^= En dash" }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Spell-checking", - "body": "The Document Editor allows you to check the spelling of your text in a certain language and correct mistakes while editing. In the desktop version, it's also possible to add words into a custom dictionary which is common for all three editors. Starting from version 6.3, the ONLYOFFICE editors support the SharedWorker interface for smoother operation without significant memory consumption. If your browser does not support SharedWorker then just Worker will be active. For more information about SharedWorker please refer to this article. First of all, choose a language for your document. Click the Set Document Language icon on the status bar. In the opened window, select the required language and click OK. The selected language will be applied to the whole document. To choose a different language for any piece within the document, select the necessary text passage with the mouse and use the menu on the status bar. To enable the spell checking option, you can: click the Spell checking icon on the status bar, or open the File tab of the top toolbar, select the Advanced Settings... option, check the Turn on spell checking option box and click the Apply button. all misspelled words will be underlined by a red line. Right click on the necessary word to activate the menu and: choose one of the suggested similar words spelled correctly to replace the misspelled word with the suggested one. If too many variants are found, the More variants... option appears in the menu; use the Ignore option to skip just that word and remove underlining or Ignore All to skip all the identical words repeated in the text; if the current word is missed in the dictionary, you can add it to the custom dictionary. This word will not be treated as a mistake next time. This option is available in the desktop version. select a different language for this word. To disable the spell checking option, you can: click the Spell checking icon on the status bar, or open the File tab of the top toolbar, select the Advanced Settings... option, uncheck the Turn on spell checking option box and click the Apply button." + "body": "The Document Editor allows you to check the spelling of your text in a certain language and correct mistakes while editing. In the desktop version, it's also possible to add words into a custom dictionary which is common for all three editors. Starting from version 6.3, the ONLYOFFICE editors support the SharedWorker interface for smoother operation without significant memory consumption. If your browser does not support SharedWorker then just Worker will be active. For more information about SharedWorker please refer to this article. First of all, choose a language for your document. Click the Set Document Language icon on the status bar. In the opened window, select the required language and click OK. The selected language will be applied to the whole document. To choose a different language for any piece within the document, select the necessary text passage with the mouse and use the menu on the status bar. To enable the spell checking option, you can: click the Spell checking icon on the status bar, or open the File tab of the top toolbar, select the Advanced Settings option, check the Turn on spell checking option box and click the Apply button. All misspelled words will be underlined by a red line. Right click on the necessary word to activate the menu and: choose one of the suggested similar words spelled correctly to replace the misspelled word with the suggested one. If too many variants are found, the More variants... option appears in the menu; use the Ignore option to skip just that word and remove underlining or Ignore All to skip all the identical words repeated in the text; if the current word is missed in the dictionary, you can add it to the custom dictionary. This word will not be treated as a mistake next time. This option is available in the desktop version. select a different language for this word. To disable the spell checking option, you can: click the Spell checking icon on the status bar, or open the File tab of the top toolbar, select the Advanced Settings option, uncheck the Turn on spell checking option box and click the Apply button." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Documents", - "body": "An electronic document is one of the most commonly used computer. Due to the highly developed modern computer network, it's more convenient to distribute electronic documents than printed ones. Nowadays, a lot of devices are used for document presentation, so there are plenty of proprietary and open file formats. The 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 + + + FB2 An ebook extension that lets you read books on your computer or mobile devices + + + 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 + + + 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 regardless of the used 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 + + + 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 + XML Extensible Markup Language (XML). A simple and flexible markup language that derived from SGML (ISO 8879) and is designed to store and transport data. + + DOCXF A format to create, edit and collaborate on a Form Template. + + + OFORM A format to fill out a Form. Form fields are fillable but users cannot change the formatting or parameters of the form elements*. + + + *Note: the OFORM format is a format for filling out a form. Therefore, only form fields are editable." + "body": "An electronic document is one of the most commonly used computer. Due to the highly developed modern computer network, it's more convenient to distribute electronic documents than printed ones. Nowadays, a lot of devices are used for document presentation, so there are plenty of proprietary and open file formats. The Document Editor handles the most popular of them. While uploading or opening the file for editing, it will be converted to the Office Open XML (DOCX) format. It's done to speed up the file processing and increase the interoperability. The following table contains the formats which can be opened for viewing and/or editing. Formats Description View natively View after conversion to OOXML Edit natively Edit after conversion to OOXML DjVu File format designed primarily to store scanned documents, especially those containing a combination of text, line drawings, and photographs + DOC Filename extension for word processing documents created with Microsoft Word + + DOCM Macro-Enabled Microsoft Word Document Filename extension for Microsoft Word 2007 or higher generated documents with the ability to run macros + + DOCX Office Open XML Zipped, XML-based file format developed by Microsoft for representing spreadsheets, charts, presentations, and word processing documents + + DOCXF A format to create, edit and collaborate on a Form Template. + + 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 + + EPUB Electronic Publication Free and open e-book standard created by the International Digital Publishing Forum + + FB2 An ebook extension that lets you read books on your computer or mobile devices + + HTML HyperText Markup Language The main markup language for web pages + + ODT Word processing file format of OpenDocument, an open standard for electronic documents + + OFORM A format to fill out a Form. Form fields are fillable but users cannot change the formatting or parameters of the form elements*. + + 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 + + PDF Portable Document Format File format used to represent documents regardless of the used 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. + 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 + + XML Extensible Markup Language (XML). A simple and flexible markup language that derived from SGML (ISO 8879) and is designed to store and transport data. + + XPS Open XML Paper Specification Open royalty-free fixed-layout document format developed by Microsoft + *Note: the OFORM format is a format for filling out a form. Therefore, only form fields are editable. The following table contains the formats in which you can download a document from the File -> Download as menu. Input format Can be downloaded as DjVu DjVu, PDF DOC DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT DOCM DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT DOCX DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT DOCXF DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT DOTX DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT EPUB DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT FB2 DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT HTML DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT ODT DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT OFORM DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT OTT DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT PDF DOCX, DOCXF, DOTX, EPUB, FB2, HTML, OFORM, PDF, RTF, TXT PDF/A DOCX, DOCXF, DOTX, EPUB, FB2, HTML, OFORM, PDF, RTF, TXT RTF DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT TXT DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT XML DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT XPS DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT, XPS You can also refer to the conversion matrix on api.onlyoffice.com to see possibility of conversion your documents into the most known file formats." }, { "id": "HelpfulHints/VersionHistory.htm", @@ -73,7 +73,7 @@ var indexes = { "id": "HelpfulHints/Viewer.htm", "title": "ONLYOFFICE Document Viewer", - "body": "You can use ONLYOFFICE Document Viewer to open and navigate through PDF, XPS, DjVu files. ONLYOFFICE Document Viewer allows to: view PDF, XPS, DjVu files, add annotations using chat tool, navigate files using contents navigation panel and page thumbnails, use select and hand tools, print and download files, use internal and external links, access advanced settings of the editor and view the following document info using the File tab or the View settings button: Location (available in the online version only) - the folder in the Documents module where the file is stored. Owner (available in the online version only) - the name of the user who has created the file. Uploaded (available in the online version only) - the date and time when the file has been uploaded to the portal. Statistics - the number of pages, paragraphs, words, symbols, symbols with spaces. Page size - the dimensions of the pages in the file. Last Modified - the date and time when the document was last modified. Created - the date and time when the document was created. Application - the application the document has been created with. Author - the person who has created the document. PDF Producer - the application used to convert the document to PDF. PDF Version - the version of the PDF file. Tagged PDF - shows if PDF file contains tags. Fast Web View - shows if the Fast Web View has been enabled for the document. use plugins Plugins available in the desktop version: Translator, Send, Thesaurus. Plugins available in the online version: Controls example, Get and paste html, Telegram, Typograf, Count word, Speech, Thesaurus, Translator. ONLYOFFICE Document Viewer interface: The Top toolbar provides access to File and Plugins tabs, and the following icons: Print allows to print out the file; Download allows to download a file to your computer; Manage document access rights (available in the online version only) allows 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. Open file location in the desktop version allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab; Mark as favorite / Remove from favorites (available in the online version only) click the empty star to add a file to favorites as to make it easy to find, or click the filled star to remove the file from favorites. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location; View settings allows adjusting the View Settings and access the Advanced Settings of the editor; User displays the user’s name when you hover the mouse over it. The Status bar located at the bottom of the ONLYOFFICE Document Viewer window indicates the page number and displays the background status notifications. It also contains the following tools: Selection tool allows to select text in a file. Hand tool allows to drag and scroll the page. Fit to page allows to resize the page so that the screen displays the whole page. Fit to width allows to resize the page so that the page scales to fit the width of the screen. Zoom adjusting tool allows to zoom in and zoom out the page. The Left sidebar contains the following icons: - allows to use the Search and Replace tool, - (available in the online version only) allows opening the Chat panel, - allows to open the Navigation panel that displays the list of all headings with corresponding nesting levels. Click the heading to jump directly to a specific page. Right-click the heading on the list and use one of the available options from the menu: Expand all - to expand all levels of headings at the Navigation panel. Collapse all - to collapse all levels of headings, excepting level 1, at the Navigation panel. Expand to level - to expand the heading structure to the selected level. E.g. if you select level 3, then levels 1, 2 and 3 will be expanded, while level 4 and all lower levels will be collapsed. To manually expand or collapse separate heading levels, use the arrows to the left of the headings. To close the Navigation panel, click the  Navigation icon on the left sidebar once again. - allows to display page thumbnails for quick navigation. Click on the Page Thumbnails panel to access the Thumbnails Settings: Drag the slider to set the thumbnail size, The Highlight visible part of page is active by default to indicate the area that is currently on screen. Click it to disable. To close the Page Thumbnails panel, click the Page Thumbnails icon on the left sidebar once again. - allows to contact our support team, - (available in the online version only) allows to view the information about the program." + "body": "You can use ONLYOFFICE Document Viewer to open and navigate through PDF, XPS, DjVu files. ONLYOFFICE Document Viewer allows to: view PDF, XPS, DjVu files, add annotations using chat tool, navigate files using contents navigation panel and page thumbnails, use select and hand tools, print and download files, use internal and external links, access advanced settings of the editor and view the following document info using the File and the View tab: Location (available in the online version only) - the folder in the Documents module where the file is stored. Owner (available in the online version only) - the name of the user who has created the file. Uploaded (available in the online version only) - the date and time when the file has been uploaded to the portal. Statistics - the number of pages, paragraphs, words, symbols, symbols with spaces. Page size - the dimensions of the pages in the file. Last Modified - the date and time when the document was last modified. Created - the date and time when the document was created. Application - the application the document has been created with. Author - the person who has created the document. PDF Producer - the application used to convert the document to PDF. PDF Version - the version of the PDF file. Tagged PDF - shows if PDF file contains tags. Fast Web View - shows if the Fast Web View has been enabled for the document. use plugins Plugins available in the desktop version: Translator, Send, Thesaurus. Plugins available in the online version: Controls example, Get and paste html, Telegram, Typograf, Count word, Speech, Thesaurus, Translator. ONLYOFFICE Document Viewer interface: The Top toolbar provides access to File, View and Plugins tabs, and the following icons: Print allows to print out the file; Download allows to download a file to your computer; Share (available in the online version only) allows 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. Open file location in the desktop version allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab; Mark as favorite / Remove from favorites (available in the online version only) click the empty star to add a file to favorites as to make it easy to find, or click the filled star to remove the file from favorites. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location; User displays the user’s name when you hover the mouse over it. Search - allows to search the document for a particular word or symbol, etc. The Status bar located at the bottom of the ONLYOFFICE Document Viewer window indicates the page number and displays the background status notifications. It also contains the following tools: Selection tool allows to select text in a file. Hand tool allows to drag and scroll the page. Fit to page allows to resize the page so that the screen displays the whole page. Fit to width allows to resize the page so that the page scales to fit the width of the screen. Zoom adjusting tool allows to zoom in and zoom out the page. The Left sidebar contains the following icons: - allows to use the Search and Replace tool, - (available in the online version only) allows opening the Chat panel, - allows to open the Headings panel that displays the list of all headings with corresponding nesting levels. Click the heading to jump directly to a specific page. Click the Settings icon to the right of the Headings panel and use one of the available options from the menu: Expand all - to expand all levels of headings at the Headings panel. Collapse all - to collapse all levels of headings, excepting level 1, at the Headings panel. Expand to level - to expand the heading structure to the selected level. E.g. if you select level 3, then levels 1, 2 and 3 will be expanded, while level 4 and all lower levels will be collapsed. Font size – to customize font size of the Headings panel text by choosing one of the available presets: Small, Medium, and Large. Wrap long headings – to wrap long heading text. To manually expand or collapse separate heading levels, use the arrows to the left of the headings. To close the Headings panel, click the   Headings icon on the left sidebar once again. - allows to display page thumbnails for quick navigation. Click on the Page Thumbnails panel to access the Thumbnails Settings: Drag the slider to set the thumbnail size, The Highlight visible part of page is active by default to indicate the area that is currently on screen. Click it to disable. To close the Page Thumbnails panel, click the Page Thumbnails icon on the left sidebar once again. - allows to contact our support team, - (available in the online version only) allows to view the information about the program." }, { "id": "ProgramInterface/FileTab.htm", @@ -108,7 +108,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the user interface of the Document Editor", - "body": "The Document Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Main window of the Online Document Editor: Main window of the Desktop Document Editor: The editor interface consists of the following main elements: The Editor header displays the ONLYOFFICE logo, tabs for all opened documents with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. It allows adjusting the View Settings and access the Advanced Settings of the editor. Manage document access rights (available in the online version only). It allows adjusting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The 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, Forms (available with DOCXF files only), Collaboration, Protection, Plugins. The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab. The Status bar located at the bottom of the editor window indicates the page number and displays some notifications (for example, \"All changes saved\", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.). It also allows setting the text language, enabling spell checking, turning on the track changes mode and adjusting zoom. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - allows going to the Navigation panel and managing headings, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows to contact our support team, - (available in the online version only) allows to view the information about the program. Right sidebar sidebar allows adjusting additional parameters of different objects. When you select a particular object in the text, the corresponding icon is activated on the Right sidebar. Click this icon to expand the Right sidebar. The horizontal and vertical Rulers make it possible to align the text and other elements in the 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 them when necessary. To learn more about adjusting view settings, please refer to this page." + "body": "The Document Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Main window of the Online Document Editor: Main window of the Desktop Document Editor: The editor interface consists of the following main elements: The Editor header displays the ONLYOFFICE logo, tabs for all opened documents with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. Share (available in the online version only). It allows adjusting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. Search - allows to search the document for a particular word or symbol, etc. The 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, Forms (available with DOCXF files only), Collaboration, Protection, Plugins. The Copy, Paste, Cut and Select All options are always available on the left side of the Top toolbar regardless of the selected tab. The Status bar located at the bottom of the editor window indicates the page number and displays some notifications (for example, \"All changes saved\", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.). It also allows setting the text language, enabling spell checking, turning on the track changes mode and adjusting zoom. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - allows going to the Headings panel and managing headings, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows to contact our support team, - (available in the online version only) allows to view the information about the program. Right sidebar sidebar allows adjusting additional parameters of different objects. When you select a particular object in the text, the corresponding icon is activated on the Right sidebar. Click this icon to expand the Right sidebar. The horizontal and vertical Rulers make it possible to align the text and other elements in the 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 them when necessary. To learn more about adjusting view settings, please refer to this page." }, { "id": "ProgramInterface/ReferencesTab.htm", @@ -123,7 +123,7 @@ var indexes = { "id": "ProgramInterface/ViewTab.htm", "title": "View tab", - "body": "The View tab of the Document Editor allows you to manage how your document looks like while you are working on it. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: View options available on this tab: Navigation allows to display and navigate headings in your document, Zoom allows to zoom in and zoom out your document, Fit to page allows to resize the page so that the screen displays the whole page, Fit to width allows to resize the page so that the page scales to fit the width of the screen, Interface theme allows to change interface theme by choosing Light, Classic Light or Dark theme, Dark document option becomes active when the Dark theme is enabled. Click it to make the working area dark too. The following options allow you to configure the elements to display or to hide. Check the elements to make them visible: Always show toolbar to make the top toolbar always visible, Status bar to make the status bar always visible, Rulers to make rulers always visible." + "body": "The View tab of the Document Editor allows you to manage how your document looks like while you are working on it. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: View options available on this tab: Navigation allows to display and navigate headings in your document, Zoom allows to zoom in and zoom out your document, Fit to page allows to resize the page so that the screen displays the whole page, Fit to width allows to resize the page so that the page scales to fit the width of the screen, Interface theme allows to change interface theme by choosing a Same as system, Light, Classic Light, Dark or Contrast Dark theme, Dark document option becomes active when the Dark or Contrast Dark theme is enabled. Click it to make the working area dark too. The following options allow you to configure the elements to display or to hide. Check the elements to make them visible: Always show toolbar to make the top toolbar always visible, Status bar to make the status bar always visible, Rulers to make rulers always visible." }, { "id": "UsageInstructions/AddBorders.htm", @@ -143,7 +143,7 @@ var indexes = { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Add hyperlinks", - "body": "To add a hyperlink in the Document Editor, place the cursor in the text that you want to display as a hyperlink, switch to the Insert or References tab of the top toolbar, click the Hyperlink icon on the top toolbar, after that the Hyperlink Settings window will appear, and you will be able to specify the hyperlink parameters: 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 Place in Document option and select one of the existing headings in the document text or one of previously added bookmarks if you need to add a hyperlink leading to a certain place in the same document. Display - enter a text that will get clickable and lead to the address specified in the upper field. ScreenTip text - enter a text that will become visible in a small pop-up window with a brief note or label pertaining to the hyperlink to be pointed. 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. Note: it's also possible to select a character, word, word combination, text passage with the mouse or using the keyboard and then open the Hyperlink Settings window as described above. In this case, the Display field will be filled with the text fragment you selected. By hovering the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. You can follow the link by pressing the CTRL key and clicking the link in your document. To edit or delete the added hyperlink, click it with the right mouse button, select the Hyperlink option and then the action you want to perform - Edit Hyperlink or Remove Hyperlink." + "body": "To add a hyperlink in the Document Editor, place the cursor in the text that you want to display as a hyperlink, switch to the Insert or References tab of the top toolbar, click the Hyperlink icon on the top toolbar, after that the Hyperlink Settings window will appear, and you will be able to specify the hyperlink parameters: Select a link type you wish to insert: Use the External Link option and enter a URL in the http://www.example.com format in the Link to field below if you need to add a hyperlink leading to an external website. If you need to add a hyperlink to a local file, enter the URL in the file://path/Document.docx (for Windows) or file:///path/Document.docx (for MacOS and Linux) format in the Link to field. The file://path/Document.docx or file:///path/Document.docx hyperlink can be opened only in the desktop version of the editor. In the web editor you can only add the link without being able to open it. Use the Place in Document option and select one of the existing headings in the document text or one of previously added bookmarks if you need to add a hyperlink leading to a certain place in the same document. Display - enter a text that will get clickable and lead to the address specified in the upper field. ScreenTip text - enter a text that will become visible in a small pop-up window with a brief note or label pertaining to the hyperlink to be pointed. 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. Note: it's also possible to select a character, word, word combination, text passage with the mouse or using the keyboard and then open the Hyperlink Settings window as described above. In this case, the Display field will be filled with the text fragment you selected. By hovering the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. You can follow the link by pressing the CTRL key and clicking the link in your document. To edit or delete the added hyperlink, click it with the right mouse button, select the Hyperlink option and then the action you want to perform - Edit Hyperlink or Remove Hyperlink." }, { "id": "UsageInstructions/AddTableofFigures.htm", @@ -198,12 +198,12 @@ 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) in the Document Editor, select the corresponding options from the right-click menu or click the icons located on 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 selected text and send it to the computer clipboard memory. The cut text 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 on the top toolbar to copy the selected text to the computer clipboard memory. The copied text 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 the Paste option from the right-click menu, or the Paste icon on the top toolbar. The copied text/object will be inserted to the current cursor position. The data can be previously copied from the same document. In the online version, the key combinations below are only used to copy or paste data from/into another document or a program. In the desktop version, both 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 fragments in the same document, you can just select the required text passage and drag and drop it to the necessary position. Use the Paste Special feature Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only. 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 a text paragraph or some text within autoshapes, the following options are available: Paste - allows pasting the copied text keeping its original formatting. Keep text only - allows pasting the text without its original formatting. If you copy a table and paste it into an already existing table, the following options are available: Overwrite cells - allows replacing the contents of the existing table with the copied data. This option is selected by default. Nest table - allows pasting the copied table as a nested table into the selected cell of the existing table. Keep text only - allows pasting the table contents as text values separated by the tab character. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings... and check / uncheck the Cut, copy and paste checkbox. Undo/redo your actions To perform undo/redo operations, click the corresponding icons in the editor header or use the following keyboard shortcuts: Undo – use the Undo icon on the left side of the editor header or the Ctrl+Z key combination to undo the last operation you performed. Redo – use the Redo icon on 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." + "body": "Use basic clipboard operations To cut, copy and paste text passages and inserted objects (autoshapes, images, charts) in the Document Editor, select the corresponding options from the right-click menu or click the icons located on any tab of the top toolbar: Cut – select a text fragment or an object and use the Cut option from the right-click menu, or the Cut icon on the top toolbar to delete the selected text and send it to the computer clipboard memory. The cut text 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 on the top toolbar to copy the selected text to the computer clipboard memory. The copied text 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 the Paste option from the right-click menu, or the Paste icon on the top toolbar. The copied text/object will be inserted to the current cursor position. The data can be previously copied from the same document. In the online version, the key combinations below are only used to copy or paste data from/into another document or a program. In the desktop version, both 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 fragments in the same document, you can just select the required text passage and drag and drop it to the necessary position. Use the Paste Special feature Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only. 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 or use the Ctrl key in combination with the letter key given in the brackets next to the required option. When pasting a text paragraph or some text within autoshapes, the following options are available: Keep source formatting (Ctrl+K) - allows pasting the copied text keeping its original formatting. Keep text only (Ctrl+T) - allows pasting the text without its original formatting. If you copy a table and paste it into an already existing table, the following options are available: Overwrite cells (Ctrl+O) - allows replacing the contents of the existing table with the copied data. This option is selected by default. Nest table (Ctrl+N) - allows pasting the copied table as a nested table into the selected cell of the existing table. Keep text only (Ctrl+T) - allows pasting the table contents as text values separated by the tab character. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings and check / uncheck the Show the Paste Options button when the content is pasted checkbox. Undo/redo your actions To perform undo/redo operations, click the corresponding icons in the editor header or use the following keyboard shortcuts: Undo – use the Undo icon on the left side of the editor header or the Ctrl+Z key combination to undo the last operation you performed. Redo – use the Redo icon on the left part of the editor header or the Ctrl+Y key combination to redo the last undone operation. When you co-edit a document in the Fast mode, the possibility to Redo the last undone operation is not available." }, { "id": "UsageInstructions/CreateFillableForms.htm", "title": "Create fillable forms", - "body": "ONLYOFFICE Document Editor allows you to effortlessly create fillable forms in your documents, e.g. agreement drafts or surveys. Form Template is DOCXF format that offers a range of tools to create a fillable form. Save the resulting form as a DOCXF file, and you will have a form template you can still edit, revise or collaborate on. To make a Form template fillable and to restrict file editing by other users, save it as an OFORM file. Please refer to form filling instructions for further details. DOCXF and OFORM are new ONLYOFFICE formats that allow to create form templates and fill out forms. Use ONLYOFFICE Document Editor either online or desktop to make full use of form-associated elements and options. You can also save any existing DOCX file as a DOCXF to use it as Form template. Go to the File tab, click the Download as... or Save as... option on the left side menu and choose the DOCXF icon. Now you can use all the available form editing functions to create a form. It is not only the form fields that you can edit in a DOCXF file, you can still add, edit and format text or use other Document Editor functions. Creating fillable forms is enabled through user-editable objects that ensure overall consistency of the resulting documents and allow for advanced form interaction experience. Currently, you can insert editable plain text fields, combo boxes, dropdown lists, checkboxes, radio buttons, and assign designated areas for images. Access these features on the Forms tab that is available for DOCXF files only. Creating a new Plain Text Field Text fields are user-editable plain text form fields; no other objects can be added. To insert a text field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Text Field icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group fields to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each text field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted text field; “Your text here” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the text field. Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the Autofit and/or Multiline field settings. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right. Comb of characters: spread the text evenly within the inserted text field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: Cell width: type in the required value or use the arrows to the right to set the width of the inserted text field. The text within will be justified accordingly. Border color: click the icon to set the color for the borders of the inserted text field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted text field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Autofit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size. Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line. Click within the inserted text field and adjust the font type, size, color, apply decoration styles and formatting presets. Formatting will be applied to all the text inside the field. Creating a new Combo box Combo boxes contain a dropdown list with a set of choices that can be edited by users. To insert a combo box, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Combo box icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group combo boxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each combo box using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted combo box; “Choose an item” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted combo box. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted combo box. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. You can click the arrow button in the right part of the added Combo box to open the item list and choose the necessary one. Once the necessary item is selected, you can edit the displayed text entirely or partially by replacing it with yours. You can change font decoration, color, and size. Click within the inserted combo box and proceed according to the instructions. Formatting will be applied to all the text inside the field. Creating a new Dropdown list form field Dropdown lists contain a list with a set of choices that cannot be edited by the users. To insert a dropdown list, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Dropdown icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group dropdown lists to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted dropdown list; “Choose an item” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted dropdown field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted dropdown field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. You can click the arrow button in the right part of the added Dropdown list form field to open the item list and choose the necessary one. Creating a new Checkbox Checkboxes are used to provide users with a variety of options, any number of which can be selected. Checkboxes operate individually, so they can be checked or unchecked independently. To insert a checkbox, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Checkbox icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group checkboxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the checkbox. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted checkbox. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted checkbox. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To check the box, click it once. Creating a new Radio Button Radio buttons are used to provide users with a variety of options, only one of which can be selected. Radio buttons can be grouped so that there is no selecting several buttons within one group. To insert a radio button, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Radio Button icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Group key: to create a new group of radio buttons, enter the name of the group in the field and press Enter, then assign the required group to each radio button. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the radio button. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted radi button. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted radio button. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To check the radio button, click it once. Creating a new Image Images are form fields which are used to enable inserting an image with the limitations you set, i.e. the location of the image or its size. To insert an image form field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Image icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group images to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted image form field; “Click to load image” is set by default. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the bottom border of the image. When to scale: click the drop down menu and select an appropriate image sizing option: Always, Never, when the Image is Too Big, or when the Image is Too Small. The selected image will scale inside the field correspondingly. Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning sliders are inactive when the box is unchecked. Select Image: click this button to upload an image either From File, From URL, or From Storage. Border color: click the icon to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted image field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. To replace the image, click the  image icon above the form field border and select another one. To adjust the image settings, open the Image Settings tab on the right toolbar. To learn more, please read the guide on image settings. Highlight forms You can highlight inserted form fields with a certain color. To highlight fields, open the Highlight Settings on the Forms tab of the top toolbar, choose a color from the Standard Colors. You can also add a new custom color, to remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all form fields in the document. Note: The form field border is only visible when the field is selected. The borders do not appear on a printed version. Enabling the View form Note: Once you have entered the View form mode, all editing options will become unavailable. Click the View form button on the Forms tab of the top toolbar to see how all the inserted forms will be displayed in your document. To exit the viewing mode, click the same icon again. Moving form fields Form fields can be moved to another place in the document: click the button on the left of the control border to select the field and drag it without releasing the mouse button to another position in the text. You can also copy and paste form fields: select the necessary field and use the Ctrl+C/Ctrl+V key combinations. Creating required fields To make a field obligatory, check the Required option. The mandatory fields will be marked with red stroke. Locking form fields To prevent further editing of the inserted form field, click the Lock icon. Filling the fields remains available. Clearing form fields To clear all inserted fields and delete all values, click the Clear All Fields button on the Forms tab on the top toolbar. Navigate, View and Save a Form Go to the Forms tab at the top toolbar. Navigate through the form fields using the Previous field and Next field buttons at the top toolbar. When you are finished, click the Save as oform button at the top toolbar to save the form as an OFORM file ready to be filled out. You can save as many OFORM files as you need. Removing form fields To remove a form field and leave all its contents, select it and click the Delete icon (make sure the field is not locked) or press the Delete key on the keyboard." + "body": "ONLYOFFICE Document Editor allows you to effortlessly create fillable forms in your documents, e.g. agreement drafts or surveys. Form Template is DOCXF format that offers a range of tools to create a fillable form. Save the resulting form as a DOCXF file, and you will have a form template you can still edit, revise or collaborate on. To make a Form template fillable and to restrict file editing by other users, save it as an OFORM file. Please refer to form filling instructions for further details. DOCXF and OFORM are new ONLYOFFICE formats that allow to create form templates and fill out forms. Use ONLYOFFICE Document Editor either online or desktop to make full use of form-associated elements and options. You can also save any existing DOCX file as a DOCXF to use it as Form template. Go to the File tab, click the Download as... or Save as... option on the left side menu and choose the DOCXF icon. Now you can use all the available form editing functions to create a form. It is not only the form fields that you can edit in a DOCXF file, you can still add, edit and format text or use other Document Editor functions. Creating fillable forms is enabled through user-editable objects that ensure overall consistency of the resulting documents and allow for advanced form interaction experience. Currently, you can insert editable plain text fields, combo boxes, dropdown lists, checkboxes, radio buttons, assign designated areas for images, as well as create email address, phone number and complex fields. Access these features on the Forms tab that is available for DOCXF files only. Creating a new Plain Text Field Text fields are user-editable plain text form fields; no other objects can be added. To insert a text field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Text Field icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group fields to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each text field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted text field; “Your text here” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the text field. Format: choose the content format of the text field, i.e., only the chosen character formar will be allowed: None, Digits, Letters, Arbitrary Mask (the text shall correspond with the custom mask, e.g., (999) 999 99 99), Regular Expression (the text shall correspond with the custom expression). When you choose an Arbitrary Mask or a Regular Expression format, an additional field below the Format field appears. Allowed Symbols: type in the symbols that are allowed in the text field. Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the AutoFit and/or Multiline field settings. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. AutoFit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size. Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line. Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right. Comb of characters: spread the text evenly within the inserted text field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: Cell width: choose whether the width value should be Auto (width is calculated automatically), At least (width is no less than the value given manually), or Exactly (width corresponds to the value given manually). The text within will be justified accordingly. Border color: click the icon to set the color for the borders of the inserted text field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted text field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the text field a necessary one to fill in. Click within the inserted text field and adjust the font type, size, color, apply decoration styles and formatting presets. Formatting will be applied to all the text inside the field. Creating a new Combo box Combo boxes contain a dropdown list with a set of choices that can be edited by users. To insert a combo box, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Combo box icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group combo boxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each combo box using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted combo box; “Choose an item” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted combo box. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted combo box. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the combo box field a necessary one to fill in. You can click the arrow button in the right part of the added Combo box to open the item list and choose the necessary one. Once the necessary item is selected, you can edit the displayed text entirely or partially by replacing it with yours. You can change font decoration, color, and size. Click within the inserted combo box and proceed according to the instructions. Formatting will be applied to all the text inside the field. Creating a new Dropdown list form field Dropdown lists contain a list with a set of choices that cannot be edited by the users. To insert a dropdown list, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Dropdown icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group dropdown lists to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted dropdown list; “Choose an item” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the form field. Value Options: add new values, delete them, or move them up and down in the list. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted dropdown field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted dropdown field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the dropdown list field a necessary one to fill in. You can click the arrow button in the right part of the added Dropdown list form field to open the item list and choose the necessary one. Creating a new Checkbox Checkboxes are used to provide users with a variety of options, any number of which can be selected. Checkboxes operate individually, so they can be checked or unchecked independently. To insert a checkbox, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Checkbox icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group checkboxes to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the checkbox. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted checkbox. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted checkbox. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the checkbox field a necessary one to fill in. To check the box, click it once. Creating a new Radio Button Radio buttons are used to provide users with a variety of options, only one of which can be selected. Radio buttons can be grouped so that there is no selecting several buttons within one group. To insert a radio button, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Radio Button icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Group key: to create a new group of radio buttons, enter the name of the group in the field and press Enter, then assign the required group to each radio button. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the radio button. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted radi button. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted radio button. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the radio button field a necessary one to fill in. To check the radio button, click it once. Creating a new Image field Images are form fields which are used to enable inserting an image with the limitations you set, i.e. the location of the image or its size. To insert an image form field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Image icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: a key to group images to fill out simultaneously. To create a new key, enter its name in the field and press Enter, then assign the required key to each form field using the dropdown list. A message Fields connected: 2/3/... will be displayed. To disconnect the fields, click the Disconnect button. Placeholder: type in the text to be displayed in the inserted image form field; “Click to load image” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the bottom border of the image. When to scale: click the drop down menu and select an appropriate image sizing option: Always, Never, when the Image is Too Big, or when the Image is Too Small. The selected image will scale inside the field correspondingly. Lock aspect ratio: check this box to maintain the image aspect ratio without distortion. When the box is checked, use the vertical and the horizontal slider to position the image inside the inserted field. The positioning sliders are inactive when the box is unchecked. Select Image: click this button to upload an image either From File, From URL, or From Storage. Border color: click the icon to set the color for the borders of the inserted image field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted image field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the image field a necessary one to fill in. To replace the image, click the   image icon above the form field border and select another one. To adjust the image settings, open the Image Settings tab on the right toolbar. To learn more, please read the guide on image settings. Creating a new Email Address field Email Address field is used to type in an email address corresponding to a regular expression \\S+@\\S+\\.\\S+. To insert an email address field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Email Address icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: to create a new group of email addresses, enter the name of the group in the field and press Enter, then assign the required group to each email address field. Placeholder: type in the text to be displayed in the inserted email address form field; “user_name@email.com” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the email address field. Format: choose the content format of the field, i.e., None, Digits, Letters, Arbitrary Mask or Regular Expression. The field is set to Regular Expression by default so as to preserve the email address format \\S+@\\S+\\.\\S+. Allowed Symbols: type in the symbols that are allowed in the email address field. Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the Autofit and/or Multiline field settings. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. AutoFit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size. Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line. Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right. Comb of characters: spread the text evenly within the inserted email address field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: Cell width: choose whether the width value should be Auto (width is calculated automatically), At least (width is no less than the value given manually), or Exactly (width corresponds to the value given manually). The text within will be justified accordingly. Border color: click the icon to set the color for the borders of the inserted email address field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted email address field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the email address field a necessary one to fill in. Creating a new Phone Number field Phone Number field is used to type in a phone number corresponding to an arbitrary mask given by the form creator. It is set to (999)999-9999 by default. To insert a phone number field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Phone Number icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: to create a new group of phone numbers, enter the name of the group in the field and press Enter, then assign the required group to each phone number. Placeholder: type in the text to be displayed in the inserted phone number form field; “(999)999-9999” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the phone number field. Format: choose the content format of the field, i.e., None, Digits, Letters, Arbitrary Mask or Regular Expression. The field is set to Arbitrary Mask by default. To change its format, type in the required mask into the field below. Allowed Symbols: type in the symbols that are allowed in the phone number field. Fixed size field: check this box to create a field with a fixed size. When this option is enabled, you can also use the AutoFit and/or Multiline field settings. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. AutoFit: this option can be enabled when the Fixed size field setting is selected, check it to automatically fit the font size to the field size. Multiline field: this option can be enabled when the Fixed size field setting is selected, check it to create a form field with multiple lines, otherwise, the text will occupy a single line. Characters limit: no limits by default; check this box to set the maximum characters number in the field to the right. Comb of characters: spread the text evenly within the inserted phone number field and configure its general appearance. Leave the box unchecked to preserve the default settings or check it to set the following parameters: Cell width: choose whether the width value should be Auto (width is calculated automatically), At least (width is no less than the value given manually), or Exactly (width corresponds to the value given manually). The text within will be justified accordingly. Border color: click the icon to set the color for the borders of the inserted phone number field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted phone number field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the phone number field a necessary one to fill in. Creating a new Complex Field Complex Field combines several field types, e.g., text field and a drop-down list. You can combine fields however you need. To insert a complex field, position the insertion point within a line of the text where you want the field to be added, switch to the Forms tab of the top toolbar, click the Complex Field icon. The form field will appear at the insertion point within the existing text line. The Form Settings menu will open to the right. Key: to create a new group of complex fields, enter the name of the group in the field and press Enter, then assign the required group to each complex field. Placeholder: type in the text to be displayed in the inserted complex field; “Your text here” is set by default. Tag: type in the text to be used as a tag for internal use, i.e., displayed only for co-editors. Tip: type in the text to be displayed as a tip when a user hovers their mouse pointer over the complex field. Fixed size field: check this box to create a field with a fixed size. A fixed size field looks like an autoshape. You can set a wrapping style for it as well as adjust its position. Border color: click the icon to set the color for the borders of the inserted complex field. Choose the preferred border color from the palette. You can add a new custom color if necessary. Background color: click the icon to apply a background color to the inserted complex field. Choose the preferred color out of Theme Colors, Standard Colors, or add a new custom color if necessary. Required: check this box to make the complex field a necessary one to fill in. To insert various form fields in a complex field, click within it and choose the required field at the top toolbar in the Forms tab, then configure it to your liking. To learn more about each field type, read the corresponding sections above. Please note that you cannot use Image form field within complex fields. Highlight forms You can highlight inserted form fields with a certain color. To highlight fields, open the Highlight Settings on the Forms tab of the top toolbar, choose a color from the Standard Colors. You can also add a new custom color, to remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all form fields in the document. The form field border is only visible when the field is selected. The borders do not appear on a printed version. Enabling the View form Note: Once you have entered the View form mode, all editing options will become unavailable. Click the View form button on the Forms tab of the top toolbar to see how all the inserted forms will be displayed in your document. To exit the viewing mode, click the same icon again. Moving form fields Form fields can be moved to another place in the document: click the button on the left of the control border to select the field and drag it without releasing the mouse button to another position in the text. You can also copy and paste form fields: select the necessary field and use the Ctrl+C/Ctrl+V key combinations. Creating required fields To make a field obligatory, check the Required option. The mandatory fields will be marked with red stroke. Locking form fields To prevent further editing of the inserted form field, click the Lock icon. Filling the fields remains available. Clearing form fields To clear all inserted fields and delete all values, click the Clear All Fields button on the Forms tab on the top toolbar. Navigate, View and Save a Form Go to the Forms tab at the top toolbar. Navigate through the form fields using the Previous field and Next field buttons at the top toolbar. When you are finished, click the Save as oform button at the top toolbar to save the form as an OFORM file ready to be filled out. You can save as many OFORM files as you need. Removing form fields To remove a form field and leave all its contents, select it and click the Delete icon (make sure the field is not locked) or press the Delete key on the keyboard." }, { "id": "UsageInstructions/CreateLists.htm", @@ -213,17 +213,22 @@ var indexes = { "id": "UsageInstructions/CreateTableOfContents.htm", "title": "Create a Table of Contents", - "body": "A table of contents contains a list of all the chapters (sections, etc.) in a document and displays the numbers of the pages where each chapter begins. In the Document Editor, it allows easily navigating through a multi-page document and quickly switching to the required part of the text. The table of contents is generated automatically on the basis of the document headings formatted using built-in styles. This makes it easy to update the created table of contents without having to edit the headings and change the page numbers manually if the text of the document has been changed. Heading structure in the table of contents Format headings First of all, format the headings in your document using one of the predefined styles. To do that, Select the text you want to include into the table of contents. Open the style menu on the right side of the Home tab at the top toolbar. Click the required style to be applied. By default, you can use the Heading 1 - Heading 9 styles. If you want to use other styles (e.g. Title, Subtitle etc.) to format headings, you will need to adjust the table of contents settings first (see the corresponding section below). To learn more about available formatting styles, please refer to this page. Manage headings Once the headings are formatted, you can click the Navigation icon on the left sidebar to open the panel that displays the list of all headings with corresponding nesting levels. This panel allows easily navigating between headings in the document text as well as managing the heading structure. Right-click on a heading in the list and use one of the available options from the menu: Promote - to move the currently selected heading up to the higher level in the hierarchical structure, e.g. change it from Heading 2 to Heading 1. Demote - to move the currently selected heading down to the lower level in the hierarchical structure, e.g. change it from Heading 1 to Heading 2. New heading before - to add a new empty heading of the same level before the currently selected one. New heading after - to add a new empty heading of the same level after the currently selected one. New subheading - to add a new empty subheading (i.e. a heading with lower level) after the currently selected heading. When the heading or subheading is added, click on the added empty heading in the list and type in your own text. This can be done both in the document text and on the Navigation panel itself. Select content - to select the text below the current heading in the document (including the text related to all subheadings of this heading). Expand all - to expand all levels of headings at the Navigation panel. Collapse all - to collapse all levels of headings, excepting level 1, at the Navigation panel. Expand to level - to expand the heading structure to the selected level. E.g. if you select level 3, then levels 1, 2 and 3 will be expanded, while level 4 and all lower levels will be collapsed. To manually expand or collapse separate heading levels, use the arrows to the left of the headings. To close the Navigation panel, click the Navigation icon on the left sidebar once again. Insert a Table of Contents into the document To insert a table of contents into your document: Position the insertion point where the table of contents should be added. Switch to the References tab of the top toolbar. Click the Table of Contents icon on the top toolbar, or click the arrow next to this icon and select the necessary layout option from the menu. You can select the table of contents that displays headings, page numbers and leaders, or headings only. The table of contents appearance can be adjusted later in the settings. The table of contents will be added at the current cursor position. To change its position, you can select the table of contents field (content control) and simply drag it to the desired place. To do that, click the button in the upper left corner of the table of contents field and drag it without releasing the mouse button to another position in the document text. To navigate between headings, press the Ctrl key and click the necessary heading within the table of contents field. You will go to the corresponding page. Adjust the created Table of Contents Refresh the Table of Contents After the table of contents is created, you can continue editing your text by adding new chapters, changing their order, removing some paragraphs, or expanding the text related to a heading so that the page numbers that correspond to the previous or the following section may change. In this case, use the Refresh option to automatically apply all changes. Click the arrow next to the Refresh icon on the References tab of the top toolbar and select the necessary option from the menu: Refresh entire table - to add the headings that you added to the document, remove the ones you deleted from the document, update the edited (renamed) headings as well as update page numbers. Refresh page numbers only - to update page numbers without applying changes to the headings. Alternatively, you can select the table of contents in the document text and click the Refresh icon at the top of the table of contents field to display the above mentioned options. It's also possible to right-click anywhere within the table of contents and use the corresponding options from the contextual menu. Adjust the Table of Contents settings To open the table of contents settings, you can proceed in the following ways: Click the arrow next to the Table of Contents icon on the top toolbar and select the Settings option from the menu. Select the table of contents in the document text, click the arrow next to its field title and select the Settings option from the menu. Right-click anywhere within the table of contents and use the Table of contents settings option from the contextual menu. A new window will open, and you will be able to adjust the following settings: Show page numbers - this option allows displaying the page numbers. Right align page numbers - this option allows aligning the page numbers on the right side of the page. Leader - this option allows choose the required leader type. A leader is a line of characters (dots or hyphens) that fills the space between a heading and the corresponding page number. It's also possible to select the None option if you do not want to use leaders. Format Table of Contents as links - this option is checked by default. If you uncheck it, you will not be able to switch to the necessary chapter by pressing Ctrl and clicking the corresponding heading. Build table of contents from - this section allows specifying the necessary number of outline levels as well as the default styles that will be used to create the table of contents. Check the necessary radio button: Outline levels - when this option is selected, you will be able to adjust the number of hierarchical levels used. Click the arrows in the Levels field to decrease or increase the number of levels (the values from 1 to 9 are available). E.g., if you select the value of 3, headings that have levels 4 - 9 will not be included into the table of contents. Selected styles - when this option is selected, you can specify additional styles that can be used to build the table of contents and assign the corresponding outline level to each of them. Specify the desired level value in the field on the right of the style. Once you save the settings, you will be able to use this style when creating a table of contents. Styles - this options allows selecting the desired appearance of the table of contents. Select the necessary style from the drop-down list. The preview field above displays how the table of contents should look like. The following four default styles are available: Simple, Standard, Modern, Classic. The Current option is used if you customize the table of contents style. Click the OK button within the settings window to apply the changes. Customize the Table of Contents style After you apply one of the default table of contents styles within the Table of Contents settings window, you can additionally modify this style so that the text within the table of contents field looks like you need. Select the text within the table of contents field, e.g. pressing the button in the upper left corner of the table of contents content control. Format table of contents items changing their font type, size, color or applying the font decoration styles. Consequently update styles for items of each level. To update the style, right-click the formatted item, select the Formatting as Style option from the contextual menu and click the Update toc N style option (toc 2 style corresponds to items that have level 2, toc 3 style corresponds to items with level 3 and so on). Refresh the table of contents. Remove the Table of Contents To remove the table of contents from the document: click the arrow next to the Table of Contents icon on the top toolbar and use the Remove table of contents option, or click the arrow next to the table of contents content control title and use the Remove table of contents option." + "body": "A table of contents contains a list of all the chapters (sections, etc.) in a document and displays the numbers of the pages where each chapter begins. In the Document Editor, it allows easily navigating through a multi-page document and quickly switching to the required part of the text. The table of contents is generated automatically on the basis of the document headings formatted using built-in styles. This makes it easy to update the created table of contents without having to edit the headings and change the page numbers manually if the text of the document has been changed. Heading structure in the table of contents Format headings First of all, format the headings in your document using one of the predefined styles. To do that, Select the text you want to include into the table of contents. Open the style menu on the right side of the Home tab at the top toolbar. Click the required style to be applied. By default, you can use the Heading 1 - Heading 9 styles. If you want to use other styles (e.g. Title, Subtitle etc.) to format headings, you will need to adjust the table of contents settings first (see the corresponding section below). To learn more about available formatting styles, please refer to this page. To add text as a heading quickly, Select the text you want to include into the table of contents. Go to the References tab at the top toolbar. Click the Add text button at the top toolbar. Choose the required heading level. Manage headings Once the headings are formatted, you can click the Headings icon on the left sidebar to open the panel that displays the list of all headings with corresponding nesting levels. This panel allows easily navigating between headings in the document text as well as managing the heading structure. Right-click on a heading in the list and use one of the available options from the menu: Promote - to move the currently selected heading up to the higher level in the hierarchical structure, e.g. change it from Heading 2 to Heading 1. Demote - to move the currently selected heading down to the lower level in the hierarchical structure, e.g. change it from Heading 1 to Heading 2. New heading before - to add a new empty heading of the same level before the currently selected one. New heading after - to add a new empty heading of the same level after the currently selected one. New subheading - to add a new empty subheading (i.e. a heading with lower level) after the currently selected heading. When the heading or subheading is added, click on the added empty heading in the list and type in your own text. This can be done both in the document text and on the Headings panel itself. Select content - to select the text below the current heading in the document (including the text related to all subheadings of this heading). Expand all - to expand all levels of headings at the Headings panel. Collapse all - to collapse all levels of headings, excepting level 1, at the Headings panel. Expand to level - to expand the heading structure to the selected level. E.g. if you select level 3, then levels 1, 2 and 3 will be expanded, while level 4 and all lower levels will be collapsed. To manually expand or collapse separate heading levels, use the arrows to the left of the headings. To close the Headings panel, click the Headings icon on the left sidebar once again. Insert a Table of Contents into the document To insert a table of contents into your document: Position the insertion point where the table of contents should be added. Switch to the References tab of the top toolbar. Click the Table of Contents icon on the top toolbar, or click the arrow next to this icon and select the necessary layout option from the menu. You can select the table of contents that displays headings, page numbers and leaders, or headings only. The table of contents appearance can be adjusted later in the settings. The table of contents will be added at the current cursor position. To change its position, you can select the table of contents field (content control) and simply drag it to the desired place. To do that, click the button in the upper left corner of the table of contents field and drag it without releasing the mouse button to another position in the document text. To navigate between headings, press the Ctrl key and click the necessary heading within the table of contents field. You will go to the corresponding page. Adjust the created Table of Contents Refresh the Table of Contents After the table of contents is created, you can continue editing your text by adding new chapters, changing their order, removing some paragraphs, or expanding the text related to a heading so that the page numbers that correspond to the previous or the following section may change. In this case, use the Refresh option to automatically apply all changes. Click the arrow next to the Refresh icon on the References tab of the top toolbar and select the necessary option from the menu: Refresh entire table - to add the headings that you added to the document, remove the ones you deleted from the document, update the edited (renamed) headings as well as update page numbers. Refresh page numbers only - to update page numbers without applying changes to the headings. Alternatively, you can select the table of contents in the document text and click the Refresh icon at the top of the table of contents field to display the above mentioned options. It's also possible to right-click anywhere within the table of contents and use the corresponding options from the contextual menu. Adjust the Table of Contents settings To open the table of contents settings, you can proceed in the following ways: Click the arrow next to the Table of Contents icon on the top toolbar and select the Settings option from the menu. Select the table of contents in the document text, click the arrow next to its field title and select the Settings option from the menu. Right-click anywhere within the table of contents and use the Table of contents settings option from the contextual menu. A new window will open, and you will be able to adjust the following settings: Show page numbers - this option allows displaying the page numbers. Right align page numbers - this option allows aligning the page numbers on the right side of the page. Leader - this option allows choose the required leader type. A leader is a line of characters (dots or hyphens) that fills the space between a heading and the corresponding page number. It's also possible to select the None option if you do not want to use leaders. Format Table of Contents as links - this option is checked by default. If you uncheck it, you will not be able to switch to the necessary chapter by pressing Ctrl and clicking the corresponding heading. Build table of contents from - this section allows specifying the necessary number of outline levels as well as the default styles that will be used to create the table of contents. Check the necessary radio button: Outline levels - when this option is selected, you will be able to adjust the number of hierarchical levels used. Click the arrows in the Levels field to decrease or increase the number of levels (the values from 1 to 9 are available). E.g., if you select the value of 3, headings that have levels 4 - 9 will not be included into the table of contents. Selected styles - when this option is selected, you can specify additional styles that can be used to build the table of contents and assign the corresponding outline level to each of them. Specify the desired level value in the field on the right of the style. Once you save the settings, you will be able to use this style when creating a table of contents. Styles - this options allows selecting the desired appearance of the table of contents. Select the necessary style from the drop-down list. The preview field above displays how the table of contents should look like. The following four default styles are available: Simple, Standard, Modern, Classic. The Current option is used if you customize the table of contents style. Click the OK button within the settings window to apply the changes. Customize the Table of Contents style After you apply one of the default table of contents styles within the Table of Contents settings window, you can additionally modify this style so that the text within the table of contents field looks like you need. Select the text within the table of contents field, e.g. pressing the button in the upper left corner of the table of contents content control. Format table of contents items changing their font type, size, color or applying the font decoration styles. Consequently update styles for items of each level. To update the style, right-click the formatted item, select the Formatting as Style option from the contextual menu and click the Update toc N style option (toc 2 style corresponds to items that have level 2, toc 3 style corresponds to items with level 3 and so on). Refresh the table of contents. Remove the Table of Contents To remove the table of contents from the document: click the arrow next to the Table of Contents icon on the top toolbar and use the Remove table of contents option, or click the arrow next to the table of contents content control title and use the Remove table of contents option." }, { "id": "UsageInstructions/DecorationStyles.htm", "title": "Apply font decoration styles", - "body": "In the Document Editor, you can apply various font decoration styles using the corresponding icons on the Home tab of the top toolbar. Note: in case you want to apply the formatting to the already existing text in the document, select it with the mouse or use the keyboard and apply the formatting. Bold Used to make the font bold giving it a heavier appearance. Italic Used to make the font slightly slanted to the right. Underline Used to make the text underlined with a line going under the letters. Strikeout Used to make the text struck out with a line going through the letters. Superscript Used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript Used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. To access the 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 on the right sidebar. Then the Paragraph - Advanced Settings window will appear, and you will 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 a line going through the letters. Double strikethrough is used to make the text struck out with a double line going through the letters. Superscript is used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. Small caps is used to make all letters lower case. All caps is used to make all letters upper case. 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." + "body": "In the Document Editor, you can apply various font decoration styles using the corresponding icons on the Home tab of the top toolbar. Note: in case you want to apply the formatting to the already existing text in the document, select it with the mouse or use the keyboard and apply the formatting. Bold Used to make the font bold giving it a heavier appearance. Italic Used to make the font slightly slanted to the right. Underline Used to make the text underlined with a line going under the letters. Strikeout Used to make the text struck out with a line going through the letters. Superscript Used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript Used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. To access the 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 on the right sidebar. Then the Paragraph - Advanced Settings window will appear, and you will 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 a line going through the letters. Double strikethrough is used to make the text struck out with a double line going through the letters. Superscript is used to make the text smaller placing it in the upper part of the text line, e.g. as in fractions. Subscript is used to make the text smaller placing it in the lower part of the text line, e.g. as in chemical formulas. Small caps is used to make all letters lower case. All caps is used to make all letters upper case. 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. Ligatures are joined letters of a word typed in either of the OpenType fonts. Please note that using ligatures can disrupt character spacing. The available ligature options are as follows: None Standard only (includes “fi”, “fl”, “ff”; enhances readability) Contextual (ligatures are applied based on the surrounding letters; enhances readability) Historical (ligatures have more swoops and curved lines; lowers readability) Discretionary (ornamental ligatures; lowers readability) Standard and Contextual Standard and Historical Contextual and Historical Standard and Discretionary Contextual and Discretionary Historical and Discretionary Standard, Contextual and Historical Standard, Contextual and Discretionary Standard, Historical and Discretionary Contextual, Historical and Discretionary All All the changes will be displayed in the preview field below." + }, + { + "id": "UsageInstructions/Drawio.htm", + "title": "Create and insert diagrams", + "body": "If you need to create a lot of various and complex diagrams, ONLYOFFICE Document Editor provides you with a draw.io plugin that can create and configure such diagrams. Select the place on the page where you want to insert a diagram. Switch to the Plugins tab and click draw.io. draw io window will open containing the following sections: Top toolbar contains tools to manage files, configure interface, edit data via File, Edit, View, Arrange, Extras, Help tabs and corresponding options. Left sidebar contains various forms to select from: Standard, Software, Networking, Business, Other. To add new shapes to those available by default, click the More Shapes button, select the necessary object types and click Apply. Right sidebar contains tools and settings to customize the worksheet, shapes, charts, sheets, text, and arrows: Worksheet settings: View: Grid, its size and color, Page view, Background - you can either select a local image or provide the URL, or choose a suitable color using the color palette, as well as add Shadow effects. Options: Connection Arrows, Connection Points, Guides. Paper size: Portrait or Landscape orientation with specified length and width parameters. Shape settings: Color: Fill color, Gradient. Line: Color, Type, Width, Perimeter width. Opacity. Arrow settings: Color: Fill color, Gradient. Line: Color, Type, Width, Line end, Line start. Opacity. Working area to view diagrams, enter and edit data. Here you can move objects, form sequential diagrams, and connect objects with arrows. Status bar contains navigation tools for convenient switching between sheets and managing them. Use these tools to create the necessary diagram, edit it, and when it is finished, click the Insert button to add it to the document." }, { "id": "UsageInstructions/FillingOutForm.htm", "title": "Filling Out a Form", - "body": "A fillable form is an OFORM file. OFORM is a format for filling out template forms and downloading or printing the form after you have filled it out. How to fill in a form: Open an OFORM file. Fill in all the required fields. The mandatory fields are marked with red stroke. Use or on the top toolbar to navigate between fields, or click the field you wish to fill in. Use the Clear All Fields button to empty all input fields. After you have filled in all the fields, click the Safe as PDF button to save the form to your computer as a PDF file. Click in the top right corner of the toolbar for additional options. You can Print, Download as docx, or Download as pdf. You can also change the form Interface theme by choosing Light, Classic Light or Dark. Once the Dark interface theme is enabled, the Dark mode becomes available Zoom allows to scale and to resize the page using the Fit to page, Fit to width and Zoom in or Zoom out options: Fit to page allows to resize the page so that the screen displays the whole page. Fit to width allows to resize the page so that the page scales to fit the width of the screen. Zoom adjusting tool allows to zoom in and zoom out the page. Open file location when you need to browse the folder where the form is stored." + "body": "A fillable form is an OFORM file. OFORM is a format for filling out template forms and downloading or printing the form after you have filled it out. How to fill in a form: Open an OFORM file. Fill in all the required fields. The mandatory fields are marked with red stroke. Use or on the top toolbar to navigate between fields, or click the field you wish to fill in. Use the Clear All Fields button to empty all input fields. After you have filled in all the fields, click the Safe as PDF button to save the form to your computer as a PDF file. Click in the top right corner of the toolbar for additional options. You can Print, Download as docx, or Download as pdf. You can also change the form Interface theme by choosing Same as system, Light, Classic Light, Dark or Contrast Dark. Once the Dark or Contrast Dark interface theme is enabled, the Dark mode becomes available. Zoom allows to scale and to resize the page using the Fit to page, Fit to width and Zoom in or Zoom out options: Fit to page allows to resize the page so that the screen displays the whole page. Fit to width allows to resize the page so that the page scales to fit the width of the screen. Zoom adjusting tool allows to zoom in and zoom out the page. Open file location when you need to browse the folder where the form is stored." }, { "id": "UsageInstructions/FontTypeSizeColor.htm", @@ -293,7 +298,7 @@ var indexes = { "id": "UsageInstructions/InsertHeadersFooters.htm", "title": "Insert headers and footers", - "body": "To add a new header/footer or edit one that already exists Document Editor, switch to the Insert tab of the top toolbar, click the Header/Footer icon on the top toolbar, select one of the following options: Edit Header to insert or edit the header text. Edit Footer to insert or edit the footer text. change the current parameters for headers or footers on the right sidebar: Set the Position of the text: to the top for headers or to the bottom for footers. Check the Different first page box to apply a different header or footer to the very first page or in case you don't want to add any header/ footer to it at all. Use the Different odd and even pages box to add different headers/footer for odd and even pages. The Link to Previous option is available in case you've previously added sections into your document. If not, it will be grayed out. Moreover, this option is also unavailable for the very first section (i.e. when a header or footer that belongs to the first section is selected). By default, this box is checked, so that the same headers/footers are applied to all the sections. If you select a header or footer area, you will see that the area is marked with the Same as Previous label. Uncheck the Link to Previous box to use different headers/footers for each section of the document. The Same as Previous label will no longer be displayed. To enter a text or edit the already entered text and adjust the header or footer settings, you can also double-click anywhere on the top or bottom margin of your document or click with the right mouse button there and select the only menu option - Edit Header or Edit Footer. To switch to the document body, double-click within the working area. The text you use as a header or footer will be displayed in gray. Note: please refer to the Insert page numbers section to learn how to add page numbers to your document." + "body": "To add or remove a new header/footer, or edit one that already exists Document Editor, switch to the Insert tab of the top toolbar, click the Header/Footer icon on the top toolbar, select one of the following options: Edit Header to insert or edit the header text. Edit Footer to insert or edit the footer text. Remove Header to delete header. Remove Footer to delete footer. change the current parameters for headers or footers on the right sidebar: Set the Position of the text: to the top for headers or to the bottom for footers. Check the Different first page box to apply a different header or footer to the very first page or in case you don't want to add any header/ footer to it at all. Use the Different odd and even pages box to add different headers/footer for odd and even pages. The Link to Previous option is available in case you've previously added sections into your document. If not, it will be grayed out. Moreover, this option is also unavailable for the very first section (i.e. when a header or footer that belongs to the first section is selected). By default, this box is checked, so that the same headers/footers are applied to all the sections. If you select a header or footer area, you will see that the area is marked with the Same as Previous label. Uncheck the Link to Previous box to use different headers/footers for each section of the document. The Same as Previous label will no longer be displayed. To enter a text or edit the already entered text and adjust the header or footer settings, you can also double-click anywhere on the top or bottom margin of your document or click with the right mouse button there and select the only menu option - Edit Header or Edit Footer. To switch to the document body, double-click within the working area. The text you use as a header or footer will be displayed in gray. Note: please refer to the Insert page numbers section to learn how to add page numbers to your document." }, { "id": "UsageInstructions/InsertImages.htm", @@ -308,7 +313,7 @@ var indexes = { "id": "UsageInstructions/InsertPageNumbers.htm", "title": "Insert page numbers", - "body": "To insert page numbers in the Document Editor, switch to the Insert tab of the top toolbar, click the Header/Footer icon on the top toolbar, choose the Insert Page Number submenu, select one of the following options: To add a page number to each page of your document, select the page number position on the page. To insert a page number at the current cursor position, select the To Current Position option. Note: to insert a current page number at the current cursor position you can also use the Ctrl+Shift+P key combination. To insert the total number of pages in your document (e.g. if you want to create the Page X of Y entry): put the cursor where you want to insert the total number of pages, click the Header/Footer icon on the top toolbar, select the Insert number of pages option. To edit the page number settings, double-click the page number added, change the current parameters on the right sidebar: Set the Position of page numbers on the page accordingly to the top and bottom of the page. Check the Different first page box to apply a different page number to the very first page or in case you don't want to add any number to it at all. Use the Different odd and even pages box to insert different page numbers for odd and even pages. The Link to Previous option is available in case you've previously added sections into your document. If not, it will be grayed out. Moreover, this option is also unavailable for the very first section (i.e. when a header or footer that belongs to the first section is selected). By default, this box is checked, so that unified numbering is applied to all the sections. If you select a header or footer area, you will see that the area is marked with the Same as Previous label. Uncheck the Link to Previous box to use different page numbering for each section of the document. The Same as Previous label will no longer be displayed. The Page Numbering section allows adjusting page numbering options throughout different sections of the document. The Continue from previous section option is selected by default and makes it possible to keep continuous page numbering after a section break. If you want to start page numbering with a specific number in the current section of the document, select the Start at radio button and enter the required starting value in the field on the right. To return to the document editing, double-click within the working area." + "body": "To insert page numbers in the Document Editor, switch to the Insert tab of the top toolbar, click the Header/Footer icon on the top toolbar, choose the Insert Page Number submenu, select one of the following options: To add a page number to each page of your document, select the page number position on the page. To insert a page number at the current cursor position, select the To Current Position option. Note: to insert a current page number at the current cursor position you can also use the Ctrl+Shift+P key combination. OR switch to the Insert tab of the top toolbar, click the Header/Footer icon on the top toolbar, click the Insert page number option in the menu and choose the position of the page number. To insert the total number of pages in your document (e.g. if you want to create the Page X of Y entry): put the cursor where you want to insert the total number of pages, click the Header/Footer icon on the top toolbar, select the Insert number of pages option. To edit the page number settings, double-click the page number added, change the current parameters on the right sidebar: Set the Position of page numbers on the page accordingly to the top and bottom of the page. Check the Different first page box to apply a different page number to the very first page or in case you don't want to add any number to it at all. Use the Different odd and even pages box to insert different page numbers for odd and even pages. The Link to Previous option is available in case you've previously added sections into your document. If not, it will be grayed out. Moreover, this option is also unavailable for the very first section (i.e. when a header or footer that belongs to the first section is selected). By default, this box is checked, so that unified numbering is applied to all the sections. If you select a header or footer area, you will see that the area is marked with the Same as Previous label. Uncheck the Link to Previous box to use different page numbering for each section of the document. The Same as Previous label will no longer be displayed. The Page Numbering section allows adjusting page numbering options throughout different sections of the document. The Continue from previous section option is selected by default and makes it possible to keep continuous page numbering after a section break. If you want to start page numbering with a specific number in the current section of the document, select the Start at radio button and enter the required starting value in the field on the right. To return to the document editing, double-click within the working area." }, { "id": "UsageInstructions/InsertReferences.htm", @@ -323,7 +328,7 @@ var indexes = { "id": "UsageInstructions/InsertTables.htm", "title": "Insert tables", - "body": "Insert a table To insert a table in the Document Editor, place the cursor where the table should be added, switch to the Insert tab of the top toolbar, click the Table icon on 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. If you want to draw a table using the mouse, select the Draw Table option. This can be useful, if you want to create a table with rows and columns of different sizes. The mouse cursor will turn into a pencil . Draw a rectangular shape where you want to add a table, then add rows by drawing horizontal lines and columns by drawing vertical lines within the table boundary. If you want to convert an existing text into a table, select the Convert Text to Table option. This feature can prove useful when you already have some text that you have decided to arrange into a table. The Convert Text to Table window consists of 3 sections: Table Size. Choose the required number of columns/rows you want to distribute your text into. You can either use the up/down arrow buttons or enter the number manually via keyboard. Autofit Behavior. Check the needed option to set the text fitting behavior: Fixed column width (set to Auto by default. You can either use the up/down arrow buttons or enter the number manually via keyboard), Autofit to contents (the column width corresponds with the text length), Autofit to window (the column width corresponds with the page width). Separate Text at. Check the needed option to set a delimiter type for your text: Paragraphs, Tabs, Semicolons, and Other (enter the preferred delimiter manually). Click OK to convert your text to table. 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. It's also possible to add a caption to the table. To learn more on how to work with captions for tables, you can refer to this article. 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 on 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 the selected text/object and paste the 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. It's also possible to insert several rows or columns. If you select the Several Rows/Columns option, the Insert Several window will appear. Select the Rows or Columns option from the list, specify the number of rows/column you want to add, choose where they should be added: Above the cursor or Below the cursor and click OK. Delete is used to delete a row, column, table or cells. If you select the Cells option, the Delete Cells window will open, where you can select if you want to Shift cells left, Delete entire row, or Delete entire column. Merge Cells is available if two or more cells are selected and is used to merge them. It's also possible to merge cells by erasing a boundary between them using the eraser tool. To do this, click the Table icon on the top toolbar, choose the Erase Table option. The mouse cursor will turn into the eraser . Move the mouse cursor over the border between the cells you want to merge and erase it. 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. It's also possible to split a cell by drawing rows or columns using the pencil tool. To do this, click the Table icon on the top toolbar, choose the Draw Table option. The mouse cursor will turn into the pencil . Draw a horizontal line to create a row or a vertical line to create a column. 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 on 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. Rows & Columns 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. Convert Table to Text is used to arrange the table in a plain text form. The Convert Table to Text window sets the delimiter type for the conversion: Paragraph marks, Tabs, Semicolons, and Other (enter the preferred delimiter manually). The text in each cell of the table is considered a separate and individual element of the future text. Show advanced settings is used to open the 'Table - Advanced Settings' window. Adjust table advanced settings 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 on the right sidebar. The table properties window will open: The Table tab allows changing the 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 specifying the table width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on 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 - allows automatically change the width of each column in accordance with the text within its cells. The Default Cell Margins section allows changing the space between the text within the cells and the cell border used by default. The Options section allows changing the following parameter: Spacing between cells - the cell spacing which will be filled with the Table Background color. The Cell tab allows changing the properties of individual cells. First you need to select the required cell or select the entire table to change the properties of all its cells. The Cell Size section contains the following parameters: Preferred width - allows setting the preferred cell width. This is the size that a cell strives to fit, but in some cases, it may not be possible to fit 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 specifying the cell width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on 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 allows adjusting the space between the text within the cells and the cell border. By default, the standard values are used (the default, these values can also be altered on the Table tab), but you can uncheck the Use default margins box and enter the necessary values manually. The Cell Options section allows changing the following parameter: The Wrap text option is enabled by default. It allows wrapping the 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 choose not to show the table borders by clicking the button or deselecting all the borders manually on the diagram, they will be indicated with a dotted line in the document. To make them disappear at all, click the Nonprinting characters icon on 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 on the Table tab. The Table Position tab is available only if the Flow table option on 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 changing the following parameters: Move object with text ensures that the table moves with the text. 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 on the Table Position tab. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the table." + "body": "Insert a table To insert a table in the Document Editor, place the cursor where the table should be added, switch to the Insert tab of the top toolbar, click the Table icon on 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. If you want to draw a table using the mouse, select the Draw Table option. This can be useful, if you want to create a table with rows and columns of different sizes. The mouse cursor will turn into a pencil . Draw a rectangular shape where you want to add a table, then add rows by drawing horizontal lines and columns by drawing vertical lines within the table boundary. If you want to convert an existing text into a table, select the Convert Text to Table option. This feature can prove useful when you already have some text that you have decided to arrange into a table. The Convert Text to Table window consists of 3 sections: Table Size. Choose the required number of columns/rows you want to distribute your text into. You can either use the up/down arrow buttons or enter the number manually via keyboard. Autofit Behavior. Check the needed option to set the text fitting behavior: Fixed column width (set to Auto by default. You can either use the up/down arrow buttons or enter the number manually via keyboard), Autofit to contents (the column width corresponds with the text length), Autofit to window (the column width corresponds with the page width). Separate Text at. Check the needed option to set a delimiter type for your text: Paragraphs, Tabs, Semicolons, and Other (enter the preferred delimiter manually). Click OK to convert your text to table. If you want to insert a table as an OLE object: Select the Insert Spreadsheet option. The corresponding window appears where you can enter the required data and format it using the Spreadsheet Editor formatting tools such as choosing font, type and style, setting number format, inserting functions, formatting tables etc. The header contains the Visible area button in the top right corner of the window. Choose the Edit Visible Area option to select the area that will be shown when the object is inserted into the document; other data is not lost, it is just hidden. Click Done when ready. Click the Show Visible Area button to see the selected area that will have a blue border. When ready, click the Save & Exit 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. It's also possible to add a caption to the table. To learn more on how to work with captions for tables, you can refer to this article. 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 on 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 the selected text/object and paste the 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. It's also possible to insert several rows or columns. If you select the Several Rows/Columns option, the Insert Several window will appear. Select the Rows or Columns option from the list, specify the number of rows/column you want to add, choose where they should be added: Above the cursor or Below the cursor and click OK. Delete is used to delete a row, column, table or cells. If you select the Cells option, the Delete Cells window will open, where you can select if you want to Shift cells left, Delete entire row, or Delete entire column. Merge Cells is available if two or more cells are selected and is used to merge them. It's also possible to merge cells by erasing a boundary between them using the eraser tool. To do this, click the Table icon on the top toolbar, choose the Erase Table option. The mouse cursor will turn into the eraser . Move the mouse cursor over the border between the cells you want to merge and erase it. 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. It's also possible to split a cell by drawing rows or columns using the pencil tool. To do this, click the Table icon on the top toolbar, choose the Draw Table option. The mouse cursor will turn into the pencil . Draw a horizontal line to create a row or a vertical line to create a column. 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 on 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. Rows & Columns 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. Convert Table to Text is used to arrange the table in a plain text form. The Convert Table to Text window sets the delimiter type for the conversion: Paragraph marks, Tabs, Semicolons, and Other (enter the preferred delimiter manually). The text in each cell of the table is considered a separate and individual element of the future text. Show advanced settings is used to open the 'Table - Advanced Settings' window. Adjust table advanced settings 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 on the right sidebar. The table properties window will open: The Table tab allows changing the 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 specifying the table width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on 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 - allows automatically change the width of each column in accordance with the text within its cells. The Default Cell Margins section allows changing the space between the text within the cells and the cell border used by default. The Options section allows changing the following parameter: Spacing between cells - the cell spacing which will be filled with the Table Background color. The Cell tab allows changing the properties of individual cells. First you need to select the required cell or select the entire table to change the properties of all its cells. The Cell Size section contains the following parameters: Preferred width - allows setting the preferred cell width. This is the size that a cell strives to fit, but in some cases, it may not be possible to fit 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 specifying the cell width in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on 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 allows adjusting the space between the text within the cells and the cell border. By default, the standard values are used (the default, these values can also be altered on the Table tab), but you can uncheck the Use default margins box and enter the necessary values manually. The Cell Options section allows changing the following parameter: The Wrap text option is enabled by default. It allows wrapping the 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 choose not to show the table borders by clicking the button or deselecting all the borders manually on the diagram, they will be indicated with a dotted line in the document. To make them disappear at all, click the Nonprinting characters icon on 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 on the Table tab. The Table Position tab is available only if the Flow table option on 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 changing the following parameters: Move object with text ensures that the table moves with the text. 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 on the Table Position tab. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the table." }, { "id": "UsageInstructions/InsertTextObjects.htm", @@ -333,7 +338,7 @@ var indexes = { "id": "UsageInstructions/Jitsi.htm", "title": "Make Audio and Video Calls", - "body": "Audio and video calls are immediately accessible from ONLYOFFICE Document Editor, using Jitsi plugin. Jitsi provides video conferencing capabilities that are secure and easy to deploy. Note: Jitsi plugin is not installed by default and shall be added manually. Please, refer to the corresponding article to find the manual installation guide Adding plugins to ONLYOFFICE Cloud or Adding new plugins to server editors Switch to the Plugins tab and click the Jitsi icon on the top toolbar. Fill in the fields at the bottom of the left sidebar before you start a call: Domain - enter the domain name if you want to connect your domain. Room name - enter the name of the meeting room. This field is mandatory and you cannot start a call if you leave it out. Click the Start button to open the Jitsi Meet iframe. Enter your name and allow camera and microphone access to your browser. If you want to close the Jitsi Meet iframe click the Stop button at the bottom of the left. Click the Join the meeting button to start a call with audio or click the arrow to join without audio. The Jitsi Meet iframe interface elements before launching a meeting: Audio settings and Mute/Unmute Click the arrow to access the preview of Audio Settings. Click the micro to mute/unmute your microphone. Video settings and Start/Stop Click the arrow to access video preview. Click the camera to start/stop your video. Invite people Click this button to invite more people to your meeting. Share the meeting by copying the meeting link, or Share meeting invitation by copying it, or via your default email, Google email, Outlook email or Yahoo email. Embed the meeting by copying the link. Use one of the available dial-in numbers to join the meeting. Select background Select or add a virtual background for your meeting. Share your desktop by choosing the appropriate option: Screen, Window or Tab. Select background Select or add a virtual background for your meeting. Share your desktop by choosing the appropriate option: Screen, Window or Tab. Settings Configure advanced settings that are organized in the following categories: Devices for setting up your Microphone, Camera and Audio Output, and playing a test sound. Profile for setting up your name to be displayed and gravatar email, hide/show self view. Calendar for integration your Google or Microsoft calendar. Sounds for selecting the actions to play the sound on. More for configuring some additional options: enable/disable pre meeting screen and keyboard shortcuts, set up a language and desktop sharing frame rate. Interface elements that appear during a video conference: Click the side arrow on the right to display the participant thumbnails at the top. The timer at the iframe top shows the meeting duration. Open chat Type a text message or create a poll. Participants View the list of the meeting participants, invite more participants and search a participant. More Actions Find a range of options to use all the available Jitsi features to the full.Scroll through the options to see them all. Available options, Start screen sharing Invite people Enter/Exit tile view Performance settings for adjusting the quality View full screen Security options Lobby mode for participants to join the meeting after the moderator’s approval; Add password mode for participants to join the meeting with a password; End-to-end encryption is an experimental method of making secure calls (mind the restrictions like disabling server-side provided services and using browsers that support insertable streams). Start live stream Mute everyone Disable everyone’s camera Share video Select background Speaker stats Settings View shortcuts Embed meeting Leave feedback Help Leave the meeting Click it whenever you wish to end a call." + "body": "Audio and video calls are immediately accessible from ONLYOFFICE Document Editor, using Jitsi plugin. Jitsi provides video conferencing capabilities that are secure and easy to deploy. Note: Jitsi plugin is not installed by default and shall be added manually. Please, refer to the corresponding article to find the manual installation guide Adding plugins to ONLYOFFICE Cloud or Adding new plugins to server editors Switch to the Plugins tab and click the Jitsi icon on the top toolbar. Fill in the fields at the bottom of the left sidebar before you start a call: Domain - enter the domain name if you want to connect your domain. Room name - enter the name of the meeting room. This field is mandatory and you cannot start a call if you leave it out. Click the Start button to open the Jitsi Meet iframe. Enter your name and allow camera and microphone access to your browser. If you want to close the Jitsi Meet iframe click the Stop button at the bottom of the left. Click the Join the meeting button to start a call with audio or click the arrow to join without audio. The Jitsi Meet iframe interface elements before launching a meeting: Audio settings and Mute/Unmute Click the arrow to access the preview of Audio Settings. Click the micro to mute/unmute your microphone. Video settings and Start/Stop Click the arrow to access video preview. Click the camera to start/stop your video. Invite people Click this button to invite more people to your meeting. Share the meeting by copying the meeting link, or Share meeting invitation by copying it, or via your default email, Google email, Outlook email or Yahoo email. Embed the meeting by copying the link. Use one of the available dial-in numbers to join the meeting. Select background Select or add a virtual background for your meeting. Share your desktop by choosing the appropriate option: Screen, Window or Tab. Settings Configure advanced settings that are organized in the following categories: Devices for setting up your Microphone, Camera and Audio Output, and playing a test sound. Profile for setting up your name to be displayed and gravatar email, hide/show self view. Calendar for integration your Google or Microsoft calendar. Sounds for selecting the actions to play the sound on. More for configuring some additional options: enable/disable pre meeting screen and keyboard shortcuts, set up a language and desktop sharing frame rate. Interface elements that appear during a video conference: Click the side arrow on the right to display the participant thumbnails at the top. The timer at the iframe top shows the meeting duration. Open chat Type a text message or create a poll. Participants View the list of the meeting participants, invite more participants and search a participant. More Actions Find a range of options to use all the available Jitsi features to the full.Scroll through the options to see them all. Available options, Start screen sharing Invite people Enter/Exit tile view Performance settings for adjusting the quality View full screen Security options Lobby mode for participants to join the meeting after the moderator’s approval; Add password mode for participants to join the meeting with a password; End-to-end encryption is an experimental method of making secure calls (mind the restrictions like disabling server-side provided services and using browsers that support insertable streams). Start live stream Mute everyone Disable everyone’s camera Share video Select background Speaker stats Settings View shortcuts Embed meeting Leave feedback Help Leave the meeting Click it whenever you wish to end a call." }, { "id": "UsageInstructions/LineSpacing.htm", @@ -358,7 +363,7 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Create a new document or open an existing one", - "body": "In the Document Editor, you can open a recently edited document, create a new one, or return to the list of existing documents. To create a new document In the online editor click the File tab on 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 on 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 required format for saving (DOCX, DOCXF, OFORM, Document template (DOTX), ODT, OTT, 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 on the left sidebar, choose the required document from the file manager window and click the Open button. You can also right-click the required document in the file manager window, select the Open with option and choose the necessary application from the menu. If text documents are associated with the application you need, you can also open them by double-clicking the file name in the file explorer window. All the directories that you have navigated through using the desktop editor will be displayed in the Recent folders list so that you can quickly access them afterwards. Click the required folder to select one of the files stored there. To open a recently edited document In the online editor click the File tab on 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 on 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 editor in the file explorer window in the desktop editor, click the Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab on the top toolbar and select the Open file location option." + "body": "In the Document Editor, you can open a recently edited document, rename it, create a new one, or return to the list of existing documents . To create a new document In the online editor click the File tab on 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 on 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 required format for saving (DOCX, DOCXF, OFORM, Document template (DOTX), ODT, OTT, 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 on the left sidebar, choose the required document from the file manager window and click the Open button. You can also right-click the required document in the file manager window, select the Open with option and choose the necessary application from the menu. If text documents are associated with the application you need, you can also open them by double-clicking the file name in the file explorer window. All the directories that you have navigated through using the desktop editor will be displayed in the Recent folders list so that you can quickly access them afterwards. Click the required folder to select one of the files stored there. To open a recently edited document In the online editor click the File tab on 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 on the left sidebar, choose the document you need from the list of recently edited documents. To rename an opened document In the online editor click the document name at the top of the page, enter a new document name, press Enter to accept the changes. To open the folder, where the file is stored, in a new browser tab in the online editor in the file explorer window in the desktop editor, click the Open file location icon on the right side of the editor header. Alternatively, you can switch to the File tab on the top toolbar and select the Open file location option." }, { "id": "UsageInstructions/PageBreaks.htm", @@ -378,7 +383,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Save, download, print your document", - "body": "Saving By default, online Document Editor automatically saves your file each 2 seconds when you work on it to prevent your data loss in case the program closes unexpectedly. 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 necessary, 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. In the desktop version, to prevent data from loss in case program closes unexpectedly, you can turn on the Autorecover option on 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, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. You can also choose the Document template (DOTX or OTT) 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, FB2, EPUB, DOCXF, OFORM. 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, FB2, EPUB, DOCXF, OFORM. 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. The Firefox browser enables printing without downloading the document as a .pdf file first. It's also possible to print a selected text passage using the Print Selection option from the contextual menu both in the Edit and View modes (Right Mouse Button Click and choose option Print selection). 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." + "body": "Saving By default, online Document Editor automatically saves your file each 2 seconds when you work on it to prevent your data loss in case the program closes unexpectedly. 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 necessary, 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. In the desktop version, to prevent data from loss in case program closes unexpectedly, you can turn on the Autorecover option on 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, PDF/A, HTML, FB2, EPUB, DOCXF, OFORM. You can also choose the Document template (DOTX or OTT) 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, FB2, EPUB, DOCXF, OFORM. 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, FB2, EPUB, DOCXF, OFORM. 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. The Firefox browser enables printing without downloading the document as a .pdf file first. It's also possible to print a selected text passage using the Print Selection option from the contextual menu both in the Edit and View modes (Right Mouse Button Click and choose option Print selection). 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", @@ -433,7 +438,7 @@ var indexes = { "id": "UsageInstructions/ViewDocInfo.htm", "title": "View document information", - "body": "To access the detailed information about the currently edited document in the Document Editor, click the File tab of the top toolbar and select the Document Info... option. General Information The document information includes a number of the file properties which describe the document. Some of these properties are updated automatically, and some of them can be edited. Location - the folder in the Documents module where the file is stored. Owner - the name of the user who has created the file. Uploaded - the date and time when the file has been created. These properties are available in the online version only. Statistics - the number of pages, paragraphs, words, symbols, symbols with spaces. Title, Subject, Comment - these properties allow yoy to simplify your documents classification. You can specify the necessary text in the properties fields. Last Modified - the date and time when the file was last modified. Last Modified By - the name of the user who has made the latest change to the document. This option is available if the document has been shared and can be edited by several users. Application - the application the document has been created with. Author - the person who has created the file. You can enter the necessary name in this field. Press Enter to add a new field that allows you to specify one more author. If you changed the file properties, click the Apply button to apply the changes. Note: The online Editors allow you to change the name of the document directly in 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 will appear 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 on 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 on 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 on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the current version of the document, 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 in the Document Editor, click the File tab of the top toolbar and select the Document Info option. General Information The document information includes a number of the file properties which describe the document. Some of these properties are updated automatically, and some of them can be edited. Location - the folder in the Documents module where the file is stored. Owner - the name of the user who has created the file. Uploaded - the date and time when the file has been created. These properties are available in the online version only. Statistics - the number of pages, paragraphs, words, symbols, symbols with spaces. Title, Subject, Comment - these properties allow yoy to simplify your documents classification. You can specify the necessary text in the properties fields. Last Modified - the date and time when the file was last modified. Last Modified By - the name of the user who has made the latest change to the document. This option is available if the document has been shared and can be edited by several users. Application - the application the document has been created with. Author - the person who has created the file. You can enter the necessary name in this field. Press Enter to add a new field that allows you to specify one more author. If you changed the file properties, click the Apply button to apply the changes. Note: The online Editors allow you to change the name of the document directly in 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 will appear 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 on 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 on 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 on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the current version of the document, 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." }, { "id": "UsageInstructions/WordCounter.htm", diff --git a/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm index eee450468..0b256888d 100644 --- a/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm @@ -16,118 +16,243 @@

        Formatos Soportados de Documentos Electrónicos

        Documentos electrónicos representan uno de los archivos infórmaticos más comúnmente utilizados. Gracias a un nivel alto de desarrollo de las redes infórmaticas actuales es más conveniente distribuir documentos de forma electrónica. Debido a una variedad de dispositivos usados para presentación de documentos existen muchos formatos de archivos patentados y abiertos. Document Editor soporta los formatos más populares.

        - +

        Mientras usted sube o abra el archivo para edición, se convertirá al formato Office Open XML (DOCX). Se hace para acelerar el procesamiento de archivos y aumentar la interoperabilidad.

        +

        La siguiente tabla contiene los formatos que pueden abrirse para su visualización y/o edición.

        +
        - - - + + + + + + + + + + + + - - - - - - - - - + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - + + + + + - - - - - - - - - - - - - - - -
        Formatos DescripciónVerEditarDescargarVer de forma nativaVer después de la conversión a OOXMLEditar de forma nativaEditar después de la conversión a OOXML
        DjVuFormato de archivo diseñado principalmente para almacenar los documentos escaneados, especialmente para tales que contienen una combinación de texto, imágenes y fotografías+
        DOC Extensión de archivo para los documentos de texto creados con Microsoft Word++
        DOCXOffice Open XML
        Formato de archivo desarrollado por Microsoft basado en XML, comprimido usando la tecnología ZIP se usa para presentación de hojas de cálculo, gráficos, presentaciones y documentos de texto
        +++ +
        DOTXPlantilla de documento Word Open XML
        Formato de archivo comprimido, basado en XML, desarrollado por Microsoft para plantillas de documentos de texto. Una plantilla DOTX contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples documentos con el mismo formato.
        +++
        ODTFormato de los archivos de texto OpenDocument, un estándar abierto para documentos electrónicos+++
        OTTPlantilla de documento OpenDocument
        Formato de archivo OpenDocument para plantillas de documentos de texto. Una plantilla OTT contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples documentos con el mismo formato.
        +++
        RTFRich Text Format
        Formato de archivos de documentos desarrollado por Microsoft para intercambio de documentos entre plataformas
        +++
        TXTExtensión de archivo para archivos de texto que normalmente contiene un formateo mínimo+++
        PDFFormato de documento portátil
        Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos
        ++
        PDFFormato de documento portátil / A
        Una versión ISO estandarizada del Formato de Documento Portátil (PDF por sus siglas en inglés) especializada para su uso en el archivo y la preservación a largo plazo de documentos electrónicos.
        DOCMMacro-Enabled Microsoft Word Document
        Extensión de archivo para documentos generados por Microsoft Word 2007 o versiones superiores con la capacidad de ejecutar macros
        + +
        HTMLHyperText Markup Language
        Lenguaje de marcado principal para páginas web
        DOCXOffice Open XML
        Formato de archivo desarrollado por Microsoft basado en XML, comprimido usando la tecnología ZIP se usa para presentación de hojas de cálculo, gráficos, presentaciones y documentos de texto
        ++
        DOCXFUn formato para crear, editar y colaborar en una plantilla de formulario.++
        DOTXPlantilla de documento Word Open XML
        Formato de archivo comprimido, basado en XML, desarrollado por Microsoft para plantillas de documentos de texto. Una plantilla DOTX contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples documentos con el mismo formato.
        ++
        EPUBElectronic Publication
        Estándar abierto y gratuito para libros electrónicos creado por el Foro Internacional de Publicación Digital (International Digital Publishing Forum)
        +
        FB2Una extensión de ebook que permite leer libros en el ordenador o en dispositivos móviles++
        HTMLHyperText Markup Language
        Lenguaje de marcado principal para páginas web
        ++
        ODTFormato de los archivos de texto OpenDocument, un estándar abierto para documentos electrónicos++
        OFORMUn formato para rellenar un formulario. Los campos del formulario se pueden rellenar pero los usuarios no pueden cambiar el formato o los parámetros de los elementos del formulario*.++
        OTTPlantilla de documento OpenDocument
        Formato de archivo OpenDocument para plantillas de documentos de texto. Una plantilla OTT contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples documentos con el mismo formato.
        ++
        PDFFormato de documento portátil
        Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos
        +
        PDF/AFormato de documento portátil / A
        Una versión ISO estandarizada del Formato de Documento Portátil (PDF por sus siglas en inglés) especializada para su uso en el archivo y la preservación a largo plazo de documentos electrónicos.
        +
        RTFRich Text Format
        Formato de archivos de documentos desarrollado por Microsoft para intercambio de documentos entre plataformas
        + +en la versión en línea
        EPUBElectronic Publication
        Estándar abierto y gratuito para libros electrónicos creado por el Foro Internacional de Publicación Digital (International Digital Publishing Forum)
        TXTExtensión de archivo para archivos de texto que normalmente contiene un formateo mínimo+ +
        XPSOpen XML Paper Specification
        Formato de documento abierto de diseño fijo desarrollado por Microsoft
        +
        DjVuFormato de archivo diseñado principalmente para almacenar los documentos escaneados, especialmente para tales que contienen una combinación de texto, imágenes y fotografías+
        + + XML + Extensible Markup Language (XML).
        Un lenguaje de marcado simple y flexible que deriva del SGML (ISO 8879) y está diseñado para almacenar y transmitir datos. + + + + + + + + + XPS + Open XML Paper Specification
        Formato de documento abierto de diseño fijo desarrollado por Microsoft + + + + + + + +

        *Nota: el formato OFORM es un formato que se utiliza para rellenar un formulario. Por lo tanto, solo se pueden editar los campos del formulario.

        +

        La siguiente tabla contiene los formatos en los que se puede descargar un documento desde el menú Archivo -> Descargar como.

        + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
        Formato de entradaPuede descargarse como
        DjVuDjVu, PDF
        DOCDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        DOCMDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        DOCXDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        DOCXFDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        DOTXDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        EPUBDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        FB2DOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        HTMLDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        ODTDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        OFORMDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        OTTDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        PDFDOCX, DOCXF, DOTX, EPUB, FB2, HTML, OFORM, PDF, RTF, TXT
        PDF/ADOCX, DOCXF, DOTX, EPUB, FB2, HTML, OFORM, PDF, RTF, TXT
        RTFDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        TXTDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        XMLDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT
        XPSDOCX, DOCXF, DOTX, EPUB, FB2, HTML, ODT, OFORM, OTT, PDF, PDF/A, RTF, TXT, XPS
        +

        También puede consultar la matriz de conversión en la página web api.onlyoffice.com para ver la posibilidad de convertir sus documentos a los formatos de archivo más conocidos.

        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/Contents.json b/apps/documenteditor/main/resources/help/fr/Contents.json index 76df0fe00..ebe48c097 100644 --- a/apps/documenteditor/main/resources/help/fr/Contents.json +++ b/apps/documenteditor/main/resources/help/fr/Contents.json @@ -198,16 +198,19 @@ "name": "Insérer des équations", "headername": "Équations mathématiques" }, - { - "src": "HelpfulHints/CollaborativeEditing.htm", - "name": "Édition collaborative des documents", - "headername": "Édition collaborative du document" - }, + { + "src": "HelpfulHints/CollaborativeEditing.htm", + "name": "Édition collaborative des documents", + "headername": "Édition collaborative du document" + }, + { "src": "HelpfulHints/Communicating.htm", "name": "Communiquer en temps réel" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Commenter des documents" }, { "src": "HelpfulHints/Review.htm", "name": "Révision du document" }, { "src": "HelpfulHints/Comparison.htm", "name": "Comparer les documents" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Historique des versions" }, {"src": "UsageInstructions/PhotoEditor.htm", "name": "Modification d'une image", "headername": "Plugins"}, {"src": "UsageInstructions/YouTube.htm", "name": "Insérer une vidéo" }, {"src": "UsageInstructions/HighlightedCode.htm", "name": "Insérer le code en surbrillance" }, @@ -217,6 +220,12 @@ {"src": "UsageInstructions/Speech.htm", "name": "Lire un texte à haute voix" }, {"src": "UsageInstructions/Thesaurus.htm", "name": "Remplacer un mot par synonyme" }, {"src": "UsageInstructions/Wordpress.htm", "name": "Télécharger un document sur Wordpress"}, + {"src": "UsageInstructions/WordCounter.htm", "name": "Compter les mots"}, + {"src": "UsageInstructions/HTML.htm", "name": "Modifier le code HTML"}, + { "src": "UsageInstructions/Typograf.htm", "name": "Corriger la typographie" }, + { "src": "UsageInstructions/CommunicationPlugins.htm", "name": "Communiquer lors de l'édition" }, + {"src": "UsageInstructions/Jitsi.htm", "name": "Effectuer des appels audio et vidéo"}, + {"src": "UsageInstructions/Drawio.htm", "name": "Créer et insérer des diagrammes"}, { "src": "UsageInstructions/ViewDocInfo.htm", "name": "Afficher les informations sur le document", diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm index 998efa9c5..e82808fc9 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm @@ -1,9 +1,9 @@  - À propos de Document Editor + À propos de l'Éditeur de Documents - + @@ -14,10 +14,12 @@
        -

        À propos de Document Editor

        -

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

        -

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

        -

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

        +

        À propos de l'Éditeur de Documents

        +

        Éditeur de Documents est une application en ligne qui vous permet de parcourir + et de modifier des documents dans votre navigateur.

        +

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

        +

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

        \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index b0940290c..93c4ff9b8 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -1,11 +1,11 @@  - Paramètres avancés de Document Editor + Paramètres avancés de l'Éditeur de Documents - + - + @@ -14,91 +14,106 @@
        -

        Paramètres avancés de Document Editor

        -

        Document 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 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:

        -
          -
        • - Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. +

          Paramètres avancés de l'Éditeur de Documents

          +

          Éditeur de Documents 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....

          +

          Les paramètres avancés sont les suivants :

          + +

          Édition et enregistrement

          +
            +
          1. Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition.
          2. +
          3. Récupération automatique est utilisée dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les documents en cas de fermeture inattendue du programme.
          4. +
          5. Afficher le bouton "Options de collage" lorsque le contenu est collé. L'icône correspondante sera affichée lorsque vous collez le contenu au document.
          6. +
          7. Rendre les fichiers compatibles avec les anciennes versions de MS Word lorsqu'ils sont enregistrés au format DOCX. Les fichiers enregistrés au format DOCX deviendront compatibles avec les anciennes versions de Microsoft Word.
          8. +
          + +

          Collaboration

          +
            +
          1. + Le Mode de co-édition permet de sélectionner le mode d'affichage des modifications effectuées lors de la co-édition :
              -
            • Activer l'affichage des commentaires - si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône
              de la barre latérale gauche.
            • -
            • Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans le texte du document. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires
              dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus dans le texte du document.
            • +
            • Rapide (par défaut). Les utilisateurs qui participent à la co-édition du document verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs.
            • +
            • Strict. Tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer
              pour vous informer qu'il y a des changements effectués par d'autres utilisateurs.
          2. - Afficher le suivi des modifications sert à sélectionner la façon d'affichage des modifications: + Afficher le suivi des modifications sert à sélectionner la façon d'affichage des modifications.
              -
            • Afficher par clic dans les ballons - les modifications s'affichent dans les ballons lorsque vous activez le suivi des modifications;
            • -
            • Afficher lorsque le pointeur est maintenu sur l'infobulle - l'infobulle s'affiche lorsque vous faites glisser le pointeur sur la modification suivi.
            • +
            • Afficher par clic dans les ballons. Les modifications s'affichent dans les ballons lorsque vous activez le suivi des modifications.
            • +
            • Afficher lorsque le pointeur est maintenu sur l'infobulle. L'infobulle s'affiche lorsque vous faites glisser le pointeur sur la modification suivie.
          3. +
          4. + Le paragraphe Changements de collaboration en temps réel vous permet de spécifier comment les nouveaux changements et commentaires seront affichés en temps réel. +
              +
            • Surligner aucune modification. Les modifications effectuées au cours de la session actuelle ne seront pas mises en surbrillance.
            • +
            • Surligner toutes les modifications. Toutes les modifications effectuées au cours de la session actuelle seront mises en surbrillance.
            • +
            • Voir le dernier. Seules les modifications apportées depuis le dernier clic sur l'icône Enregistrer
              seront mises en surbrillance. Cette option n'est disponible que lorsque le mode de co-édition Strict est sélectionné.
            • +
            • Activer l'affichage des commentaires. Si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône Commentaires
              dans la barre latérale gauche.
            • +
            • Activer l'affichage des commentaires résolus. Cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans le texte du document. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires
              dans la barre latérale gauche. Activez cette option si vous voulez afficher les commentaires résolus dans le texte du document.
            • +
            +
          5. +
          + +

          Vérification

          +
          1. Vérification de l'orthographe sert à activer/désactiver l'option de vérification de l'orthographe.
          2. -
          3. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par.
          4. -
          5. Entrée alternative sert à activer / désactiver les hiéroglyphes.
          6. -
          7. Guides d'alignement est utilisé pour activer/désactiver les guides d'alignement qui apparaissent lorsque vous déplacez des objets et vous permettent de les positionner précisément sur la page.
          8. -
          9. Compatibilité sert à rendre les fichiers compatibles avec les anciennes versions de MS Word lorsqu'ils sont enregistrés au format DOCX.
          10. -
          11. Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition.
          12. -
          13. Récupération automatique - est utilisé dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les documents en cas de fermeture inattendue du programme.
          14. -
          15. - Le Mode de co-édition permet de sélectionner l'affichage des modifications effectuées lors de la co-édition: -
              -
            • Par défaut, le mode Rapide est sélectionné, les utilisateurs qui participent à la co-édition du document verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs.
            • -
            • Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer
              pour vous informer qu'il y a des changements effectués par d'autres utilisateurs.
            • -
            -
          16. -
          17. - Changements de collaboration en temps réel sert à spécifier quels sont les changements que vous souhaitez mettre en surbrillance lors de l'édition collaborative: -
              -
            • En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance.
            • -
            • L'option Tout 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 Enregistrer
              seront mises en surbrillance. Cette option n'est disponible que lorsque le mode Strict est sélectionné.
            • -
            -
          18. +
          19. Ignorer les mots en MAJUSCULES. Les mots tapés en majuscules sont ignorés lors de la vérification de l'orthographe.
          20. +
          21. Ignorer les mots contenant des chiffres. Les mots contenant des chiffres sont ignorés lors de la vérification de l'orthographe.
          22. +
          23. Le menu Options d'auto-correction... permet d'acceder aux paramètres d'auto-correction tels que remplacement au cours de la frappe, fonctions de reconnaissance, mise en forme automatique etc.
          24. +
          + +

          Espace de travail

          +
            +
          1. L'option Guides d'alignement est utilisée pour activer/désactiver les guides d'alignement qui apparaissent lorsque vous déplacez des objets et vous permettent de les positionner précisément sur la page.
          2. +
          3. L'option Hiéroglyphes est utilisée pour activer/désactiver l'affichage des hiéroglyphes.
          4. +
          5. L'option Utiliser la touche Alt pour naviguer dans l'interface utilisateur à l'aide du clavier est utilisée pour activer l'utilisation de la touche Alt / Option à un raccourci clavier.
          6. - Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. + L'option Thème d'interface permet de modifier les jeux de couleurs de l'interface d'éditeur.
              +
            • L'option Identique à système rend le thème d'interface de l'éditeur identique à celui de votre système.
            • Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards bleu, blanc et gris claire à contraste réduit et est destiné à un travail de jour.
            • Le mode Claire classique comprend l'affichage en couleurs standards bleu, blanc et gris claire.
            • Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. L'option Activer le mode sombre pour les documents devient activé lorsque le thème de l'interface Sombre est choisi. Le cas échéant, cochez la case Activer le mode sombre pour les documents pour activez le mode sombre. -

              Remarque: En plus des thèmes de l'interface disponibles Claire, Classique claire et Sombre, il est possible de personnaliser ONLYOFFICE editors en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter les instructions.

              +
            • Le mode Contraste sombre comprend l'affichage des éléments de l'interface utilisateur en couleurs noir, gris foncé et blanc à plus de contraste et est destiné à mettre en surbrillance la zone de travail du fichier.
            • +
            • + L'option Activer le mode sombre pour les documents est utilisée pour rendre la zone de travail plus sombre lorsque le thème de l'interface Sombre ou Contraste sombre est choisi. Cochez la case Activer le mode sombre pour les documents afin de l'activer. +

              Remarque : En plus des thèmes de l'interface disponibles Claire, Classique claire, Sombre et Contraste sombre, il est possible de personnaliser les éditeurs ONLYOFFICE en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter ces instructions.

            • -
          7. -
          8. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur.
          9. +
          10. L'option Unité de mesure sert à spécifier les unités de mesure utilisées sur les règles et dans les fenêtres de paramètres pour les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce.
          11. +
          12. L'option Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur.
          13. - Hinting de la police sert à sélectionner le type d'affichage de la police dans Document Editor: + L'option Hinting de la police sert à sélectionner le type d'affichage de la police dans l'Éditeur de Documents.
              -
            • Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows.
            • -
            • Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting.
            • -
            • Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices.
            • +
            • Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est-à-dire en utilisant la police de Windows.
            • +
            • Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est-à-dire sans hinting.
            • +
            • Choisissez Natif si vous voulez que votre texte soit affiché avec les hintings intégrés dans les fichiers de polices.
            • Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. -

              Document Editor gère deux modes de mise en cache:

              +

              Éditeur de Documents gère deux modes de mise en cache :

                -
              1. Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante.
              2. -
              3. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc.
              4. +
              5. Dans le premier mode de mise en cache chaque lettre est mise en cache comme une image indépendante.
              6. +
              7. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mise en place. La deuxième image est créée s'il n'y a pas de mémoire suffisante etc.
              -

              Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé:

              +

              Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé :

                -
              • Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs.
              • -
              • Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs.
              • +
              • Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs.
              • +
              • Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs.
          14. -
          15. Unité de mesure sert à spécifier les unités de mesure utilisées sur les règles et dans les fenêtres de paramètres pour les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre ou Point.
          16. -
          17. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option.
          18. - Réglages macros - s'utilise pour désactiver toutes les macros avec notification. + L'option Réglages macros s'utilise pour définir l'affichage des macros avec notification.
              -
            • Choisissez Désactivez tout pour désactiver toutes les macros dans votre document;
            • -
            • Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans un document;
            • -
            • Activer tout pour exécuter automatiquement toutes les macros dans un document.
            • +
            • Choisissez Désactivez tout pour désactiver toutes les macros dans votre document.
            • +
            • Choisissez Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans un document.
            • +
            • Choisissez Activer tout pour exécuter automatiquement toutes les macros dans un document.
          19. -
        -

        Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer.

        +
      +

      Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index 3a861bf7d..d46096b77 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -1,7 +1,7 @@  - Édition collaborative des documents + Collaborer sur un document en temps réel @@ -12,105 +12,34 @@
      - +
      -

      Édition collaborative des documents

      -

      Document Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut:

      +

      Collaborer sur un document en temps réel

      +

      Éditeur de Documents permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments de la présentation nécessitant la participation d'une tierce personne, sauvegarder des versions du document pour une utilisation ultérieure, réviser les documents et ajouter les modifications sans modifier le fichier, comparer et fusionner les documents pour faciliter le traitement et l'édition.

      +

      Dans l'Éditeur de Documents il y a deux modes de collaborer sur des documents en temps réel : Rapide et Strict.

      +

      Vous pouvez basculer entre les modes depuis 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 :

      +

      Menu Mode de co-édition

      +

      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 - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

      +

      Mode Rapide

      +

      Le mode Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Lorsque vous co-éditez un document en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient le texte.

      +

      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.

      +

      Mode Rapide

      +

      Mode Strict

      +

      Le mode Strict est sélectionné pour masquer les modifications d'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. 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.

      +

      Mode Strict

      +

      Dès que l'un des utilisateurs sauvegarde 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 modifications apportées et récupérer les mises à jour de vos co-auteurs 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 à contrôler 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 l'une des options :

        -
      • 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
      • -
      • les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne)
      • +
      • Surligner toutes modifications toutes les modifications apportées au cours de la session seront mises en surbrillance.
      • +
      • Voir le dernier - uniquement les modifications apportées après le dernier clic sur
        l'icône seront mises en surbrillance.
      • +
      • Surligner aucune modification - aucune modification apportée au cours de la session ne sera mise en surbrillance.
      -
      -

      Connexion à la version en ligne

      -

      Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte.

      -
      -
      -

      Édition 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
        .
      • -
      -

      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:

      -

      Menu Mode de co-édition

      -

      - Remarque: lorsque vous co-éditez un document en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. -

      -

      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 - . Pour afficher les personnes qui travaillent sur le fichier, 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 vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir du document : inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, remplir des formulaires 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 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.

      -

      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 à contrôler 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 est 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.

      -

      Utilisateurs anonymes

      -

      Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci.

      -

      Collaboration anonyme

      -

      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 au Chat et laisser un message pour les autres utilisateurs:

      -
        -
      1. - 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
        , -
      2. -
      3. saisissez le texte dans le champ correspondant,
      4. -
      5. cliquez sur le bouton Envoyer.
      6. -
      -

      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

      -

      Il est possible de travailler avec des commentaires en mode hors ligne, sans se connecter à la version en ligne.

      -

      Pour laisser un commentaire:

      -
        -
      1. sélectionnez le fragment du texte que vous voulez commenter,
      2. -
      3. - passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire
        , ou
        utilisez l'icône 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, -
      4. -
      5. saisissez le texte nécessaire,
      6. -
      7. cliquez sur le bouton Ajouter commentaire/Ajouter.
      8. -
      -

      Le commentaire sera affiché sur le panneau Commentaires à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

      -

      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.

      -

      Le fragment du texte commenté sera mis en surbrillance 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 .

      -

      Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires:

      -
        -
      • - trier les commentaires ajoutés en cliquant sur l'icône
        : -
          -
        • par date: Plus récent ou Plus ancien. C'est 'ordre de tri par défaut.
        • -
        • par auteur: Auteur de A à Z ou Auteur de Z à A
        • -
        • par emplacement: Du haut ou Du bas. L'ordre habituel de tri des commentaires par l'emplacement dans un document est comme suit (de haut): commentaires au texte, commentaires aux notes de bas de page, commentaires aux notes de fin, commentaires aux en-têtes/pieds de page, commentaires au texte entier.
        • -
        • par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. -

          Sort comments

          -
        • -
        -
      • -
      • modifier le commentaire sélectionné en appuyant sur l'icône
        ,
      • -
      • supprimer le commentaire sélectionné en appuyant sur l'icône
        ,
      • -
      • fermez la discussion actuelle 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 ne seront mis en évidence que si vous cliquez sur l'icône
        .
      • -
      • si vous souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans le document.
      • -
      -

      Ajouter des mentions

      -

      Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions.

      -

      Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk.

      -

      Ajoutez une mention en tapant le signe @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez les premières lettres du prénom de la personne, la liste propose les suggestions au cours de la frappe. -Puis sélectionnez le nom souhaité dans la liste. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK.

      -

      La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé.

      -

      Pour supprimer les commentaires,

      -
        -
      1. appuyez sur le bouton
        Supprimer sous l'onglet Collaboration dans la barre d'outils en haut,
      2. -
      3. sélectionnez l'option convenable du menu: -
          -
        • Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi.
        • -
        • Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi.
        • -
        • Supprimer tous les commentaires sert à supprimer tous les commentaires du document.
        • -
        -
      4. -
      -

      Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une fois.

      +

      Mode Visionneuse en direct

      +

      Le mode Visionneuse en direct est utilisé pour voir les modifications apportées par d'autres utilisateurs en temps réel lorsque le document est ouvert par un utilisateur avec les droits d'accès Lecture seule.

      +

      Pour que le mode fonctionne correctement, assurez-vous que la case Afficher les modifications apportées par d'autres utilisateurs est cochée dans les Paramètres avancés de l'éditeur.

      +

      Utilisateurs anonymes

      +

      Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas du profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur des documents. Pour affecter le nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option "Ne plus poser cette question" pour enregistrer ce nom-ci.

      +

      Collaboration anonyme

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Commenting.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..f7962ae8e --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Commenting.htm @@ -0,0 +1,86 @@ + + + + Commenter des documents + + + + + + + + +
      +
      + +
      +

      Commenter des documents

      +

      Éditeur de Documents permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur des documents en temps réel, communiquer directement depuis l'éditeur, sauvegarder des versions du document< pour une utilisation ultérieure, réviser les documents et ajouter les modifications sans modifier le fichier, comparer et fusionner les documents pour faciliter le traitement et l'édition.

      +

      Dans l'Éditeur de Documents vous pouvez laisser les commentaires pour le contenue de documents sans le modifier. Contrairement au messages de chat, les commentaires sont stockés jusqu'à ce que vous décidiez de les supprimer.

      +

      Laisser et répondre aux commentaires

      +

      Pour laisser un commentaire :

      +
        +
      1. sélectionnez le fragment du texte où vous pensez qu'il y a une erreur ou un problème,
      2. +
      3. + passez à l'onglet Insertion ou Collaboration sur la barre d'outils supérieure et cliquer sur le
        bouton Commentaires ou
        + utilisez l'icône
        sur la barre latérale de gauche pour ouvrir le panneau Commentaireset cliquez sur le lien Ajouter un commentaire au document ou
        + cliquez avec le bouton droit sur le fragment du texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, +
      4. +
      5. saisissez le texte nécessaire,
      6. +
      7. cliquez sur le bouton Ajouter commentaire/Ajouter.
      8. +
      +

      Le commentaire sera affiché sur le panneau Commentaires à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

      +

      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.

      +

      Désactiver l'affichage des commentaires

      +

      Le fragment du texte commenté sera mis en surbrillance dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Pour désactiver cette fonctionnalité,

      +
        +
      1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      2. +
      3. sélectionnez l'option Paramètres avancés...,
      4. +
      5. décochez la case Activer l'affichage de commentaires.
      6. +
      +

      Dans ce cas, les fragments commentés ne seront mis en évidence que si vous cliquez sur l'icône .

      +

      Gérer les commentaires

      +

      Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires :

      +
        +
      • + trier les commentaires ajoutés en cliquant sur
        l'icône : +
          +
        • par date : Plus récent ou Plus ancien. C'est 'ordre de tri par défaut.
        • +
        • par auteur : Auteur de A à Z ou Auteur de Z à Z
        • +
        • par emplacement : Du haut ou Du bas. L'ordre habituel de tri des commentaires par l'emplacement dans un document est comme suit (de haut) : commentaires au texte, commentaires aux notes de bas de page, commentaires aux notes de fin, commentaires aux en-têtes/pieds de page, commentaires aux texte entier.
        • +
        • Filtrer par groupe : Tout ou sélectionnez un groupe de la liste. Cette option de trie n'est disponible que si votre version prend en charge cette fonctionnalité. +

          Trier commentaires

          +
        • +
        +
      • modifier le commentaire actuel en cliquant sur
        l'icône,
      • +
      • supprimer le commentaire actuel en cliquant sur
        l'icône,
      • +
      • fermer la discussion actuelle 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.
        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 souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles : résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus.
      • +
      +

      Ajouter les mentions

      +

      Ce n'est qu'aux fragments du texte que vous pouvez ajouter des mentions et pas au document lui-même.

      +

      Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk.

      +

      Pour ajouter une mention,

      +
        +
      1. Saisissez "+" ou "@" n'importe où dans votre commentaire, alors la liste de tous les utilisateurs du portail s'affichera. Pour faire la recherche plus rapide, tapez les premières lettres du prénom de la personne, la liste propose les suggestions au cours de la frappe.
      2. +
      3. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Modifiez la permission, le cas échéant..
      4. +
      5. Cliquez sur OK.
      6. +
      +

      La personne mentionnée recevra une notification par courrier électronique informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé.

      +

      Supprimer des commentaires

      +

      Pour supprimer les commentaires,

      +
        +
      1. cliquez sur
        le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils supérieure,
      2. +
      3. + sélectionnez l'option convenable du menu : +
          +
        • Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi.
        • +
        • Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires d'autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi.
        • +
        • Supprimer tous les commentaires sert à supprimer tous les commentaires du document.
        • +
        +
      4. +
      +

      Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une fois.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Communicating.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..f5a3d5ed1 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Communicating.htm @@ -0,0 +1,34 @@ + + + + Communiquer en temps réel + + + + + + + + +
      +
      + +
      +

      Communiquer en temps réel

      +

      Éditeur de Documents permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur des documents en temps réel, laisser des commentaires pour des fragments du document nécessitant la participation d'une tierce personne, sauvegarder des versions du document pour une utilisation ultérieure, réviser les documents et ajouter les modifications sans modifier le fichier, comparer et fusionner les documents pour faciliter le traitement et l'édition.

      +

      Dans l'Éditeur de Documents il est possible de communiquer avec vos co-auteurs en temps réel en utilisant l'outil intégré Chat et les modules complémentaires utiles, par ex. Telegram ou Rainbow.

      +

      Pour accéder au Chat et laisser un message pour les autres utilisateurs,

      +
        +
      1. + 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, +
      2. +
      3. saisissez le texte dans le champ correspondant,
      4. +
      5. cliquez sur le bouton Envoyer.
      6. +
      +

      Les messages de discussion sont stockés uniquement pendant une session. Pour discuter le contenu du document, il est préférable d'utiliser les commentaires, car ils sont stockés jusqu'à ce que vous décidiez de les supprimer.

      +

      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.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm index 1d3da71d8..e2952f308 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm @@ -1,9 +1,9 @@  - Compare documents + Comparer des documents - + @@ -12,83 +12,84 @@
      - +
      -

      Comparer les documents

      -

      Si vous devez comparer et fusionner deux documents, vous pouvez utiliser la fonction de Comparaison de documents dans Document Editor. Il permet d’afficher les différences entre deux documents et de fusionner les documents en acceptant les modifications une par une ou toutes en même temps.

      -

      Après avoir comparé et fusionné deux documents, le résultat sera stocké sur le portail en tant que nouvelle version du fichier original..

      -

      Si vous n’avez pas besoin de fusionner les documents qui sont comparés, vous pouvez rejeter toutes les modifications afin que le document d’origine reste inchangé.

      - -

      Choisissez un document à comparer

      -

      Pour comparer deux documents, ouvrez le document d’origine et sélectionnez le deuxième à comparer :

      +

      Comparer des documents

      +

      Éditeur de Documents permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur des documents en temps réel, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments du document nécessitant la participation d'une tierce personne, sauvegarder des versions du document pour une utilisation ultérieure, réviser les documents et ajouter les modifications sans modifier le fichier.

      +

      Si vous avez besoin de comparer et de fusionner deux documents, l'Éditeur de Documents dispose de la fonctionnalité de Comparaison des documents. Cette fonctionnalité permet d'afficher des différences entre deux documents et de fusionner des documents en acceptant les modifications une par une ou toutes à la fois.

      +

      Lors de la comparaison et du fusionnement des documents, le fichier résultant sera stocké sur le portail comme une nouvelle version du fichier original.

      +

      Si vous ne souhaitez pas fusionner des documents lors de la comparaison, vous pouvez rejeter toutes les modifications pour que le document original demeure inchangé.

      + +

      Choisir des documents à comparer

      +

      Pour comparer deux documents, ouvrez le document original et sélectionnez le deuxième document à comparer :

        -
      1. Basculez vers l’onglet Collaboration dans la barre d’outils supérieure et appuyez sur le
        bouton Comparer,
      2. +
      3. passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur
        le bouton Comparer,
      4. - Sélectionnez l’une des options suivantes pour charger le document : + sélectionnez l'une des options pour télécharger le document :
          -
        • L’option Document à partir du fichier ouvrira la fenêtre de dialogue standard pour la sélection de fichiers. Parcourez le disque dur de votre ordinateur pour le fichier DOCX nécessaire et cliquez sur le bouton Ouvrir.
        • +
        • l'option Document à partir d'un fichier permet d'ouvrir la fenêtre de dialogue standard pour sélectionner le fichier. Recherchez le fichier .docx nécessaire sur votre disque local et cliquez sur le bouton Ouvrir.
        • - L’option Document à partir de l’URL ouvrira la fenêtre dans laquelle vous pouvez saisir un lien vers le fichier stocké dans le stockage Web tiers (par exemple, Nextcloud) si vous disposez des droits d’accès correspondants. Le lien doit être un lien direct pour télécharger le fichier. Une fois le lien spécifié, cliquez sur le bouton OK. -

          Remarque : le lien direct permet de télécharger le fichier directement sans l’ouvrir dans un navigateur Web. Par exemple, pour obtenir un lien direct dans Nextcloud, recherchez le document nécessaire dans la liste des fichiers, sélectionnez l’option Détails dans le menu fichier. Cliquez sur l’icône Copier le lien direct (ne fonctionne que pour les utilisateurs qui ont accès à ce fichier/dossier) à droite du nom du fichier dans le panneau de détails. Pour savoir comment obtenir un lien direct pour télécharger le fichier dans un autre stockage Web tiers, reportez-vous à la documentation de service tiers correspondant.

          + l'option Document à partir d'une URL permet d'ouvrir la fenêtre pour saisir un lien vers le fichier d'un stockage de nuage externe (par exemple, Nextcloud) si vous avez l'autorisation appropriée pour accéder au fichier. Ce lien doit être un lien de téléchargement direct. Lorsque le lien est indiqué, cliquez sur le bouton OK : +

          Remarque : Un lien de téléchargement direct permet de démarrer le téléchargement sans ouvrir le navigateur. Par exemple, pour obtenir un lien dans Nextcloud, recherchez le document nécessaire dans la liste, sélectionnez l'option Détails dans le menu. Cliquez sur l'icône Copier le lien direct (pour des utilisateurs qui ont l'autorisation pour accéder à ce fichier/dossier) à droite du nom de fichier sur le panneau de détails. Pour apprendre comment obtenir un lien direct dans un autre stockage externe, veuillez consulter la documentation approprié de cet stockage.

        • -
        • L’option Document à partir du stockage ouvrira la fenêtre Sélectionnez la source de données. Il affiche la liste de tous les documents DOCX stockés sur votre portail pour lesquels vous disposez des droits d’accès correspondants. Pour naviguer entre les sections du module Documents, utilisez le menu dans la partie gauche de la fenêtre. Sélectionnez le document DOCX nécessaire et cliquez sur le bouton OK.
        • +
        • l'option Document à partir de stockage permet d'ouvrir la fenêtreSélectionner la source de données. Une liste de tous documents .docx stockés sur votre portail auxquels vous avez accès s'affichera. Pour parcourir toutes les sections du module Documents, utilisez le menu dans la partie gauche de la fenêtre. Sélectionnez le document .docx nécessaire et cliquez sur le bouton OK.
      -

      Lorsque le deuxième document à comparer est sélectionné, le processus de comparaison démarre et le document peut être ouvert en mode Révision. Toutes modifications sont mises en surbrillance avec une couleur, et vous pouvez afficher les modifications, naviguer entre elles, les accepter ou les rejeter une par une ou toutes les modifications à la fois. Il est également possible de changer le mode d’affichage et de voir le document avant la comparaison, en cours de comparaison, ou après la comparaison si vous acceptez toutes les modifications.

      +

      Le processus de comparaison des fichiers démarrera lors de la sélection du dixième fichier et votre document ressemblera un document en mode Révision. Toutes modifications sont mises en surbrillance, alors vous pouvez voir les modifications, naviguer entre elles, les accepter ou rejeter une par une ou toutes à la fois. Vous pouvez aussi modifier le mode d'affichage pour afficher le document avant la comparaison, en cours de la comparaison et après la comparaison si vous acceptez les modifications.

      -

      Choisissez le mode d’affichage des modifications

      -

      Cliquez sur le bouton Mode d’affichage dans la barre d’outils supérieure et sélectionnez l’un des modes disponibles dans la liste :

      +

      Choisir le mode d'affichage des modifications

      +

      Cliquez sur le bouton Mode d'affichage dans la barre d'outils supérieure et sélectionnez l'un des modes disponibles dans la liste :

      • - Balisage - cette option est sélectionnée par défaut. Il est utilisé pour afficher le document en cours de comparaison. Ce mode permet à la fois de visualiser les modifications et de modifier le document. -

        Comparer les document - Annotation

        + Balisage - cette option est sélectionnée par défaut. Ce mode est utilisé pour afficher le document en cours de comparaison. Ce mode permet d'afficher toutes les modifications et de modifier le document. +

        Comparer documents - Balisage

      • - Final - ce mode est utilisé pour afficher le document après la comparaison comme si toutes les modifications avaient été acceptées. Cette option n’accepte pas réellement toutes les modifications, elle vous permet uniquement de voir à quoi ressemblera le document si vous les acceptez. Dans ce mode, vous ne pouvez pas éditer le document. -

        Comparer les document - Final

        + Final - ce mode est utilisé pour afficher le document après la comparaison comme si toutes les modifications avaient été acceptées. Cette option n'accepte pas toutes les modifications, elle vous permet de voir à quoi ressemblera le document après avoir accepté toutes les modifications. Dans ce mode, vous ne pouvez pas modifier le document. +

        Comparer documents - Final

      • - Original - ce mode est utilisé pour afficher le document avant la comparaison comme si toutes les modifications avaient été rejetées. Cette option ne rejette pas réellement toutes les modifications, elle vous permet uniquement d’afficher le document sans modifications. Dans ce mode, vous ne pouvez pas éditer le document. -

        Comparer les document - Original

        + Original - ce mode est utilisé pour afficher le document avant la comparaison comme si toutes les modifications ont été rejetées. Cette option ne rejette pas toutes les modifications, elle vous permet uniquement d'afficher le document sans modifications. Dans ce mode, vous ne pouvez pas modifier le document. +

        Comparer documents - Original

      Accepter ou rejeter les modifications

      -

      Utilisez les boutons Précédent et Suivant dans la barre d’outils supérieure pour naviguer parmi les modifications.

      +

      Utilisez les boutons Précédente et Suivante de la barre d'outils supérieure pour naviguer entre les modifications.

      Pour accepter la modification actuellement sélectionnée, vous pouvez :

        -
      • Cliquer sur le
        bouton Accepter dans la barre d’outils supérieure, ou
      • -
      • Cliquer sur la flèche vers le bas sous le bouton Accepter et sélectionner l’option Accepter la modification actuelle (dans ce cas, la modification sera acceptée et vous passerez à la modification suivante), ou
      • -
      • Cliquer sur le
        bouton Accepter de la fenêtre contextuelle de modification.
      • +
      • cliquez sur
        le bouton Accepter de la barre d'outils supérieure, ou
      • +
      • cliquez sur la flèche vers le bas au-dessous du bouton Accepter et sélectionnez l'option Accepter la modification en cours (dans ce cas, la modification sera acceptée et vous passerez à la modification suivante), ou
      • +
      • cliquez sur le bouton Accepter
        dans la fenêtre contextuelle.
      -

      Pour accepter rapidement toutes les modifications, cliquez sur la flèche vers le bas sous le bouton Accepter et sélectionnez l’option Accepter toutes les modifications.

      -

      Pour rejeter la modification en cours, vous pouvez :

      +

      Pour accepter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Accepter et sélectionnez l'option Accepter toutes les modifications.

      +

      Pour rejeter la modification actuelle, vous pouvez :

        -
      • Cliquer sur le
        bouton Rejeter dans la barre d’outils supérieure, ou
      • -
      • Cliquer sur la flèche vers le bas sous le bouton Rejeter et sélectionner l’option Rejeter la Modification Actuelle (dans ce cas, la modification sera rejetée et vous passerez à la prochaine modification disponible, ou
      • -
      • Cliquer sur le
        bouton Rejeter de fenêtre contextuelle de modification.
      • +
      • cliquez sur
        le bouton Rejeter de la barre d'outils supérieure, ou
      • +
      • cliquer sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter la modification en cours (dans ce cas, la modification sera rejetée et vous passerez à la modification suivante), ou
      • +
      • cliquez sur le bouton Rejeter
        dans la fenêtre contextuelle.
      -

      Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas sous le bouton Rejeter et sélectionnez l’option Refuser tous les changements.

      +

      Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas au-dessous du bouton Rejeter et sélectionnez l'option Rejeter toutes les modifications.

      Informations supplémentaires sur la fonction de comparaison

      Méthode de comparaison
      -

      Les documents sont comparés par des mots. Si un mot contient un changement d’au moins un caractère (par exemple, si un caractère a été supprimé ou remplacé), dans le résultat, la différence sera affichée comme le changement du mot entier, pas le caractère.

      -

      L’image ci-dessous illustre le cas où le fichier d’origine contient le mot « caractères » et le document de comparaison contient le mot « Caractères ».

      -

      Comparer les documents - méthode

      +

      Les documents sont comparés par des mots. Si au moins un caractère dans un mot est modifié (par exemple, si un caractère a été supprimé ou remplacé), à la suite la différence sera affichée comme le changement du mot entier, pas du caractère.

      +

      L'image ci-dessous illustre le cas où le fichier d'origine contient le mot « caractères » et le document de comparaison contient le mot « Caractères ».

      +

      Comparer documents - méthode

      Auteur du document
      -

      Lorsque le processus de comparaison est lancé, le deuxième document de comparaison est chargé et comparé au document actuel.

      +

      Lors du lancement de la comparaison, le deuxième document de comparaison est chargé et comparé au document actuel.

        -
      • Si le document chargé contient des données qui ne sont pas représentées dans le document d’origine, les données seront marquées comme ajoutées par un réviseur.
      • -
      • Si le document d’origine contient des données qui ne sont représentées dans le document chargé, les données seront marquées comme supprimées par un réviseur.
      • +
      • Si le document chargé contient des données qui ne sont pas représentées dans le document d'origine, les données seront marquées comme ajoutées par un réviseur.
      • +
      • Si le document d'origine contient des données qui ne sont représentées dans le document chargé, les données seront marquées comme supprimées par un réviseur.
      -

      Si les auteurs de documents originaux et chargés sont la même personne, le réviseur est le même utilisateur. Son nom est affiché dans la bulle de changement.

      -

      Si les auteurs de deux fichiers sont des utilisateurs différents, l’auteur du deuxième fichier chargé à des fins de comparaison est l’auteur des modifications ajoutées/supprimées.

      - +

      Si le document original et le document chargé sont du même auteur, le réviseur est le même utilisateur. Son nom s'affiche dans la bulle de modification.

      +

      Si les deux fichiers sont des auteurs différents, l'auteur du deuxième fichier chargé à des fins de comparaison est l'auteur des modifications ajoutées/supprimées.

      +
      Présence des modifications suivies dans le document comparé
      -

      Si le document d’origine contient des modifications apportées en mode révision, elles seront acceptées dans le processus de comparaison. Lorsque vous choisissez le deuxième fichier à comparer, vous verrez le message d’avertissement correspondant.

      -

      Dans ce cas, lorsque vous choisissez le mode d’affichage Original, le document ne contient aucune modification.

      +

      Si le document d'origine contient des modifications apportées en mode révision, elles seront acceptées pendant la comparaison. Lorsque vous choisissez le deuxième fichier à comparer, vous verrez le message d'avertissement correspondant.

      +

      Dans ce cas, lorsque vous choisissez le mode d'affichage Original, il n'y aura aucune modification dans le document.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index ac0ed77f7..c2b3a0e63 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm @@ -3,7 +3,7 @@ Raccourcis clavier - + @@ -18,7 +18,7 @@

      Raccourcis clavier

      Raccourcis clavier pour les touches d'accès

      -

      Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Document Editor sans l'aide de la souris.

      +

      Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à l'Éditeur de Documents sans l'aide de la souris.

      1. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état.
      2. @@ -31,7 +31,7 @@
      3. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes.
      -

      Trouverez ci-dessous les raccourcis clavier les plus courants:

      +

      Trouverez ci-dessous les raccourcis clavier les plus courants :

      -

      Définir un mot de passe

      Modifier le mot de passe

      Vérification de l'orthographe

      Pour désactiver l'option de vérification orthographique, vous pouvez :

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FileTab.htm index 0f595c37a..06e4015c4 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/FileTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FileTab.htm @@ -3,7 +3,7 @@ Onglet Fichier - + @@ -15,27 +15,28 @@

    Onglet Fichier

    -

    L'onglet Fichier dans Document Editor permet d'effectuer certaines opérations de base sur le fichier en cours.

    +

    L'onglet Fichier dans l'Éditeur de Documents permet d'effectuer certaines opérations de base sur le fichier en cours.

    -

    La fenêtre de l'onglet dans Document Editor en ligne:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents en ligne :

    Onglet Fichier

    -

    La fenêtre de l'onglet dans Document Editor de bureau:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents de bureau :

    Onglet Fichier

    -

    En utilisant cet onglet, vous pouvez:

    +

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm index 3363de2b3..7e78222f8 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FormsTab.htm @@ -3,7 +3,7 @@ Onglet Formulaires - + @@ -15,16 +15,17 @@

    Onglet Formulaires

    -

    Remarque: cet ongle n'est disponible qu'avec des fichiers au format DOCXF.

    -

    L'onglet Formulaires permet de créer des formulaires à remplir dans votre document, par ex. les projets de contrats ou les enquêtes. Ajoutez, mettez en forme et paramétrez votre texte et des champs de formulaire aussi complexe soient-ils.

    +

    Remarque : cet ongle n'est disponible qu'avec des fichiers au format DOCXF.

    +

    L'onglet Formulaires permet de créer des formulaires à remplir dans votre document, par ex. les projets de contrats ou les enquêtes. Ajoutez, mettez en forme et paramétrez votre texte et des champs de formulaire aussi complexe soient-ils.

    -

    La fenêtre de l'onglet dans Document Editor en ligne:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents en ligne :

    Onglet Formulaires

    -

    La fenêtre de l'onglet dans Document Editor de bureau:

    -

    Onglet Formulaires

    -
    -

    En utilisant cet onglet, vous pouvez:

    +
    +

    Fenêtre de l'onglet dans l'Éditeur de Documents de bureau :

    +

    Onglet Formulaires

    +
    +

    En utilisant cet onglet, vous pouvez :

  • effacer tous les champs et paramétrer la surbrillance,
  • -
  • naviguer entre les champs du formulaire en utilisant les boutons Champ précédent et Champ suivant,
  • +
  • naviguer entre les champs du formulaire en utilisant les boutons Champ précédent et Champ suivant,
  • afficher un aperçu du formulaire final,
  • enregistrer le formulaire en tant que formulaire à remplir au format OFORM.
  • diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/HomeTab.htm index 7de406148..30ae9b514 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/HomeTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/HomeTab.htm @@ -3,7 +3,7 @@ Onglet Accueil - + @@ -15,13 +15,13 @@

    Onglet Accueil

    -

    L'onglet Accueil dans Document Editor s'ouvre par défaut lorsque vous ouvrez un document. Il permet de formater la police et les paragraphes. D'autres options sont également disponibles ici, telles que Fusion et publipostage et le jeu de couleurs.

    +

    L'onglet Accueil dans l'Éditeur de Documents s'ouvre par défaut lorsque vous ouvrez un document. Il permet de formater la police et les paragraphes. D'autres options sont également disponibles ici, telles que Fusion et publipostage et le jeu de couleurs.

    -

    Fenêtre de l'éditeur en ligne Document Editor :

    +

    Fenêtre de l'Éditeur de Documents en ligne :

    Onglet Accueil

    -

    Fenêtre de l'éditeur de bureau Document Editor :

    +

    Fenêtre de l'Éditeur de Documents de bureau :

    Onglet Accueil

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm index bf39dd3a2..783d058ad 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm @@ -3,7 +3,7 @@ Onglet Insertion - ONLYOFFICE - + @@ -15,17 +15,15 @@

    Onglet Insertion

    -

    Qu'est-ce qu'un onglet Insertion?

    -

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

    +

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

    -

    Fenêtre de l'éditeur en ligne Document Editor :

    +

    Fenêtre de l'Éditeur de Documents en ligne :

    Onglet Insertion

    -

    Fenêtre de l'éditeur de bureau Document Editor :

    +

    Fenêtre de l'Éditeur de Documents de bureau :

    Onglet Insertion

    -

    Les fonctionnalités de l'onglet Insertion

    En utilisant cet onglet, vous pouvez :

    -
  • 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, Mise en page, Références, Collaboration, Protection, Module complémentaires. -

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

    +
  • 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, Mise en page, Références, Collaboration, Protection, Module complémentaires. +

    Des options Copier, Coller, Couper et Sélectionner tout 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 et affiche certaines notifications (telles que Toutes les modifications sauvegardées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.). Cette barre permet de définir la langue du texte, enabling spell checking et d'activer la vérification orthographique, d'activer le mode suivi des modifications et de régler le zoom.
  • -
  • La barre latérale gauche contient les icônes suivantes: +
  • La barre latérale gauche contient les icônes suivantes :
  • -
  • 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.
  • +
  • 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 de plusieurs pages.
  • diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReferencesTab.htm index ff6f63317..4c74d8316 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReferencesTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReferencesTab.htm @@ -3,7 +3,7 @@ Onglet Références - + @@ -15,13 +15,13 @@

    Onglet Références

    -

    L'onglet Références dans Document Editor permet de gérer différents types de références: ajouter et rafraîchir une table des matières, créer et éditer des notes de bas de page, insérer des hyperliens.

    +

    L'onglet Références dans l'Éditeur de Documents permet de gérer différents types de références : ajouter et rafraîchir une table des matières, créer et éditer des notes de bas de page, insérer des hyperliens.

    -

    Fenêtre de l'éditeur en ligne Document Editor :

    +

    Fenêtre de l'Éditeur de Documents en ligne :

    Onglet Références

    -

    Fenêtre de l'éditeur de bureau Document Editor :

    +

    Fenêtre de l'Éditeur de Documents de bureau :

    Onglet Références

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReviewTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReviewTab.htm index d4d929fb2..1a5af0a0c 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReviewTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReviewTab.htm @@ -3,7 +3,7 @@ Onglet Collaboration - + @@ -15,26 +15,26 @@

    Onglet Collaboration

    -

    L'onglet Collaboration dans Document Editor permet d'organiser le travail collaboratif sur le document. Dans la version en ligne, vous pouvez partager le fichier, sélectionner un mode de co-édition, gérer les commentaires, suivre les modifications apportées par un réviseur, visualiser toutes les versions et révisions. En mode Commentaires vous pouvez ajouter et supprimer des commentaires, naviguer entre les modifications suivies, utilisez le chat intégré et afficher l'historique des versions. Dans la version de bureau, vous pouvez gérer les commentaires et utiliser la fonction Suivi des modifications.

    +

    L'onglet Collaboration dans l'Éditeur de Documents permet d'organiser le travail collaboratif sur le document. Dans la version en ligne, vous pouvez partager le fichier, sélectionner un mode de co-édition, gérer les commentaires, suivre les modifications apportées par un réviseur, visualiser toutes les versions et révisions. En mode Commentaires vous pouvez ajouter et supprimer des commentaires, naviguer entre les modifications suivies, utilisez le chat intégré et afficher l'historique des versions. Dans la versionde bureau, vous pouvez gérer les commentaires et utiliser la fonction Suivi des modifications.

    -

    La fenêtre de l'onglet dans Document Editor en ligne:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents en ligne :

    Onglet Collaboration

    -

    La fenêtre de l'onglet dans Document Editor de bureau:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents de bureau :

    Onglet Collaboration

    -

    En utilisant cet onglet, vous pouvez:

    +

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm index d9f841f14..a5e0659d5 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ViewTab.htm @@ -3,7 +3,7 @@ Onglet Affichage - + @@ -16,26 +16,26 @@

    Onglet Affichage

    - L'onglet Affichage de Document Editor permet de gérer l'apparence du document pendant que vous travaillez sur celui-ci. + L'onglet Affichage de l'Éditeur de Documents permet de gérer l'apparence du document pendant que vous travaillez sur celui-ci.

    -

    La fenêtre de l'onglet dans Document Editor en ligne:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents en ligne :

    Onglet Affichage

    -

    La fenêtre de l'onglet dans Document Editor de bureau:

    +

    Fenêtre de l'onglet dans l'Éditeur de Documents de bureau :

    Onglet Affichage

    -

    Les options d'affichage disponibles sous cet onglet:

    +

    Les options d'affichage disponibles sous cet onglet :

    -

    Les options suivantes permettent de choisir les éléments à afficher ou à cacher pendant que vous travaillez. Cochez les cases appropriées aux éléments que vous souhaitez rendre visibles:

    +

    Les options suivantes permettent de choisir les éléments à afficher ou à cacher pendant que vous travaillez. Cochez les cases appropriées aux éléments que vous souhaitez rendre visibles :

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

    The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab.

    +

    The Copy, Paste, Cut and Select All options are always available on the left side of the Top toolbar regardless of the selected tab.

  • The 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", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.) and allows setting the text language and enable spell checking.
  • diff --git a/apps/presentationeditor/main/resources/help/en/ProgramInterface/ViewTab.htm b/apps/presentationeditor/main/resources/help/en/ProgramInterface/ViewTab.htm index 09c6b3e20..9752939dc 100644 --- a/apps/presentationeditor/main/resources/help/en/ProgramInterface/ViewTab.htm +++ b/apps/presentationeditor/main/resources/help/en/ProgramInterface/ViewTab.htm @@ -31,7 +31,7 @@
  • Zoom allows to zoom in and zoom out your document,
  • Fit to slide allows to resize the slide so that the screen displays the whole slide,
  • Fit to width allows to resize the slide so that the slide scales to fit the width of the screen,
  • -
  • Interface theme allows to change interface theme by choosing Light, Classic Light or Dark theme.
  • +
  • Interface theme allows to change interface theme by choosing a Same as system, Light, Classic Light, Dark or Contrast Dark theme.
  • The following options allow you to configure the elements to display or to hide. Check the elements to make them visible:

    If you changed the file properties, click the Apply button to apply the changes.

    -

    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.

    +

    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

    diff --git a/apps/presentationeditor/main/resources/help/en/images/chartsettings7.png b/apps/presentationeditor/main/resources/help/en/images/chartsettings7.png index 58463b335..19f16838f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/chartsettings7.png and b/apps/presentationeditor/main/resources/help/en/images/chartsettings7.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/chartsettings8.png b/apps/presentationeditor/main/resources/help/en/images/chartsettings8.png new file mode 100644 index 000000000..9ee10b76e Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/chartsettings8.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 bb884d73c..53b4f03c3 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/interface/animationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/animationtab.png index 7ce3c2009..d1cb7ba55 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/animationtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/animationtab.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 bf0fcfb30..9654418bf 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_animationtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_animationtab.png index 0dc0c0755..150922246 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_animationtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_animationtab.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 index bbf086670..0ceee7c5e 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_collaborationtab.png 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 index 50e407921..707631c25 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_editorwindow.png 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 index 9da36e0d1..6b6383709 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_filetab.png 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 index d6b7d2399..c5d90ccc7 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_hometab.png 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 index da9c310f2..e04043eb3 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_inserttab.png 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 index cea62b4a8..8f1feb7a4 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_pluginstab.png 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/desktop_protectiontab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png index 75d6a349b..84b8184d6 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_protectiontab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png index 661b8237f..1325f1358 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.png index ea69cd529..6884c55e0 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/desktop_viewtab.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 ed1e75325..d8fc19436 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 3b1f9996a..c41bd2a73 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 30ea7ddac..414b86eab 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 44ee1e0d7..477de19be 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/pluginstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/pluginstab.png index 49fa2da6f..34f182e2d 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/interface/transitionstab.png b/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png index e25e68a7d..9513c40d4 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/transitionstab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png b/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png index d03c38c25..20eacf1a0 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png and b/apps/presentationeditor/main/resources/help/en/images/interface/viewtab.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/palettes.png b/apps/presentationeditor/main/resources/help/en/images/palettes.png index a86769efc..41f69b204 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/palettes.png and b/apps/presentationeditor/main/resources/help/en/images/palettes.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/pastespecial.png b/apps/presentationeditor/main/resources/help/en/images/pastespecial.png index f70180c71..ca074d444 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/pastespecial.png and b/apps/presentationeditor/main/resources/help/en/images/pastespecial.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 b40f86ded..fc7a3ad57 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 f5b27cb70..69a296adf 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 f1cba6dee..32d2c5ed4 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 edd586500..267a01afa 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 8c9fb4cef..cada90f0b 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 960bd6f31..49dc1f3c1 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 index 7c0f0fafa..3b51a619f 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/shape_properties5.png and b/apps/presentationeditor/main/resources/help/en/images/shape_properties5.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/table_properties.png b/apps/presentationeditor/main/resources/help/en/images/table_properties.png index 004ad736b..e0a0f207b 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/table_properties.png and b/apps/presentationeditor/main/resources/help/en/images/table_properties.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/table_properties1.png b/apps/presentationeditor/main/resources/help/en/images/table_properties1.png index 3f8ccf0a0..8ff2e76a4 100644 Binary files a/apps/presentationeditor/main/resources/help/en/images/table_properties1.png and b/apps/presentationeditor/main/resources/help/en/images/table_properties1.png differ diff --git a/apps/presentationeditor/main/resources/help/en/images/table_properties2.png b/apps/presentationeditor/main/resources/help/en/images/table_properties2.png new file mode 100644 index 000000000..ce46a4b3b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/en/images/table_properties2.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 651901ffa..6ef640fd9 100644 --- a/apps/presentationeditor/main/resources/help/en/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/en/search/indexes.js @@ -3,17 +3,17 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About the Presentation Editor", - "body": "The Presentation Editor is an online application that lets you look through and edit presentations directly in your browser . Using the Presentation Editor, you can perform various editing operations like in any desktop editor, print the edited presentations keeping all the formatting details or download them onto the hard disk drive of your computer as PPTX, PDF, ODP, POTX, PDF/A, OTP files. To view the current software version and licensor details in the online version, click the icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." + "body": "The Presentation Editor is an online application that lets you look through and edit presentations directly in your browser . Using the Presentation Editor, you can perform various editing operations like in any desktop editor, print the edited presentations keeping all the formatting details or download them onto the hard disk drive of your computer as PPTX, PDF, ODP, POTX, PDF/A, OTP files. To view the current software version, build number, and licensor details in the online version, click the icon on the left sidebar. To view the current software version and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of the Presentation Editor", - "body": "The Presentation Editor allows you to change its advanced settings. To access them, open the File tab on 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. Proofing - used to automatically replace word or symbol typed in the Replace: box or chosen from the list by a new word or symbol displayed in the By: box. 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 you to automatically recover documents if the program closes unexpectedly. Co-editing Mode is used to select a way of displaying changes made during co-editing: By default, the Fast mode is selected, the users who take part in the presentation co-editing, will see the changes in real time once they are made by other users. If you prefer not to see the changes made by other users (so that they will 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 with a notification that there are some changes made by other users. Interface theme is used to change the color scheme of the editor’s interface. Light color scheme incorporates standard orange, white, and light-gray colors with less contrast in UI elements suitable for working during daytime. Classic Light color scheme incorporates standard orange, white, and light-gray colors. Dark color scheme incorporates black, dark-gray, and light-gray colors suitable for working during nighttime. Note: Apart from the available Light, Classic Light, and Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that. Default Zoom Value is used to set the default zoom value selecting it in the list of available options from 50% to 500%. You can also choose the Fit to Slide or Fit to Width option. Font Hinting is used to select a way fonts are displayed in the Presentation Editor: Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when the Google Chrome browser has problems with the enabled hardware acceleration. The Presentation Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. Unit of Measurement is used to specify what units are used on the rulers and in properties windows for measuring elements parameters such as width, height, spacing, margins, etc. You can select the Centimeter, Point, or Inch option. Cut, copy and paste - used to show the Paste Options button when content is pasted. Check the box to enable this feature. Macros Settings - used to set macros display with a notification. Choose Disable all to disable all macros within the presentation; Show notification to receive notifications about macros within the presentation; Enable all to automatically run all macros within the presentation. To save the changes you made, click the Apply button." + "body": "The Presentation Editor allows you to change its advanced settings. To access them, open the File tab on the top toolbar and select the Advanced Settings option. The advanced settings are grouped as follows: Editing and saving 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 you to automatically recover presentations if the program closes unexpectedly. Show the Paste Options button when the content is pasted. The corresponding icon will appear when you paste content in the presentation. Collaboration The Co-editing mode subsection allows you to set the preferable mode for seeing changes made to the presentation when working in collaboration. Fast (by default). The users who take part in the presentation co-editing will see the changes in real time once they are made by other users. Strict. All the changes made by co-editors will be shown only after you click the Save icon that will notify you about new changes. Show changes from other users. This feature allows to see changes made by other users in the presentation opened for viewing only in the Live Viewer mode. Proofing The Spell Checking option is used to turn on/off the spell checking. Ignore words in UPPERCASE. Words typed in capital letters are ignored during the spell checking. Ignore words with numbers. Words with numbers in them are ignored during the spell checking. The AutoCorrect options menu allows you to access the autocorrect settings such as replacing text as you type, recognizing functions, automatic formatting etc. Workspace The Alignment Guides option is used to turn on/off alignment guides that appear when you move objects. It allows for a more precise object positioning on the slide. The Hieroglyphs option is used to turn on/off the display of hieroglyphs. The Use Alt key to navigate the user interface using the keyboard option is used to enable using the Alt / Optionkey in keyboard shortcuts. The Interface theme option is used to change the color scheme of the editor’s interface. The Same as system option makes the editor follow the interface theme of your system. The Light color scheme incorporates standard blue, white, and light gray colors with less contrast in UI elements suitable for working during daytime. The Classic Light color scheme incorporates standard blue, white, and light gray colors. The Dark color scheme incorporates black, dark gray, and light gray colors suitable for working during nighttime. The Contrast Dark color scheme incorporates black, dark gray, and white colors with more contrast in UI elements highlighting the working area of the file. Note: Apart from the available Light, Classic Light, Dark, and Contrast Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that. The Unit of Measurement option is used to specify what units are used on the rulers and in properties of objects when setting such parameters as width, height, spacing, margins etc. The available units are Centimeter, Point, and Inch. The Default Zoom Value option is used to set the default zoom value, selecting it in the list of available options from 50% to 500%. You can also choose the Fit to Slide or Fit to Width option. The Font Hinting option is used to select how fonts are displayed in the Presentation Editor. Choose As Windows if you like the way fonts are usually displayed on Windows, i.e. using Windows font hinting. Choose As OS X if you like the way fonts are usually displayed on a Mac, i.e. without any font hinting at all. Choose Native if you want your text to be displayed with the hinting embedded into font files. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when the Google Chrome browser has problems with the enabled hardware acceleration. The Presentation Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. The Macros Settings option is used to set macros display with a notification. Choose Disable All to disable all macros within the presentation. Choose Show Notification to receive notifications about macros within the presentation. Choose Enable All to automatically run all macros within the presentation. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Co-editing presentations in real time", - "body": "The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your presentations that require additional third-party input, save presentation versions for future use. In Presentation Editor you can collaborate on presentations in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current presentation is specified on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a presentation in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors. When a presentation is being edited by several users simultaneously in this mode, the edited objects 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. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save  icon to save your changes and accept the changes made by co-authors. 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. As soon as one of the users saves their 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. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." + "body": "The Presentation Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your presentations that require additional third-party input, save presentation versions for future use. In Presentation Editor you can collaborate on presentations in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current presentation is specified on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a presentation in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors. When a presentation is being edited by several users simultaneously in this mode, the edited objects 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. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save   icon to save your changes and accept the changes made by co-authors. 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. As soon as one of the users saves their 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. Live Viewer mode The Live Viewer mode is used to see the changes made by other users in real time when the presentation is opened by a user with the View only access rights. For the mode to function properly, make sure that the Show changes from other users checkbox is active in the editor's Advanced Settings. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." }, { "id": "HelpfulHints/Commenting.htm", @@ -23,12 +23,12 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Presentation Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab and you will see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac 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 the 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 the Presentation Editor. The active file will be saved under its current name, in the same 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 hard disk drive of your computer in one of the supported formats: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Full screen F11 Switch to the full screen view to fit the Presentation Editor into your screen. Help menu F1 F1 Open the 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 selecting 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. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current presentation to the default 'Fit to slide' value. 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 Tab/Shift+Tab ↹ Tab/⇧ Shift+↹ Tab Zoom out the currently edited presentation. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. 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 a heavier appearance. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment slightly slanted to the right. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going under the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a line going through the letters. Subscript Ctrl+⇧ Shift+> ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller placing 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 placing 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 will be aligned with the paragraph margins. Align right Ctrl+R Align right with the text lined up on the right side of the text box, the left side remains unaligned. Align left Ctrl+L Align left with the text lined up on 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." + "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Presentation Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab and you will see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac 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 the 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 the Presentation Editor. The active file will be saved under its current name, in the same 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 hard disk drive of your computer in one of the supported formats: PPTX, PDF, ODP, POTX, PDF/A, OTP, PNG, JPG. Full screen F11 Switch to the full screen view to fit the Presentation Editor into your screen. Help menu F1 F1 Open the 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 selecting 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. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current presentation to the default 'Fit to slide' value. 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+= Zoom in the currently edited presentation. Zoom Out Ctrl+- ^ Ctrl+- Zoom out the currently edited presentation. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. 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 a heavier appearance. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment slightly slanted to the right. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going under the letters. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a line going through the letters. Subscript Ctrl+⇧ Shift+> ⌘ Cmd+⇧ Shift+> Make the selected text fragment smaller placing 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 placing 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 will be aligned with the paragraph margins. Align right Ctrl+R Align right with the text lined up on the right side of the text box, the left side remains unaligned. Align left Ctrl+L Align left with the text lined up on 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", "title": "View Settings and Navigation Tools", - "body": "The Presentation Editor offers several tools to help you view and navigate through your presentation: zoom, previous/next slide buttons and slide number indicator. Adjust the View Settings To adjust default view settings and set the most convenient mode to work with the presentation, click the View settings icon on the right side of the editor header and select which interface elements you want to be hidden or shown. You can select the following options from the View settings drop-down list: Hide Toolbar - hides the top toolbar that contains commands while tabs remain visible. When this option is enabled, you can click any tab to display the toolbar. The toolbar is displayed until you click anywhere outside it. To disable this mode, click the View settings icon and click the Hide Toolbar option once again. The top toolbar will be displayed all the time. Note: alternatively, you can just double-click any tab to hide the top toolbar or display it again. Hide Status Bar - hides the bottommost bar where the Slide Number Indicator and Zoom buttons are situated. To show the hidden Status Bar, click this option once again. Hide Rulers - hides rulers which are used to set up tab stops and paragraph indents within the text boxes. To show the hidden Rulers, click this option once again. Hide notes - hides the notes section below the slide. This section can also be hidden/shown by dragging it with the mouse cursor. The right sidebar is minimized by default. To expand it, select any object/slide and click the icon of the currently activated tab on the right. To minimize the right sidebar, click the icon once again. 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 left to reduce the sidebar width or to the right to extend it. Use the Navigation Tools To navigate through your presentation, use the following tools: The Zoom buttons are situated in the right lower corner and are used to zoom in and out the current presentation. To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. Click the Fit to width icon to fit the slide width to the visible part of the working area. To fit the whole slide to the visible part of the working area, click the Fit to slide icon. Zoom settings are also available in the View settings drop-down list that can be useful if you decide to hide the Status Bar. Note: you can set a default zoom value. Switch to the File tab of the top toolbar, go to the Advanced Settings... section, choose the necessary Default Zoom Value from the list and click the Apply button. To go to the previous or next slide when editing the presentation, you can use the and buttons at the top and bottom of the vertical scroll bar located to the right of the slide. The Slide Number Indicator shows the current slide as a part of all the slides in the current presentation (slide 'n' of 'nn'). Click this caption to open the window where you can enter the slide number and quickly go to it. If you decide to hide the Status Bar, this tool will become inaccessible." + "body": "The Presentation Editor offers several tools to help you view and navigate through your presentation: zoom, previous/next slide buttons and slide number indicator. Adjust the View Settings To adjust default view settings and set the most convenient mode to work with the presentation, go to the View tab. You can select the following options: Zoom - to set the required zoom value from 50% to 500% from the drop-down list. Fit to Slide - to fit the whole slide to the visible part of the working area. Fit to Width - to fit the slide width to the visible part of the working area. Interface theme - choose one of the available interface themes from the drop-down menu: Same as system, Light, Classic Light, Dark, Contrast Dark. Notes - when disabled, hides the notes section below the slide. This section can also be hidden/shown by dragging it with the mouse cursor. Rulers - when disabled, hides rulers which are used to set up tab stops and paragraph indents within the text boxes. To show the hidden Rulers, click this option once again. Always show toolbar - when this option is disabled, the top toolbar that contains commands will be hidden while tab names remain visible. Alternatively, you can just double-click any tab to hide the top toolbar or display it again. Status Bar - when disabled, hides the bottommost bar where the Slide Number Indicator and Zoom buttons are situated. To show the hidden Status Bar, click this option once again. The right sidebar is minimized by default. To expand it, select any object/slide and click the icon of the currently activated tab on the right. To minimize the right sidebar, click the icon once again. 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 left to reduce the sidebar width or to the right to extend it. Use the Navigation Tools To navigate through your presentation, use the following tools: The Zoom buttons are situated in the right lower corner and are used to zoom in and out the current presentation. To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. Click the Fit to width icon to fit the slide width to the visible part of the working area. To fit the whole slide to the visible part of the working area, click the Fit to slide icon. Zoom settings are also available on the View tab. You can set a default zoom value. Switch to the File tab of the top toolbar, go to the Advanced Settings... section, choose the necessary Default Zoom Value from the list and click the Apply button. To go to the previous or next slide when editing the presentation, you can use the and buttons at the top and bottom of the vertical scroll bar located to the right of the slide. The Slide Number Indicator shows the current slide as a part of all the slides in the current presentation (slide 'n' of 'nn'). Click this caption to open the window where you can enter the slide number and quickly go to it. If you decide to hide the Status Bar, this tool will become inaccessible." }, { "id": "HelpfulHints/Password.htm", @@ -37,18 +37,18 @@ var indexes = }, { "id": "HelpfulHints/Search.htm", - "title": "Search Function", - "body": "Search and Replace Function To search for the needed characters, words or phrases in the Presentation Editor, click the icon situated on 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." + "title": "Search and Replace Function", + "body": "To search for the needed characters, words or phrases in the Presentation Editor, click the icon situated on the left sidebar, the icon situated in the upper right corner, or use the Ctrl+F (Command+F for MacOS) key combination to open the small Find panel or the Ctrl+H key combination to open the full Find panel. A small Find panel will open in the upper right corner of the working area. To access the advanced settings, click the icon. The Find and replace panel will open: Type in your inquiry into the corresponding Find data entry field. If you need to replace one or more occurrences of the found characters, type in the replacement text into the corresponding Replace with data entry field. You can choose to replace a single currently highlighted occurrence or replace all occurrences by clicking the corresponding Replace and Replace All buttons. To navigate between the found occurrences, click one of the arrow buttons. The button shows the next occurrence while the button shows the previous one. Specify search parameters by checking the necessary options below the entry fields: 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). Whole words only - is used to highlight whole words only. 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." }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Spell-checking", - "body": "The Presentation Editor allows you to check the spelling of your text in a certain language and correct mistakes while editing. In the desktop version, it's also possible to add words into a custom dictionary which is common for all three editors. Starting from version 6.3, the ONLYOFFICE editors support the SharedWorker interface for smoother operation without significant memory consumption. If your browser does not support SharedWorker then just Worker will be active. For more information about SharedWorker please refer to this article. First of all, choose a language for your presentation. Click the icon on the right side of the status bar. In the opened window, select the necessary language and click OK. The selected language will be applied to the whole presentation. To choose a different language for any piece of text within the presentation, select the necessary text passage with the mouse and use the menu on the status bar. To enable the spell checking option, you can: click the Spell checking icon at the status bar, or open the File tab of the top toolbar, select the Advanced Settings... option, check the Turn on spell checking option box and click the Apply button. Incorrectly spelled words will be underlined with a red line. Right click on the necessary word to activate the menu and: choose one of the suggested similar words spelled correctly to replace the misspelled word with the suggested one. If too many variants are found, the More variants... option appears in the menu; use the Ignore option to skip just that word and remove underlining or Ignore All to skip all the identical words repeated in the text; if the current word is missed in the dictionary, you can add it to the custom dictionary. This word will not be treated as a mistake next time. This option is available in the desktop version. select a different language for this word. To disable the spell checking option, you can: click the Spell checking icon on the status bar, or open the File tab of the top toolbar, select the Advanced Settings... option, uncheck the Turn on spell checking option box and click the Apply button." + "body": "The Presentation Editor allows you to check the spelling of your text in a certain language and correct mistakes while editing. In the desktop version, it's also possible to add words into a custom dictionary which is common for all three editors. Starting from version 6.3, the ONLYOFFICE editors support the SharedWorker interface for smoother operation without significant memory consumption. If your browser does not support SharedWorker then just Worker will be active. For more information about SharedWorker please refer to this article. First of all, choose a language for your presentation. Click the icon on the right side of the status bar. In the opened window, select the necessary language and click OK. The selected language will be applied to the whole presentation. To choose a different language for any piece of text within the presentation, select the necessary text passage with the mouse and use the menu on the status bar. To enable the spell checking option, you can: click the Spell checking icon at the status bar, or open the File tab of the top toolbar, select the Advanced Settings option, check the Turn on spell checking option box and click the Apply button. Incorrectly spelled words will be underlined with a red line. Right click on the necessary word to activate the menu and: choose one of the suggested similar words spelled correctly to replace the misspelled word with the suggested one. If too many variants are found, the More variants... option appears in the menu; use the Ignore option to skip just that word and remove underlining or Ignore All to skip all the identical words repeated in the text; if the current word is missed in the dictionary, you can add it to the custom dictionary. This word will not be treated as a mistake next time. This option is available in the desktop version. select a different language for this word. To disable the spell checking option, you can: click the Spell checking icon on the status bar, or open the File tab of the top toolbar, select the Advanced Settings option, uncheck the Turn on spell checking option box and click the Apply button." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Supported Formats of Electronic Presentations", - "body": "Supported Formats of Electronic Presentation A presentation is a set of slides that may include different types of content such as images, media files, text, effects, etc. The 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 presentations 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 + + + PDF Portable Document Format File format used to represent documents regardless of application software, hardware, and operating systems used. + PDF/A Portable Document Format / A An ISO-standardized version of the Portable Document Format (PDF) designed for archivation and long-term preservation of electronic documents. + PNG Portable Network Graphics PNG is a raster-graphics file format that is widely used on the web rather than for photography and artwork. + JPG Joint Photographic Experts Group The most common compressed image format used for storing and transmitting digital images. +" + "body": "Supported Formats of Electronic Presentation A presentation is a set of slides that may include different types of content such as images, media files, text, effects, etc. The Presentation Editor handles the following presentation formats. While uploading or opening the file for editing, it will be converted to the Office Open XML (PPTX) format. It's done to speed up the file processing and increase the interoperability. The following table contains the formats which can be opened for viewing and/or editing. Formats Description View natively View after conversion to OOXML Edit natively Edit after conversion to OOXML ODP OpenDocument Presentation File format that represents presentations 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 + + 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 + + PPSX Microsoft PowerPoint Slide Show Presentation file format used for slide show playback + + 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 + + The following table contains the formats in which you can download a presentation from the File -> Download as menu. Input format Can be downloaded as ODP JPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX OTP JPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX POTX JPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX PPSX JPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX PPT JPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX PPTX JPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX You can also refer to the conversion matrix on api.onlyoffice.com to see possibility of conversion your presentations into the most known file formats." }, { "id": "HelpfulHints/UsingChat.htm", @@ -93,7 +93,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the user interface of the Presentation Editor", - "body": "The Presentation Editor uses a tabbed interface where editing commands are grouped into tabs according to their functionality. Main window of the Online Presentation Editor: Main window of the Desktop Presentation Editor: The editor interface consists of the following main elements: The Editor header displays the logo, tabs for all opened presentations with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File Explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. View Settings - allows adjusting the View Settings and accessing the Advanced Settings of the editor. Manage document access rights - (available in the online version only) allows setting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Transitions, Animation, Collaboration, Protection, Plugins. The Copy and Paste options are always available on the left side of the Top toolbar regardless of the selected tab. The 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\", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.) and allows setting the text language and enable spell checking. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows contacting our support team, - (available in the online version only) allows viewing the information about the program. The Right sidebar allows adjusting additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated on the right sidebar. Click this icon to expand the right sidebar. The horizontal and vertical Rulers help you place objects on a slide and allow you to set up tab stops and paragraph indents within the text boxes. The Working area allows viewing the presentation content, entering and editing data. The Scroll bar on the right allows scrolling the presentation up and down. For your convenience, you can hide some components and display them again when necessary. To learn more on how to adjust the view settings, please refer to this page." + "body": "The Presentation Editor uses a tabbed interface where editing commands are grouped into tabs according to their functionality. Main window of the Online Presentation Editor: Main window of the Desktop Presentation Editor: The editor interface consists of the following main elements: The Editor header displays the logo, tabs for all opened presentations with their names and menu tabs. On the left side of the Editor header, the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header, along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File Explorer window. In the online version, it allows opening the folder of the Documents module, where the file is stored, in a new browser tab. Share - (available in the online version only) allows setting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. Search - allows to search the presentation for a particular word or symbol, etc. The Top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Transitions, Animation, Collaboration, Protection, Plugins. The Copy, Paste, Cut and Select All options are always available on the left side of the Top toolbar regardless of the selected tab. The 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\", ‘Connection is lost’ when there is no connection and the editor is trying to reconnect etc.) and allows setting the text language and enable spell checking. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - (available in the online version only) allows opening the Chat panel, - (available in the online version only) allows contacting our support team, - (available in the online version only) allows viewing the information about the program. The Right sidebar allows adjusting additional parameters of different objects. When you select a particular object on a slide, the corresponding icon is activated on the right sidebar. Click this icon to expand the right sidebar. The horizontal and vertical Rulers help you place objects on a slide and allow you to set up tab stops and paragraph indents within the text boxes. The Working area allows viewing the presentation content, entering and editing data. The Scroll bar on the right allows scrolling the presentation up and down. For your convenience, you can hide some components and display them again when necessary. To learn more on how to adjust the view settings, please refer to this page." }, { "id": "ProgramInterface/TransitionsTab.htm", @@ -103,17 +103,17 @@ var indexes = { "id": "ProgramInterface/ViewTab.htm", "title": "View tab", - "body": "The View tab of the Presentation Editor allows you to manage how your presentation looks like while you are working on it. The corresponding window of the Online Presentation Editor: The corresponding window of the Desktop Presentation Editor: View options available on this tab: Zoom allows to zoom in and zoom out your document, Fit to slide allows to resize the slide so that the screen displays the whole slide, Fit to width allows to resize the slide so that the slide scales to fit the width of the screen, Interface theme allows to change interface theme by choosing Light, Classic Light or Dark theme. The following options allow you to configure the elements to display or to hide. Check the elements to make them visible: Notes to make the notes panel always visible, Rulers to make rulers always visible, Always show toolbar to make the top toolbar always visible, Status bar to make the status bar always visible." + "body": "The View tab of the Presentation Editor allows you to manage how your presentation looks like while you are working on it. The corresponding window of the Online Presentation Editor: The corresponding window of the Desktop Presentation Editor: View options available on this tab: Zoom allows to zoom in and zoom out your document, Fit to slide allows to resize the slide so that the screen displays the whole slide, Fit to width allows to resize the slide so that the slide scales to fit the width of the screen, Interface theme allows to change interface theme by choosing a Same as system, Light, Classic Light, Dark or Contrast Dark theme. The following options allow you to configure the elements to display or to hide. Check the elements to make them visible: Notes to make the notes panel always visible, Rulers to make rulers always visible, Always show toolbar to make the top toolbar always visible, Status bar to make the status bar always visible." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Add hyperlinks", - "body": "To add a hyperlink in the Presentation Editor, place the cursor within the text box where a hyperlink should be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon on the top toolbar, after that the Hyperlink Settings window will appear where you can specify the hyperlink parameters: 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 Slide In This Presentation option and select one of the options below if you need to add a hyperlink leading to a certain slide in the same presentation. The following options are available: Next Slide, Previous Slide, First Slide, Last Slide, Slide with the specified number. Display - enter a text that will get clickable and lead to the web address/slide specified in the upper field. ScreenTip text - enter a text that will become visible in a small pop-up window with a brief note or label pertaining to the hyperlink to be pointed. Click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button where a hyperlink should be added and select the Hyperlink option in the right-click menu. Note: it's also possible to select a character, word or word combination with the mouse or using the keyboard and then open the Hyperlink Settings window as described above. In this case, the Display field will be filled with the text fragment you selected. By hovering the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. You can follow the link by pressing the CTRL key and clicking the link in your presentation. To edit or delete the added hyperlink, click it with the right mouse button, select the Hyperlink option in the right-click menu and then the action you want to perform - Edit Hyperlink or Remove Hyperlink." + "body": "To add a hyperlink in the Presentation Editor, place the cursor within the text box where a hyperlink should be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon on the top toolbar, after that the Hyperlink Settings window will appear where you can specify the hyperlink parameters: Select a link type you wish to insert: Use the External Link option and enter a URL in the http://www.example.com format in the Link to field below if you need to add a hyperlink leading to an external website. If you need to add a hyperlink to a local file, enter the URL in the file://path/Presentation.pptx (for Windows) or file:///path/Presentation.pptx (for MacOS and Linux) format in the Link to field. The file://path/Presentation.pptx or file:///path/Presentation.pptx hyperlink type can be opened only in the desktop version of the editor. In the web editor you can only add the link without being able to open it. Use the Slide In This Presentation option and select one of the options below if you need to add a hyperlink leading to a certain slide in the same presentation. The following options are available: Next Slide, Previous Slide, First Slide, Last Slide, Slide with the specified number. Display - enter a text that will get clickable and lead to the web address/slide specified in the upper field. ScreenTip text - enter a text that will become visible in a small pop-up window with a brief note or label pertaining to the hyperlink to be pointed. Click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button where a hyperlink should be added and select the Hyperlink option in the right-click menu. Note: it's also possible to select a character, word or word combination with the mouse or using the keyboard and then open the Hyperlink Settings window as described above. In this case, the Display field will be filled with the text fragment you selected. By hovering the cursor over the added hyperlink, the ScreenTip will appear containing the text you specified. You can follow the link by pressing the CTRL key and clicking the link in your presentation. To edit or delete the added hyperlink, click it with the right mouse button, select the Hyperlink option in the right-click menu and then the action you want to perform - Edit Hyperlink or Remove Hyperlink." }, { "id": "UsageInstructions/AddingAnimations.htm", "title": "Adding animations", - "body": "Animation is a visual effect that allows you to animate text, objects and graphics as to make your presentation more dynamic and emphasize important information. You can control the movement, color and size of the text, objects and graphics. Applying an animation effect switch to the Animation tab on the top toolbar, select a text, an object or a graphic element you want to apply the animation effect to, select an Animation effect from the animations gallery, select the animation effect movement direction by clicking Parameters next to the animations gallery. The parameters on the list depend on the effect you apply. You can preview animation effects on the current slide. By default, animation effects will play automatically when you add them to a slide but you can turn it off. Click the Preview drop-down on the Animation tab, and select a preview mode: Preview to show a preview when you click the Preview button, AutoPreview to show a preview automatically when you add an animation to a slide or replace an existing one. Types of animations All animation effects are listed in the animations gallery. Click the drop-down arrow to open it. Each animation effect is represented by a star-shaped icon. The animations are grouped according to the point at which they occur: Entrance effects determine how objects appear on a slide, and are colored green in the gallery. Emphasis effects change the size or color of the object to add emphasis on an object and to draw attention of the audience, and are colored yellow or two colored in the gallery. Exit effects determine how objects disappear from a slide, and are colored red in the gallery. Motion path determines the movement of an object and the path it follows. The icons in the gallery represent the suggested path. Scroll down the animations gallery to see all effects included in the gallery. If you don’t see the needed animation in the gallery, click the Show More Effects option at the bottom of the gallery. Here you will find the full list of the animation effects. Effects are additionally grouped by the visual impact they have on audience. Entrance, Emphasis, and Exit effects are grouped by Basic, Subtle, Moderate, and Exciting. Motion Path effects are grouped by Basic, Subtle, and Moderate. Applying Multiple Animations You can add more than one animation effect to the same object. To add one more animation, click the Add Animation button on the Animation tab. The list of animation effects will open. Repeat Steps 3 and 4 above for applying an animation. If you use the Animation gallery, and not the Add Animation button, the first animation effect will substitute for a new one. A small square next to the object shows the sequence numbers of the effects applied. As soon as you add several effects to an object, the Multiple animation icon appears in the animations gallery. Changing the order of the animation effects on a slide Click the animation square mark. Сlick or arrows on the Animation tab to change the order of appearance on the slide. Setting animation timing Use the timing options on the Animation tab to set the start, the duration, the delay, the repetition and the rewind of the animations on a slide. Animation Start Options On click – animation starts when you click the slide. This is the default option. With previous – animation starts when previous animation effect starts and effects appear simultaneously. After previous – animation starts right after the previous animation effect. Note: animation effects are automatically numbered on a slide. All animations set to With previous and After previous take the number of the animation they are connected to as they will appear automatically. Animation Trigger Options Click the Trigger button and select one of the appropriate options: On Click Sequence – to start the next animation in sequence each time you click anywhere on the slide. This is the default option. On Click of - to start animation when you click the object that you select from the drop-down list. Other timing options Duration – use this option to determine how long you want an animation to be displayed. Select one of the available options from the menu, or type in the necessary time value. Delay – use this option if you want the selected animation to be displayed within a specified period of time, or if you need a pause between the effects. Use arrows to select the necessary time value, or enter the necessary value measured in seconds. Repeat – use this option if you want to display an animation more than once. Click the Repeat box and select one of the available options, or enter your value. Rewind – check this box if you want to return the object to its original state when the animation ends." + "body": "Animation is a visual effect that allows you to animate text, objects and graphics as to make your presentation more dynamic and emphasize important information. You can control the movement, color and size of the text, objects and graphics. Applying an animation effect switch to the Animation tab on the top toolbar, select a text, an object or a graphic element you want to apply the animation effect to, select an Animation effect from the animations gallery, select the animation effect movement direction by clicking Parameters next to the animations gallery. The parameters on the list depend on the effect you apply. You can preview animation effects on the current slide. By default, animation effects will play automatically when you add them to a slide but you can turn it off. Click the Preview drop-down on the Animation tab, and select a preview mode: Preview to show a preview when you click the Preview button, AutoPreview to show a preview automatically when you add an animation to a slide or replace an existing one. Types of animations All animation effects are listed in the animations gallery. Click the drop-down arrow to open it. Each animation effect is represented by a star-shaped icon. The animations are grouped according to the point at which they occur: Entrance effects determine how objects appear on a slide, and are colored green in the gallery. Emphasis effects change the size or color of the object to add emphasis on an object and to draw attention of the audience, and are colored yellow or two colored in the gallery. Exit effects determine how objects disappear from a slide, and are colored red in the gallery. Motion Paths determines the movement of an object and the path it follows. The icons in the gallery represent the suggested path. The Custom Path option is also available. To learn more, please read the following article. Scroll down the animations gallery to see all effects included in the gallery. If you don’t see the needed animation in the gallery, click the Show More Effects option at the bottom of the gallery. Here you will find the full list of the animation effects. Effects are additionally grouped by the visual impact they have on audience. Entrance, Emphasis, and Exit effects are grouped by Basic, Subtle, Moderate, and Exciting. Motion Path effects are grouped by Basic, Subtle, and Moderate. Applying Multiple Animations You can add more than one animation effect to the same object. To add one more animation, click the Add Animation button on the Animation tab. The list of animation effects will open. Repeat Steps 3 and 4 above for applying an animation. If you use the Animation gallery, and not the Add Animation button, the first animation effect will substitute for a new one. A small square next to the object shows the sequence numbers of the effects applied. As soon as you add several effects to an object, the Multiple animation icon appears in the animations gallery. Changing the order of the animation effects on a slide Click the animation square mark. Сlick or arrows on the Animation tab to change the order of appearance on the slide. Setting animation timing Use the timing options on the Animation tab to set the start, the duration, the delay, the repetition and the rewind of the animations on a slide. Animation Start Options On click – animation starts when you click the slide. This is the default option. With previous – animation starts when previous animation effect starts and effects appear simultaneously. After previous – animation starts right after the previous animation effect. Note: animation effects are automatically numbered on a slide. All animations set to With previous and After previous take the number of the animation they are connected to as they will appear automatically. Animation Trigger Options Click the Trigger button and select one of the appropriate options: On Click Sequence – to start the next animation in sequence each time you click anywhere on the slide. This is the default option. On Click of - to start animation when you click the object that you select from the drop-down list. Other timing options Duration – use this option to determine how long you want an animation to be displayed. Select one of the available options from the menu, or type in the necessary time value. Delay – use this option if you want the selected animation to be displayed within a specified period of time, or if you need a pause between the effects. Use arrows to select the necessary time value, or enter the necessary value measured in seconds. Repeat – use this option if you want to display an animation more than once. Click the Repeat box and select one of the available options, or enter your value. Rewind – check this box if you want to return the object to its original state when the animation ends." }, { "id": "UsageInstructions/AlignArrangeObjects.htm", @@ -138,12 +138,12 @@ var indexes = { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Copy/paste data, undo/redo your actions", - "body": "Use basic clipboard operations To cut, copy and paste the selected objects (slides, text passages, autoshapes) in the Presentation Editor or undo/redo your actions, use the corresponding options from the right-click menu, keyboard shortcuts or icons available on 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 on 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 on the top toolbar. The object will be inserted to 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 Note: For collaborative editing, the Pase Special feature is available in the Strict co-editing mode only. 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 applying the formatting specified by the theme of the current presentation. This option is used by default. Keep source formatting - allows keeping the source formatting of the copied text. Picture - allows pasting the text as an image so that it cannot be edited. Keep text only - allows pasting the text without its original formatting. When pasting objects (autoshapes, charts, tables), the following options are available: Use destination theme - allows applying the formatting specified by the theme of the current presentation. This option is used by default. Picture - allows pasting the object as an image so that it cannot be edited. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings... and check / uncheck the Cut, copy and paste checkbox. Use the Undo/Redo operations To undo/redo your actions, use the corresponding icons on the left side 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." + "body": "Use basic clipboard operations To cut, copy and paste the selected objects (slides, text passages, autoshapes) in the Presentation Editor or undo/redo your actions, use the corresponding options from the right-click menu, keyboard shortcuts or icons available on any tab of the top toolbar: Cut – select an object and use the Cut option from the right-click menu, or the Cut icon on the top toolbar 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 on 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 on the top toolbar. The object will be inserted to 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 Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only. 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 or use the Ctrl key in combination with the letter key given in the brackets next to the option. When pasting text passages, the following options are available: Use destination theme (Ctrl+H) - allows applying the formatting specified by the theme of the current presentation. This option is used by default. Keep source formatting (Ctrl+K) - allows keeping the source formatting of the copied text. Picture (Ctrl+U) - allows pasting the text as an image so that it cannot be edited. Keep text only (Ctrl+T) - allows pasting the text without its original formatting. When pasting objects (autoshapes, charts, tables), the following options are available: Use destination theme (Ctrl+H) - allows applying the formatting specified by the theme of the current presentation. This option is used by default. Picture (Ctrl+U) - allows pasting the object as an image so that it cannot be edited. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings and check / uncheck the Show the Paste Options button when the content is pasted checkbox. Use the Undo/Redo operations To undo/redo your actions, use the corresponding icons on the left side 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", "title": "Create lists", - "body": "To create a list in the Presentation Editor, place the cursor where a list should start (this can be a new line or the already entered text), switch to the Home tab of the top toolbar, select the list type you would like to start: Unordered list with markers is created using the Bullets icon situated on the top toolbar Ordered list with digits or letters is created using the Numbering icon situated at the top toolbar Note: click the downward arrow next to the Bullets or Numbering icon to select how the list is going to look like. now each time you press the Enter key at the end of the line, a new ordered or unordered list item will appear. To stop that, press the Backspace key and continue with the common text paragraph. You can also change the text indentation in the lists and their nesting using the Decrease indent , and Increase indent icons on the Home tab of the top toolbar. Note: the additional indentation and spacing parameters can be changed on the right sidebar and in the advanced settings window. To learn more about it, read the Insert and format your text section. Change the list settings To change the bulleted or numbered list settings, such as a bullet type, size and color: click an existing list item or select the text you want to format as a list, click the Bullets or Numbering icon on the Home tab of the top toolbar, select the List Settings option, the List Settings window will open. The bulleted list settings window looks like this: The numbered list settings window looks like this: For the bulleted list, you can choose a character used as a bullet, while for the numbered list you can choose what number the list Starts at. The Size and Color options are the same both for the bulleted and numbered lists. Size - allows you to select the necessary bullet/number size depending on the current size of the text. It can be a value ranging from 25% to 400%. Color - allows you to select the necessary bullet/number color. You can select one of the theme colors, or standard colors on the palette, or specify a custom color. Bullet - allows you to select the necessary character used for the list. When you click on the Bullet field, the Symbol window opens, and you can choose one of the available characters. For Bulleted lists, you can also add a new symbol. To learn more on how to work with symbols, please refer to this article. Start at - allows you to select the nesessary sequence number a numbered list starts from. click OK to apply the changes and close the settings window." + "body": "To create a list in the Presentation Editor, place the cursor where a list should start (this can be a new line or the already entered text), switch to the Home tab of the top toolbar, select the list type you would like to start: Unordered list with markers is created using the Bullets icon situated on the top toolbar Ordered list with digits or letters is created using the Numbering icon situated at the top toolbar Note: click the downward arrow next to the Bullets or Numbering icon to select how the list is going to look like. now each time you press the Enter key at the end of the line, a new ordered or unordered list item will appear. To stop that, press the Backspace key and continue with the common text paragraph. You can also change the text indentation in the lists and their nesting using the Decrease indent and Increase indent icons on the Home tab of the top toolbar. Note: the additional indentation and spacing parameters can be changed on the right sidebar and in the advanced settings window. To learn more about it, read the Insert and format your text section. Change the list settings To change the bulleted or numbered list settings, such as a bullet type, size and color: click an existing list item or select the text you want to format as a list, click the Bullets or Numbering icon on the Home tab of the top toolbar, select the List Settings option, the List Settings window will open. The bulleted list settings window looks like this: Type - allows you to select the necessary character used for the list. When you click the New bullet option, the Symbol window opens, and you can choose one of the available characters. You can also add a new symbol. To learn more on how to work with symbols, please refer to this article. When you click the New image option, a new Import field appears where you can choose new images for bullets From File, From URL, or From Storage. Size - allows you to select the necessary bullet size depending on the current size of the text. It can be a value ranging from 25% to 400%. Color - allows you to select the necessary bullet color. You can select one of the theme colors, or standard colors on the palette, or specify a custom color. The numbered list settings window looks like this: Type - allows you to select the necessary number format used for the list. Size - allows you to select the necessary number size depending on the current size of the text. It can be a value ranging from 25% to 400%. Start at - allows you to select the necessary sequence number a numbered list starts from. Color - allows you to select the necessary number color. You can select one of the theme colors, or standard colors on the palette, or specify a custom color. click OK to apply the changes and close the settings window." }, { "id": "UsageInstructions/FillObjectsSelectColor.htm", @@ -158,12 +158,12 @@ var indexes = { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insert and format autoshapes", - "body": "Insert an autoshape To add an autoshape to a slide in the Presentation Editor, in the slide list on the left, select the slide you want to add the autoshape to, click the Shape icon on the Home tab or the Shape gallery dropdown arrow on the Insert tab of the top toolbar, select one of the available autoshape groups from the Shape Gallery: Recently Used, 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). It's also possible to add an autoshape to a slide layout. To learn more, please refer to this article. 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. Line - use this section to change the width, color or type of the autoshape line. To change the line 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 line. To change the line 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 line 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. Show shadow - check this option to display shape with shadow. 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 on the right sidebar. The shape properties window will be opened: The Size tab allows you 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 allows specifying the following parameters: Cap Type - this option allows setting 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 setting 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 you 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 you 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 adding 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 specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the shape. To replace the added autoshape, left-click it and use the Change Autoshape drop-down list on the Shape settings tab of the right sidebar. To delete the added autoshape, left-click it and press the Delete key. 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 on 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." + "body": "Insert an autoshape To add an autoshape to a slide in the Presentation Editor, in the slide list on the left, select the slide you want to add the autoshape to, click the Shape icon on the Home tab or the Shape gallery dropdown arrow on the Insert tab of the top toolbar, select one of the available autoshape groups from the Shape Gallery: Recently Used, 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). It's also possible to add an autoshape to a slide layout. To learn more, please refer to this article. 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. Line - use this section to change the width, color or type of the autoshape line. To change the line 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 line. To change the line 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 line 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. Show shadow - check this option to display shape with shadow. 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 on the right sidebar. The shape properties window will be opened: The Placement tab allows you 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. You can also set the exact position using the Horizontal and Vertical fields, as well as the From field where you can access such settings as Top Left Corner and Center. 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 allows specifying the following parameters: Cap Type - this option allows setting 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 setting 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 you to set the arrow Start and End Style and Size by selecting the appropriate option from the drop-down lists. The Text Box tab contains the following parameters: AutoFit - to change the way text is displayed within the shape: Do not Autofit, Shrink text on overflow, Resize shape to fit text. Text Padding - 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 adding 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 specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the shape. To replace the added autoshape, left-click it and use the Change Autoshape drop-down list on the Shape settings tab of the right sidebar. To delete the added autoshape, left-click it and press the Delete key. 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 on 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", "title": "Insert and edit charts", - "body": "Insert a chart To insert a chart in the Presentation Editor, put the cursor where you want to add a chart, switch to the Insert tab of the top toolbar, click the Chart icon on the top toolbar, select the needed chart type from the available ones: Column Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination Note: ONLYOFFICE Presentation Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools. after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: and for copying and pasting the copied data and for undoing and redoing actions for inserting a function and for decreasing and increasing decimal places for changing the number format, i.e. the way the numbers you enter appear in cells for choosing a different type of chart. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click the Change Chart Type button in the Chart Editor window to choose chart type and style. Select a chart from the available sections: Column, Line, Pie, Bar, Area, Stock, XY (Scatter), or Combo. When you choose Combo Charts, the Chart Type window lists chart series and allows choosing the types of charts to combine and selecting data series to place on a seconary axis. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart selecting the necessary option from the drop-down list: None not to display the title of a chart, Overlay to overlay and center the title in the plot area, No Overlay to display the title above the plot area. Specify the Legend position in regard to your chart selecting the necessary option from the drop-down list: None not to display a legend, Bottom to display the legend and align it to the bottom of the plot area, Top to display the legend and align it to the top of the plot area, Right to display the legend and align it to the right of the plot area, Left to display the legend and align it to the left of the plot area, Left Overlay to overlay and center the legend to the left on the plot area, Right Overlay to overlay and center the legend to the right on the plot area. Specify the Data Labels (i.e. text labels that represent exact values of data points) parameters: specify the Data Labels position relative to the data points selecting the necessary option from the drop-down list. The available options vary depending on the selected chart type. For Column/Bar charts, you can choose the following options: None, Center, Inner Bottom, Inner Top, Outer Top. For Line/XY (Scatter)/Stock charts, you can choose the following options: None, Center, Left, Right, Top, Bottom. For Pie charts, you can choose the following options: None, Center, Fit to Width, Inner Top, Outer Top. For Area charts as well as for 3D Column, Line, Bar and Combo charts, you can choose the following options: None, Center. select the data you wish to include into your labels by checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon, etc.) you wish to use to separate several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines among data points, Smooth to use smooth curves among data points, or None not to display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the chart. once the chart is added, you can also change its size and position. You can specify the chart position on the slide by dragging it vertically or horizontally. You can also add a chart into a text placeholder by pressing the Chart icon within it and selecting the necessary chart type: It's also possible to add a chart to a slide layout. To learn more, please refer to this article. Edit chart elements To edit the chart Title, select the default text with the mouse and type in your own one instead. To change the font formatting within text elements, such as the chart title, axes titles, legend entries, data labels, etc., select the necessary text element by left-clicking it. Then use the corresponding icons on the Home tab of the top toolbar to change the font type, style, size, or color. When the chart is selected, the Shape settings icon is also available on the right, since the shape is used as the background for the chart. You can click this icon to open the Shape settings tab on the right sidebar and adjust the shape Fill, Stroke and Wrapping Style. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel, you can not only adjust the chart area itself, but also change the chart elements, such as plot area, data series, chart title, legend, etc. and apply different fill types to them. Select the chart element by clicking it with the left mouse button and choose the preferred fill type: solid color, gradient, texture or picture, pattern. Specify the fill parameters and set the Opacity level if necessary. When you select a vertical or horizontal axis or gridlines, the stroke settings are only available on the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, please refer to this page. Note: the Show shadow option is also available on the Shape settings tab, but it is disabled for chart elements. If you need to resize chart elements, left-click to select the needed element and drag one of 8 white squares located along the perimeter of the element. To change the position of the element, left-click on it, make sure your cursor changed to , hold the left mouse button and drag the element to the needed position. To delete a chart element, select it by left-clicking and press the Delete key. You can also rotate 3D charts using the mouse. Left-click within the plot area and hold the mouse button. Drag the cursor without releasing the mouse button to change the 3D chart orientation. Adjust chart settings The chart size, type and style as well as the data used to create the chart can be altered using the right sidebar. To activate it, click the chart and choose the Chart settings icon on the right. The Size section allows you to change the chart 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 chart aspect ratio. The Change Chart Type section allows you to change the type of the selected chart type and/or its style using the corresponding drop-down menu. To select the necessary chart Style, use the second drop-down menu in the Change Chart Type section. The Edit Data button allows you to open the Chart Editor window and start editing data as described above. Note: to quickly open the 'Chart Editor' window, you can also double-click the chart on the slide. The Show advanced settings option on the right sidebar allows you to open the Chart - Advanced Settings window where you can set the alternative text: To delete the inserted chart, left-click it and press the Delete key. To learn how to align a chart on the slide or arrange several objects, refer to the Align and arrange objects on a slide section." + "body": "Insert a chart To insert a chart in the Presentation Editor, put the cursor where you want to add a chart, switch to the Insert tab of the top toolbar, click the Chart icon on the top toolbar, select the needed chart type from the available ones: Column Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination Note: ONLYOFFICE Presentation Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools. after that the Chart Editor window will appear where you can enter the necessary data into the cells using the following controls: and for copying and pasting the copied data and for undoing and redoing actions for inserting a function and for decreasing and increasing decimal places for changing the number format, i.e. the way the numbers you enter appear in cells for choosing a different type of chart. Click the Select Data button situated in the Chart Editor window. The Chart Data window will open. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click the Change Chart Type button in the Chart Editor window to choose chart type and style. Select a chart from the available sections: Column, Line, Pie, Bar, Area, Stock, XY (Scatter), or Combo. When you choose Combo Charts, the Chart Type window lists chart series and allows choosing the types of charts to combine and selecting data series to place on a seconary axis. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart selecting the necessary option from the drop-down list: None not to display the title of a chart, Overlay to overlay and center the title in the plot area, No Overlay to display the title above the plot area. Specify the Legend position in regard to your chart selecting the necessary option from the drop-down list: None not to display a legend, Bottom to display the legend and align it to the bottom of the plot area, Top to display the legend and align it to the top of the plot area, Right to display the legend and align it to the right of the plot area, Left to display the legend and align it to the left of the plot area, Left Overlay to overlay and center the legend to the left on the plot area, Right Overlay to overlay and center the legend to the right on the plot area. Specify the Data Labels (i.e. text labels that represent exact values of data points) parameters: specify the Data Labels position relative to the data points selecting the necessary option from the drop-down list. The available options vary depending on the selected chart type. For Column/Bar charts, you can choose the following options: None, Center, Inner Bottom, Inner Top, Outer Top. For Line/XY (Scatter)/Stock charts, you can choose the following options: None, Center, Left, Right, Top, Bottom. For Pie charts, you can choose the following options: None, Center, Fit to Width, Inner Top, Outer Top. For Area charts as well as for 3D Column, Line, Bar and Combo charts, you can choose the following options: None, Center. select the data you wish to include into your labels by checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon, etc.) you wish to use to separate several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines among data points, Smooth to use smooth curves among data points, or None not to display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the chart. once the chart is added, you can also change its size and position. You can specify the chart position on the slide by dragging it vertically or horizontally. You can also add a chart into a text placeholder by pressing the Chart icon within it and selecting the necessary chart type: It's also possible to add a chart to a slide layout. To learn more, please refer to this article. Edit chart elements To edit the chart Title, select the default text with the mouse and type in your own one instead. To change the font formatting within text elements, such as the chart title, axes titles, legend entries, data labels, etc., select the necessary text element by left-clicking it. Then use the corresponding icons on the Home tab of the top toolbar to change the font type, style, size, or color. When the chart is selected, the Shape settings icon is also available on the right, since the shape is used as the background for the chart. You can click this icon to open the Shape settings tab on the right sidebar and adjust the shape Fill, Stroke and Wrapping Style. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel, you can not only adjust the chart area itself, but also change the chart elements, such as plot area, data series, chart title, legend, etc. and apply different fill types to them. Select the chart element by clicking it with the left mouse button and choose the preferred fill type: solid color, gradient, texture or picture, pattern. Specify the fill parameters and set the Opacity level if necessary. When you select a vertical or horizontal axis or gridlines, the stroke settings are only available on the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, please refer to this page. Note: the Show shadow option is also available on the Shape settings tab, but it is disabled for chart elements. If you need to resize chart elements, left-click to select the needed element and drag one of 8 white squares located along the perimeter of the element. To change the position of the element, left-click on it, make sure your cursor changed to , hold the left mouse button and drag the element to the needed position. To delete a chart element, select it by left-clicking and press the Delete key. You can also rotate 3D charts using the mouse. Left-click within the plot area and hold the mouse button. Drag the cursor without releasing the mouse button to change the 3D chart orientation. Adjust chart settings The chart size, type and style as well as the data used to create the chart can be altered using the right sidebar. To activate it, click the chart and choose the Chart settings icon on the right. The Size section allows you to change the chart 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 chart aspect ratio. The Change Chart Type section allows you to change the type of the selected chart type and/or its style using the corresponding drop-down menu. To select the necessary chart Style, use the second drop-down menu in the Change Chart Type section. The Edit Data button allows you to open the Chart Editor window and start editing data as described above. Note: to quickly open the 'Chart Editor' window, you can also double-click the chart on the slide. The Show advanced settings option on the right sidebar allows you to open the Chart - Advanced Settings window where you adjust the following parameters: The Placement tab allows you to set the following 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. Position - set the exact position using the Horizontal and Vertical fields, as well as the From field where you can access such settings as Top Left Corner and Center. The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the chart. To delete the inserted chart, left-click it and press the Delete key. To learn how to align a chart on the slide or arrange several objects, refer to the Align and arrange objects on a slide section." }, { "id": "UsageInstructions/InsertEquation.htm", @@ -178,7 +178,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Insert and adjust images", - "body": "Insert an image In the 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 on 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 so that you can choose a file. Browse the hard disk drive your computer to select the necessary file and click the Open button In the online editor, you can select several images at once. the Image from URL option will open the window where you can enter the web address of the necessary image 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. You can also add an image into a text placeholder pressing the Image from file in it and selecting the necessary image stored on your PC, or use the Image from URL button and specify the image URL address: It's also possible to add an image to a slide layout. To learn more, please refer to this article. 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 Width and Height of the current image or restore its Actual 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 its each 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 Crop to shape, 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 Crop to shape option, the picture will fill a certain shape. You can select a shape from the gallery, which opens when you hover your mouse pointer over the Crop to Shape option. You can still use the Fill and Fit options to choose the way your picture matches the shape. 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 from the desired source. You can select one of the options: From File, From Storage, 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 on the right sidebar and adjust the Line type, size and color of the shape as well as change its type by selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image. 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 on 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 actual size of the added image, click the Actual 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 specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the image. To delete the inserted image, left-click it and press the Delete key. 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 the 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 on 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 so that you can choose a file. Browse the hard disk drive your computer to select the necessary file and click the Open button In the online editor, you can select several images at once. the Image from URL option will open the window where you can enter the web address of the necessary image 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. You can also add an image into a text placeholder pressing the Image from file in it and selecting the necessary image stored on your PC, or use the Image from URL button and specify the image URL address: It's also possible to add an image to a slide layout. To learn more, please refer to this article. 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 Width and Height of the current image or restore its Actual 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 its each 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 Crop to shape, 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 Crop to shape option, the picture will fill a certain shape. You can select a shape from the gallery, which opens when you hover your mouse pointer over the Crop to Shape option. You can still use the Fill and Fit options to choose the way your picture matches the shape. 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 from the desired source. You can select one of the options: From File, From Storage, 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 on the right sidebar and adjust the Line type, size and color of the shape as well as change its type by selecting another shape from the Change Autoshape menu. The shape of the image will change correspondingly. On the Shape Settings tab, you can also use the Show shadow option to add a shadow to the image. 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 on 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 actual size of the added image, click the Actual Size button. Position - set the exact position using the Horizontal and Vertical fields, as well as the From field where you can access such settings as Top Left Corner and Center. 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 specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the image. To delete the inserted image, left-click it and press the Delete key. 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/InsertSymbols.htm", @@ -188,7 +188,7 @@ var indexes = { "id": "UsageInstructions/InsertTables.htm", "title": "Insert and format tables", - "body": "Insert a table To insert a table into a slide in the Presentation Editor, select the slide where a table should be added, switch to the Insert tab of the top toolbar, click the Table icon on the top toolbar, select one of the following options to create a table: either a table with a predefined number of cells (10 x 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 a 10 x 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 and position. You can also add a table into a text placeholder by pressing the Table icon within it and selecting the necessary number of cells or using the Insert Custom Table option: To resize a table, drag the handles situated on its edges 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 until the cursor turns into the bidirectional arrow and drag it up or down. You can specify the table position on the slide by dragging it vertically or horizontally. Note: to move around in a table, you can use keyboard shortcuts. It's also possible to add a table to a slide layout. To learn more, please refer to this article. Adjust table settings Most of the table properties as well as its structure can be altered by using the right sidebar. To activate it, click the table and choose the Table settings icon on the right. The Rows and Columns sections on the top allow you to emphasize certain rows/columns by applying a specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Header - emphasizes the topmost row in the table with special formatting. Total - emphasizes the bottommost row in the table with special formatting. Banded - enables the background color alternation for odd and even rows. First - emphasizes the leftmost column in the table with special formatting. Last - emphasizes the rightmost column in the table with special formatting. Banded - enables the background color alternation for odd and even columns. The Select From Template section allows you to choose one of the predefined tables styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding etc. Depending on the options checked in the Rows and/or Columns sections above, the templates set will be displayed differently. For example, if you've checked the Header option in the Rows section and the Banded option in the Columns section, the displayed templates list will include only templates with the header row and banded columns enabled: The Borders Style section allows you to change the applied formatting that corresponds to the selected template. You can select the entire table or a certain cell range and set all the parameters manually. Border parameters - set the border width using the list (or choose the No borders option), select its Color in the available palettes and determine the way it will be displayed in the cells when clicking on the icons: Background color - select the color for the background within the selected cells. The Rows & Columns section allows you to perform the following operations: Select a row, column, cell (depending on the cursor position), or the entire table. Insert a new row above or below the selected one as well as a new column to the left or to the right of the selected one. Delete a row, column (depending on the cursor position or the selection), or the entire table. Merge Cells - to merge previously selected cells into a single one. Split Cell... - to split any previously selected cell into a certain number of rows and columns. This option opens the following window: Enter the Number of Columns and Number of Rows that the selected cell should be split into and press OK. Note: the options of the Rows & Columns section are also accessible from the right-click menu. The Cell Size section 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 are of equal height or Distribute columns so that all the selected cells are of equal width. The Distribute rows/columns options are also accessible from the right-click menu. Adjust table advanced settings To change the advanced table settings, click the table with the right mouse button and select the Table Advanced Settings option from the right-click menu or click the Show advanced settings link on the right sidebar. The table properties window will be opened: The Margins tab allows setting the space between the text within the cells and the cell border: enter necessary Cell Margins values manually, or check the Use default margins box to apply the predefined values (if necessary, they can also be adjusted). The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the table. To format the entered text within the table cells, you can use icons on the Home tab of the top toolbar. The right-click menu, which appears when you click the table with the right mouse button, includes two additional options: Cell vertical alignment - it allows you to set the preferred type of the text vertical alignment within the selected cells: Align Top, Align Center, or Align Bottom. Hyperlink - it allows you to insert a hyperlink into the selected cell." + "body": "Insert a table To insert a table into a slide in the Presentation Editor, select the slide where a table should be added, switch to the Insert tab of the top toolbar, click the Table icon on the top toolbar, select one of the following options to create a table: either a table with a predefined number of cells (10 x 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 a 10 x 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. if you want to insert a table as an OLE object: Select the Insert Spreadsheet option in the Table menu on the Insert tab. The corresponding window appears where you can enter the required data and format it using the Spreadsheet Editor formatting tools such as choosing font, type and style, setting number format, inserting functions, formatting tables etc. The header contains the Visible area button in the top right corner of the window. Choose the Edit Visible Area option to select the area that will be shown when the object is inserted into the presentation; other data is not lost, it is just hidden. Click Done when ready. Click the Show Visible Area button to see the selected area that will have a blue border. When ready, click the Save & Exit button. once the table is added, you can change its properties and position. You can also add a table into a text placeholder by pressing the Table icon within it and selecting the necessary number of cells or using the Insert Custom Table option: To resize a table, drag the handles situated on its edges 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 until the cursor turns into the bidirectional arrow and drag it up or down. You can specify the table position on the slide by dragging it vertically or horizontally. Note: to move around in a table, you can use keyboard shortcuts. It's also possible to add a table to a slide layout. To learn more, please refer to this article. Adjust table settings Most of the table properties as well as its structure can be altered by using the right sidebar. To activate it, click the table and choose the Table settings icon on the right. The Rows and Columns sections on the top allow you to emphasize certain rows/columns by applying a specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Header - emphasizes the topmost row in the table with special formatting. Total - emphasizes the bottommost row in the table with special formatting. Banded - enables the background color alternation for odd and even rows. First - emphasizes the leftmost column in the table with special formatting. Last - emphasizes the rightmost column in the table with special formatting. Banded - enables the background color alternation for odd and even columns. The Select From Template section allows you to choose one of the predefined tables styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding etc. Depending on the options checked in the Rows and/or Columns sections above, the templates set will be displayed differently. For example, if you've checked the Header option in the Rows section and the Banded option in the Columns section, the displayed templates list will include only templates with the header row and banded columns enabled: The Borders Style section allows you to change the applied formatting that corresponds to the selected template. You can select the entire table or a certain cell range and set all the parameters manually. Border parameters - set the border width using the list (or choose the No borders option), select its Color in the available palettes and determine the way it will be displayed in the cells when clicking on the icons: Background color - select the color for the background within the selected cells. The Rows & Columns section allows you to perform the following operations: Select a row, column, cell (depending on the cursor position), or the entire table. Insert a new row above or below the selected one as well as a new column to the left or to the right of the selected one. Delete a row, column (depending on the cursor position or the selection), or the entire table. Merge Cells - to merge previously selected cells into a single one. Split Cell... - to split any previously selected cell into a certain number of rows and columns. This option opens the following window: Enter the Number of Columns and Number of Rows that the selected cell should be split into and press OK. Note: the options of the Rows & Columns section are also accessible from the right-click menu. The Cell Size section 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 are of equal height or Distribute columns so that all the selected cells are of equal width. The Distribute rows/columns options are also accessible from the right-click menu. Adjust table advanced settings To change the advanced table settings, click the table with the right mouse button and select the Table Advanced Settings option from the right-click menu or click the Show advanced settings link on the right sidebar. The table properties window will be opened: The Placement tab allows you to set the following table properties: Size - use this option to change the table 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. Position - set the exact position using the Horizontal and Vertical fields, as well as the From field where you can access such settings as Top Left Corner and Center. The Margins tab allows setting the space between the text within the cells and the cell border: enter necessary Cell Margins values manually, or check the Use default margins box to apply the predefined values (if necessary, they can also be adjusted). The Alternative Text tab allows specifying the Title and Description which will be read to people with vision or cognitive impairments to help them better understand the contents of the table. To format the entered text within the table cells, you can use icons on the Home tab of the top toolbar. The right-click menu, which appears when you click the table with the right mouse button, includes two additional options: Cell vertical alignment - it allows you to set the preferred type of the text vertical alignment within the selected cells: Align Top, Align Center, or Align Bottom. Hyperlink - it allows you to insert a hyperlink into the selected cell." }, { "id": "UsageInstructions/InsertText.htm", @@ -210,10 +210,15 @@ var indexes = "title": "AutoCorrect Features", "body": "The AutoCorrect features in ONLYOFFICE Presentation Editor are used to automatically format text when detected or insert special math symbols by recognizing particular character usage. The available AutoCorrect options are listed in the corresponding dialog box. To access it, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options. The AutoCorrect dialog box consists of four tabs: Math Autocorrect, Recognized Functions, AutoFormat As You Type, and Text AutoCorrect. Math AutoCorrect When working with equations, you can insert a lot of symbols, accents and mathematical operation signs typing them on the keyboard instead of choosing a template from the gallery. In the equation editor, place the insertion point within the necessary placeholder, type a math autocorrect code, then press Spacebar. The entered code will be converted into the corresponding symbol, and the space will be eliminated. The codes are case sensitive. You can add, modify, restore, and remove autocorrect entries from the AutoCorrect list. Go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Math AutoCorrect. Adding an entry to the AutoCorrect list Enter the autocorrect code you want to use in the Replace box. Enter the symbol to be assigned to the code you entered in the By box. Click the Add button. Modifying an entry on the AutoCorrect list Select the entry to be modified. You can change the information in both fields: the code in the Replace box or the symbol in the By box. Click the Replace button. Removing entries from the AutoCorrect list Select an entry to remove from the list. Click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any autocorrect entry you added will be removed and the changed ones will be restored to their original values. To disable Math AutoCorrect and to avoid automatic changes and replacements, uncheck the Replace text as you type box. The table below contains all the currently supported codes available in the Presentation Editor. The full list of the supported codes can also be found on the File tab in the Advanced Settings... -> Spell checking -> Proofing section. The supported codes Code Symbol Category !! Symbols ... Dots :: Operators := Operators /< Relational operators /> Relational operators /= Relational operators \\above Above/Below scripts \\acute Accents \\aleph Hebrew letters \\alpha Greek letters \\Alpha Greek letters \\amalg Binary operators \\angle Geometry notation \\aoint Integrals \\approx Relational operators \\asmash Arrows \\ast Binary operators \\asymp Relational operators \\atop Operators \\bar Over/Underbar \\Bar Accents \\because Relational operators \\begin Delimiters \\below Above/Below scripts \\bet Hebrew letters \\beta Greek letters \\Beta Greek letters \\beth Hebrew letters \\bigcap Large operators \\bigcup Large operators \\bigodot Large operators \\bigoplus Large operators \\bigotimes Large operators \\bigsqcup Large operators \\biguplus Large operators \\bigvee Large operators \\bigwedge Large operators \\binomial Equations \\bot Logic notation \\bowtie Relational operators \\box Symbols \\boxdot Binary operators \\boxminus Binary operators \\boxplus Binary operators \\bra Delimiters \\break Symbols \\breve Accents \\bullet Binary operators \\cap Binary operators \\cbrt Square roots and radicals \\cases Symbols \\cdot Binary operators \\cdots Dots \\check Accents \\chi Greek letters \\Chi Greek letters \\circ Binary operators \\close Delimiters \\clubsuit Symbols \\coint Integrals \\cong Relational operators \\coprod Math operators \\cup Binary operators \\dalet Hebrew letters \\daleth Hebrew letters \\dashv Relational operators \\dd Double-struck letters \\Dd Double-struck letters \\ddddot Accents \\dddot Accents \\ddot Accents \\ddots Dots \\defeq Relational operators \\degc Symbols \\degf Symbols \\degree Symbols \\delta Greek letters \\Delta Greek letters \\Deltaeq Operators \\diamond Binary operators \\diamondsuit Symbols \\div Binary operators \\dot Accents \\doteq Relational operators \\dots Dots \\doublea Double-struck letters \\doubleA Double-struck letters \\doubleb Double-struck letters \\doubleB Double-struck letters \\doublec Double-struck letters \\doubleC Double-struck letters \\doubled Double-struck letters \\doubleD Double-struck letters \\doublee Double-struck letters \\doubleE Double-struck letters \\doublef Double-struck letters \\doubleF Double-struck letters \\doubleg Double-struck letters \\doubleG Double-struck letters \\doubleh Double-struck letters \\doubleH Double-struck letters \\doublei Double-struck letters \\doubleI Double-struck letters \\doublej Double-struck letters \\doubleJ Double-struck letters \\doublek Double-struck letters \\doubleK Double-struck letters \\doublel Double-struck letters \\doubleL Double-struck letters \\doublem Double-struck letters \\doubleM Double-struck letters \\doublen Double-struck letters \\doubleN Double-struck letters \\doubleo Double-struck letters \\doubleO Double-struck letters \\doublep Double-struck letters \\doubleP Double-struck letters \\doubleq Double-struck letters \\doubleQ Double-struck letters \\doubler Double-struck letters \\doubleR Double-struck letters \\doubles Double-struck letters \\doubleS Double-struck letters \\doublet Double-struck letters \\doubleT Double-struck letters \\doubleu Double-struck letters \\doubleU Double-struck letters \\doublev Double-struck letters \\doubleV Double-struck letters \\doublew Double-struck letters \\doubleW Double-struck letters \\doublex Double-struck letters \\doubleX Double-struck letters \\doubley Double-struck letters \\doubleY Double-struck letters \\doublez Double-struck letters \\doubleZ Double-struck letters \\downarrow Arrows \\Downarrow Arrows \\dsmash Arrows \\ee Double-struck letters \\ell Symbols \\emptyset Set notations \\emsp Space characters \\end Delimiters \\ensp Space characters \\epsilon Greek letters \\Epsilon Greek letters \\eqarray Symbols \\equiv Relational operators \\eta Greek letters \\Eta Greek letters \\exists Logic notations \\forall Logic notations \\fraktura Fraktur letters \\frakturA Fraktur letters \\frakturb Fraktur letters \\frakturB Fraktur letters \\frakturc Fraktur letters \\frakturC Fraktur letters \\frakturd Fraktur letters \\frakturD Fraktur letters \\frakture Fraktur letters \\frakturE Fraktur letters \\frakturf Fraktur letters \\frakturF Fraktur letters \\frakturg Fraktur letters \\frakturG Fraktur letters \\frakturh Fraktur letters \\frakturH Fraktur letters \\frakturi Fraktur letters \\frakturI Fraktur letters \\frakturk Fraktur letters \\frakturK Fraktur letters \\frakturl Fraktur letters \\frakturL Fraktur letters \\frakturm Fraktur letters \\frakturM Fraktur letters \\frakturn Fraktur letters \\frakturN Fraktur letters \\frakturo Fraktur letters \\frakturO Fraktur letters \\frakturp Fraktur letters \\frakturP Fraktur letters \\frakturq Fraktur letters \\frakturQ Fraktur letters \\frakturr Fraktur letters \\frakturR Fraktur letters \\frakturs Fraktur letters \\frakturS Fraktur letters \\frakturt Fraktur letters \\frakturT Fraktur letters \\frakturu Fraktur letters \\frakturU Fraktur letters \\frakturv Fraktur letters \\frakturV Fraktur letters \\frakturw Fraktur letters \\frakturW Fraktur letters \\frakturx Fraktur letters \\frakturX Fraktur letters \\fraktury Fraktur letters \\frakturY Fraktur letters \\frakturz Fraktur letters \\frakturZ Fraktur letters \\frown Relational operators \\funcapply Binary operators \\G Greek letters \\gamma Greek letters \\Gamma Greek letters \\ge Relational operators \\geq Relational operators \\gets Arrows \\gg Relational operators \\gimel Hebrew letters \\grave Accents \\hairsp Space characters \\hat Accents \\hbar Symbols \\heartsuit Symbols \\hookleftarrow Arrows \\hookrightarrow Arrows \\hphantom Arrows \\hsmash Arrows \\hvec Accents \\identitymatrix Matrices \\ii Double-struck letters \\iiint Integrals \\iint Integrals \\iiiint Integrals \\Im Symbols \\imath Symbols \\in Relational operators \\inc Symbols \\infty Symbols \\int Integrals \\integral Integrals \\iota Greek letters \\Iota Greek letters \\itimes Math operators \\j Symbols \\jj Double-struck letters \\jmath Symbols \\kappa Greek letters \\Kappa Greek letters \\ket Delimiters \\lambda Greek letters \\Lambda Greek letters \\langle Delimiters \\lbbrack Delimiters \\lbrace Delimiters \\lbrack Delimiters \\lceil Delimiters \\ldiv Fraction slashes \\ldivide Fraction slashes \\ldots Dots \\le Relational operators \\left Delimiters \\leftarrow Arrows \\Leftarrow Arrows \\leftharpoondown Arrows \\leftharpoonup Arrows \\leftrightarrow Arrows \\Leftrightarrow Arrows \\leq Relational operators \\lfloor Delimiters \\lhvec Accents \\limit Limits \\ll Relational operators \\lmoust Delimiters \\Longleftarrow Arrows \\Longleftrightarrow Arrows \\Longrightarrow Arrows \\lrhar Arrows \\lvec Accents \\mapsto Arrows \\matrix Matrices \\medsp Space characters \\mid Relational operators \\middle Symbols \\models Relational operators \\mp Binary operators \\mu Greek letters \\Mu Greek letters \\nabla Symbols \\naryand Operators \\nbsp Space characters \\ne Relational operators \\nearrow Arrows \\neq Relational operators \\ni Relational operators \\norm Delimiters \\notcontain Relational operators \\notelement Relational operators \\notin Relational operators \\nu Greek letters \\Nu Greek letters \\nwarrow Arrows \\o Greek letters \\O Greek letters \\odot Binary operators \\of Operators \\oiiint Integrals \\oiint Integrals \\oint Integrals \\omega Greek letters \\Omega Greek letters \\ominus Binary operators \\open Delimiters \\oplus Binary operators \\otimes Binary operators \\over Delimiters \\overbar Accents \\overbrace Accents \\overbracket Accents \\overline Accents \\overparen Accents \\overshell Accents \\parallel Geometry notation \\partial Symbols \\pmatrix Matrices \\perp Geometry notation \\phantom Symbols \\phi Greek letters \\Phi Greek letters \\pi Greek letters \\Pi Greek letters \\pm Binary operators \\pppprime Primes \\ppprime Primes \\pprime Primes \\prec Relational operators \\preceq Relational operators \\prime Primes \\prod Math operators \\propto Relational operators \\psi Greek letters \\Psi Greek letters \\qdrt Square roots and radicals \\quadratic Square roots and radicals \\rangle Delimiters \\Rangle Delimiters \\ratio Relational operators \\rbrace Delimiters \\rbrack Delimiters \\Rbrack Delimiters \\rceil Delimiters \\rddots Dots \\Re Symbols \\rect Symbols \\rfloor Delimiters \\rho Greek letters \\Rho Greek letters \\rhvec Accents \\right Delimiters \\rightarrow Arrows \\Rightarrow Arrows \\rightharpoondown Arrows \\rightharpoonup Arrows \\rmoust Delimiters \\root Symbols \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Fraction slashes \\sdivide Fraction slashes \\searrow Arrows \\setminus Binary operators \\sigma Greek letters \\Sigma Greek letters \\sim Relational operators \\simeq Relational operators \\smash Arrows \\smile Relational operators \\spadesuit Symbols \\sqcap Binary operators \\sqcup Binary operators \\sqrt Square roots and radicals \\sqsubseteq Set notation \\sqsuperseteq Set notation \\star Binary operators \\subset Set notation \\subseteq Set notation \\succ Relational operators \\succeq Relational operators \\sum Math operators \\superset Set notation \\superseteq Set notation \\swarrow Arrows \\tau Greek letters \\Tau Greek letters \\therefore Relational operators \\theta Greek letters \\Theta Greek letters \\thicksp Space characters \\thinsp Space characters \\tilde Accents \\times Binary operators \\to Arrows \\top Logic notation \\tvec Arrows \\ubar Accents \\Ubar Accents \\underbar Accents \\underbrace Accents \\underbracket Accents \\underline Accents \\underparen Accents \\uparrow Arrows \\Uparrow Arrows \\updownarrow Arrows \\Updownarrow Arrows \\uplus Binary operators \\upsilon Greek letters \\Upsilon Greek letters \\varepsilon Greek letters \\varphi Greek letters \\varpi Greek letters \\varrho Greek letters \\varsigma Greek letters \\vartheta Greek letters \\vbar Delimiters \\vdash Relational operators \\vdots Dots \\vec Accents \\vee Binary operators \\vert Delimiters \\Vert Delimiters \\Vmatrix Matrices \\vphantom Arrows \\vthicksp Space characters \\wedge Binary operators \\wp Symbols \\wr Binary operators \\xi Greek letters \\Xi Greek letters \\zeta Greek letters \\Zeta Greek letters \\zwnj Space characters \\zwsp Space characters ~= Relational operators -+ Binary operators +- Binary operators << Relational operators <= Relational operators -> Arrows >= Relational operators >> Relational operators Recognized Functions In this tab, you will find the list of math expressions that will be recognized by the Equation editor as functions and therefore will not be automatically italicized. For the list of recognized functions go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Recognized Functions. To add an entry to the list of recognized functions, enter the function in the blank field and click the Add button. To remove an entry from the list of recognized functions, select the function to be removed and click the Delete button. To restore the previously deleted entries, select the entry to be restored from the list and click the Restore button. Use the Reset to default button to restore default settings. Any function you added will be removed and the removed ones will be restored. AutoFormat as You Type By default, the editor formats the text while you are typing according to the auto-formatting presets: replaces quotation marks, converts hyphens to dashes, converts text recognized as internet or network path into a hyperlink, starts a bullet list or a numbered list when a list is detected. The Add period with double-space option allows to add a period when you double tap the spacebar. Enable or disable it as appropriate.By default, this option is disabled for Linux and Windows, and is enabled for macOS. To enable or disable the auto-formatting presets, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Text AutoCorrect You can set the editor to capitalize the first word of each sentence automatically. The option is enabled by default. To disable this option, go to the File tab -> Advanced Settings -> Proofing -> AutoCorrect Options -> Text AutoCorrect and uncheck the Capitalize first letter of sentences option." }, + { + "id": "UsageInstructions/MotionPath.htm", + "title": "Creating a motion path animation", + "body": "Motion path is a part of the animation gallery effects that determines the movement of an object and the path it follows. The icons in the gallery represent the suggested path. The animation gallery is available on the Animation tab at the top toolbar. Applying a motion path animation effect switch to the Animation tab on the top toolbar, select a text, an object or a graphic element you want to apply the animation effect to, select one of the premade motion path patterns from the Motion Paths section in the animations gallery (Lines, Arcs, etc.), or choose the Custom Path option if you want to create a path of your own. You can preview animation effects on the current slide. By default, animation effects will play automatically when you add them to a slide but you can turn it off. Click the Preview drop-down on the Animation tab, and select a preview mode: Preview to show a preview when you click the Preview button, AutoPreview to show a preview automatically when you add an animation to a slide or replace an existing one. Adding a custom path animation effect To draw a custom path, Click the object you want to give a custom path animation to. Mark the path points with the left mouse button. One click with a left mouse button will draw a line, while holding the left mouse button allows you to make any curve you want. The starting point of the path will be marked with a green directional arrow, the ending point will be a red one. When ready, click the left mouse button twice or press the Esc button to stop drawing your path. Editing motion path points To edit the motion path points, select the path object, click with the right mouse button to open the context menu and choose the Edit Points option. Drag the black squares to adjust the position of the nodes of the path points; drag the white squares to adjust the direction at the entry and exit points of the node. Press Esc or anywhere outside the path object to exit the editing mode. You can scale the motion path by clicking it and dragging the square points at the edges of the object." + }, { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Create a new presentation or open an existing one", - "body": "In the Presentation Editor, you can open a recently edited presentation, create a new one, or return to the list of existing presentations. 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 (POTX), ODP, OTP, 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 on 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 on 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." + "body": "In the Presentation Editor, you can open a recently edited presentation, rename it, create a new one, or return to the list of existing presentations. 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 (POTX), ODP, OTP, 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 on 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 on the left sidebar, choose the presentation you need from the list of recently edited documents. To rename an opened presentation In the online editor click the presentation name at the top of the page, enter a new presentation name, press Enter to accept the changes. 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/PhotoEditor.htm", @@ -228,7 +233,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Save/print/download your presentation", - "body": "Saving By default, the online Presentation Editor automatically saves your file every 2 seconds when you are working on it preventing your data loss if the program closes unexpectedly. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if there are any. When the file is co-edited in the Strict mode, changes are automatically saved within 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 on the left side 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. In the desktop version, to prevent data loss if the program closes unexpectedly, you can turn on the Autorecover option on the Advanced Settings page. In the desktop version, you can save the presentation under a different 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, PDF/A, PNG, JPG. You can also choose the Рresentation template (POTX or OTP) option. Downloading In the online version, you can download the resulting presentation onto the hard disk drive of your computer, 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, PNG, JPG. 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, PNG, JPG. select a location of the file on the portal and press Save. Printing To print out the current presentation, click the Print icon on the left side 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 Firefox browser enables printing without downloading the document as a .pdf file first. It's also possible to print the selected slides using the Print Selection option from the contextual menu both in the Edit and View modes (Right Mouse Button Click on the selected slides and choose option Print selection). In the desktop version, the file will be printed directly. In the online version, a PDF file based on your presentation will be generated. You can open and print it out, or save onto the hard disk drive of your computer or a removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing." + "body": "Saving By default, the online Presentation Editor automatically saves your file every 2 seconds when you are working on it preventing your data loss if the program closes unexpectedly. If you co-edit the file in the Fast mode, the timer requests for updates 25 times a second and saves the changes if there are any. When the file is co-edited in the Strict mode, changes are automatically saved within 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 on the left side 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. In the desktop version, to prevent data loss if the program closes unexpectedly, you can turn on the Autorecover option on the Advanced Settings page. In the desktop version, you can save the presentation under a different 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, PDF/A, PNG, JPG. You can also choose the Рresentation template (POTX or OTP) option. Downloading In the online version, you can download the resulting presentation onto the hard disk drive of your computer, 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, PNG, JPG. 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, PNG, JPG. select a location of the file on the portal and press Save. Printing To print out the current presentation, click the Print icon on the left side 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 Firefox browser enables printing without downloading the document as a .pdf file first. It's also possible to print the selected slides using the Print Selection option from the contextual menu both in the Edit and View modes (Right Mouse Button Click on the selected slides and choose option Print selection). In the desktop version, the file will be printed directly. In the online version, a PDF file based on your presentation will be generated. You can open and print it out, or save onto the hard disk drive of your computer or a removable medium to print it out later. Some browsers (e.g. Chrome and Opera) support direct printing." }, { "id": "UsageInstructions/SetSlideParameters.htm", @@ -253,7 +258,7 @@ var indexes = { "id": "UsageInstructions/ViewPresentationInfo.htm", "title": "View the information about your presentation", - "body": "To access the detailed information about the currently edited presentation in the Presentation Editor, click the File tab of the top toolbar and select the Presentation Info option. General Information The presentation information includes a number of file properties which describe the presentation. Some of these properties are updated automatically, and some of them can be edited. Location - the folder in the Documents module where the file is stored. Owner - the name of the user who has created the file. Uploaded - the date and time when the file has been created. These properties are available in the online version only. Title, Subject, Comment - these properties allow you to simplify the classification of your presentations. You can specify the necessary text in the properties fields. Last Modified - the date and time when the file was last modified. Last Modified By - the name of the user who has made the latest change to the presentation if it was shared and can be edited by several users. Application - the application the presentation was created with. Author - the person who has created the file. You can enter the necessary name in this field. Press Enter to add a new field that allows you to specify one more author. If you changed the file properties, click the Apply button to apply the changes. 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. This option is not available for users with the Read Only permissions. To find out who has the rights to view or edit the presentation, select the Access Rights... option on 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. This option is not available for users with the Read Only permissions. To view all the changes made to this presentation, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon on the Collaboration tab of the top toolbar. You'll see the list of this presentation versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For presentation 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 on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the current version of the presentation, use the Close History option on the top of the version list. 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 in the Presentation Editor, click the File tab of the top toolbar and select the Presentation Info option. General Information The presentation information includes a number of file properties which describe the presentation. Some of these properties are updated automatically, and some of them can be edited. Location - the folder in the Documents module where the file is stored. Owner - the name of the user who has created the file. Uploaded - the date and time when the file has been created. These properties are available in the online version only. Title, Subject, Comment - these properties allow you to simplify the classification of your presentations. You can specify the necessary text in the properties fields. Last Modified - the date and time when the file was last modified. Last Modified By - the name of the user who has made the latest change to the presentation if it was shared and can be edited by several users. Application - the application the presentation was created with. Author - the person who has created the file. You can enter the necessary name in this field. Press Enter to add a new field that allows you to specify one more author. If you changed the file properties, click the Apply button to apply the changes. 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. This option is not available for users with the Read Only permissions. To find out who has the rights to view or edit the presentation, select the Access Rights... option on 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. This option is not available for users with the Read Only permissions. To view all the changes made to this presentation, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon on the Collaboration tab of the top toolbar. You'll see the list of this presentation versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For presentation 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 on the left sidebar. The changes made by the version/revision author are marked with the color which is displayed next to the author's name on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the current version of the presentation, use the Close History option on the top of the version list. To close the File pane and return to presentation editing, select the Close Menu option." }, { "id": "UsageInstructions/YouTube.htm", diff --git a/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm index e14a22318..d415f5105 100644 --- a/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm @@ -16,64 +16,98 @@

    Formatos compatibles de presentaciones electrónicas

    La presentación es un conjunto de diapositivas que puede incluir distintos tipos de contenido por como imágenes, archivos multimedia, texto, efectos etc. El editor de presentaciones es compatible con los siguientes formatos de presentaciones:

    - +

    Mientras usted sube o abra el archivo para edición, se convertirá al formato Office Open XML (PPTX). Se hace para acelerar el procesamiento de archivos y aumentar la interoperabilidad.

    +

    La siguiente tabla contiene los formatos que pueden abrirse para su visualización y/o edición.

    +
    - - - + + + + - - - + + + - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + - - - - + + + + + - - - - - - -
    Formatos DescripciónVerEditarDescargarVer de forma nativaVer después de la conversión a OOXMLEditar de forma nativaEditar después de la conversión a OOXML
    PPTFormato de archivo usado por Microsoft PowerPoint+ODPPresentación OpenDocument
    El formato que representa un documento de presentación creado por la aplicación Impress, que es parte de las oficinas suites basadas en OpenOffice
    +
    PPTXPresentación Office Open XML
    El formato de archivo comprimido, basado en XML desarrollado por Microsoft para representación de hojas de cálculo, gráficos, presentaciones, y documentos de procesamiento de texto
    +++
    POTXPlantilla de documento PowerPoint Open XML
    Formato de archivo comprimido, basado en XML, desarrollado por Microsoft para plantillas de presentación. Una plantilla DOTX contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples presentaciones con el mismo formato.
    ++ +
    ODPPresentación OpenDocument
    El formato que representa un documento de presentación creado por la aplicación Impress, que es parte de las oficinas suites basadas en OpenOffice
    +++
    OTP Plantilla de presentaciones OpenDocument
    Formato de archivo OpenDocument para plantillas de presentación. Una plantilla OTP contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples presentaciones con el mismo formato.
    + +
    POTXPlantilla de documento PowerPoint Open XML
    Formato de archivo comprimido, basado en XML, desarrollado por Microsoft para plantillas de presentación. Una plantilla DOTX contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples presentaciones con el mismo formato.
    ++
    PPSXMicrosoft PowerPoint Slide Show
    Formato de archivo de presentación utilizado para la reproducción de presentaciones de diapositivas
    ++
    PPTFormato de archivo usado por Microsoft PowerPoint+ +
    PDFFormato de documento portátil
    Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos
    PPTXPresentación Office Open XML
    El formato de archivo comprimido, basado en XML desarrollado por Microsoft para representación de hojas de cálculo, gráficos, presentaciones, y documentos de procesamiento de texto
    ++
    PDFFormato de documento portátil / A
    Una versión ISO estandarizada del Formato de Documento Portátil (PDF por sus siglas en inglés) especializada para su uso en el archivo y la preservación a largo plazo de documentos electrónicos.
    +
    +

    La siguiente tabla contiene los formatos en los que se puede descargar una presentación desde el menú Archivo -> Descargar como.

    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    Formato de entradaPuede descargarse como
    ODPJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    OTPJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    POTXJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    PPSXJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    PPTJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    PPTXJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    +

    También puede consultar la matriz de conversión en la página web api.onlyoffice.com para ver la posibilidad de convertir sus presentaciones a los formatos de archivo más conocidos.

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/Contents.json b/apps/presentationeditor/main/resources/help/fr/Contents.json index 5099e473e..71e7c0e83 100644 --- a/apps/presentationeditor/main/resources/help/fr/Contents.json +++ b/apps/presentationeditor/main/resources/help/fr/Contents.json @@ -1,161 +1,55 @@ [ - { - "src": "ProgramInterface/ProgramInterface.htm", - "name": "Présentation de l'interface utilisateur de Presentation Editor", - "headername": "Interface du programme" - }, - { - "src": "ProgramInterface/FileTab.htm", - "name": "Onglet Fichier" - }, - { - "src": "ProgramInterface/HomeTab.htm", - "name": "Onglet Accueil" - }, - { - "src": "ProgramInterface/InsertTab.htm", - "name": "Onglet Insertion" - }, - {"src": "ProgramInterface/TransitionsTab.htm", "name": "Onglet Transitions" }, - {"src": "ProgramInterface/AnimationTab.htm", "name": "Onglet Animation" }, - { - "src": "ProgramInterface/CollaborationTab.htm", - "name": "Onglet Collaboration" - }, + {"src": "ProgramInterface/ProgramInterface.htm", "name": "Présentation de l'interface utilisateur de Presentation Editor", "headername": "Interface du programme"}, + {"src": "ProgramInterface/FileTab.htm", "name": "Onglet Fichier"}, + {"src": "ProgramInterface/HomeTab.htm", "name": "Onglet Accueil"}, + {"src": "ProgramInterface/InsertTab.htm", "name": "Onglet Insertion"}, + {"src": "ProgramInterface/TransitionsTab.htm", "name": "Onglet Transitions"}, + {"src": "ProgramInterface/AnimationTab.htm", "name": "Onglet Animation"}, + {"src": "ProgramInterface/CollaborationTab.htm", "name": "Onglet Collaboration"}, {"src": "ProgramInterface/ViewTab.htm", "name": "Onglet Affichage"}, - { - "src": "ProgramInterface/PluginsTab.htm", - "name": "Onglet Modules complémentaires" - }, - { - "src": "UsageInstructions/OpenCreateNew.htm", - "name": "Créer une nouvelle présentation ou ouvrir une présentation existante", - "headername": "Opérations de base" - }, - { - "src": "UsageInstructions/CopyPasteUndoRedo.htm", - "name": "Copier/coller les données, annuler/rétablir vos actions" - }, - { - "src": "UsageInstructions/ManageSlides.htm", - "name": "Gérer des diapositives", - "headername": "Travailler avec des diapositives" - }, - { - "src": "UsageInstructions/SetSlideParameters.htm", - "name": "Définir les paramètres de la diapositive" - }, - { - "src": "UsageInstructions/ApplyTransitions.htm", - "name": "Appliquer des transitions" - }, + {"src": "ProgramInterface/PluginsTab.htm", "name": "Onglet Modules complémentaires"}, + {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Créer une nouvelle présentation ou ouvrir une présentation existante", "headername": "Opérations de base"}, + {"src": "UsageInstructions/CopyPasteUndoRedo.htm", "name": "Copier/coller les données, annuler/rétablir vos actions"}, + {"src": "UsageInstructions/ManageSlides.htm", "name": "Gérer des diapositives", "headername": "Travailler avec des diapositives"}, + {"src": "UsageInstructions/SetSlideParameters.htm", "name": "Définir les paramètres de la diapositive"}, + {"src": "UsageInstructions/ApplyTransitions.htm", "name": "Appliquer des transitions"}, {"src": "UsageInstructions/InsertHeadersFooters.htm", "name": "Insert footers"}, - { - "src": "UsageInstructions/PreviewPresentation.htm", - "name": "Aperçu de la présentation" - }, - { - "src": "UsageInstructions/InsertText.htm", - "name": "Insérer et mettre en forme votre texte", - "headername": "Mise en forme du texte" - }, - { - "src": "UsageInstructions/AddHyperlinks.htm", - "name": "Ajouter des liens hypertextes" - }, - { - "src": "UsageInstructions/CreateLists.htm", - "name": "Créer des listes" - }, - { - "src": "UsageInstructions/CopyClearFormatting.htm", - "name": "Copier/effacer la mise en forme" - }, - { - "src": "UsageInstructions/InsertAutoshapes.htm", - "name": "Insérer et mettre en forme des formes automatiques", - "headername": "Opérations sur les objets" - }, - { - "src": "UsageInstructions/InsertImages.htm", - "name": "Insérer et modifier des images" - }, - { - "src": "UsageInstructions/InsertCharts.htm", - "name": "Insérer et modifier des graphiques" - }, - { - "src": "UsageInstructions/InsertTables.htm", - "name": "Insérer et mettre en forme des tableaux" - }, - {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Prise en charge des graphiques SmartArt" }, - {"src": "UsageInstructions/AddingAnimations.htm", "name": "Ajouter des animations" }, - { "src": "UsageInstructions/InsertSymbols.htm", "name": "Insérer des symboles et des caractères" }, - { - "src": "UsageInstructions/FillObjectsSelectColor.htm", - "name": "Remplir des objets et sélectionner des couleurs" - }, - { - "src": "UsageInstructions/ManipulateObjects.htm", - "name": "Manipuler des objets" - }, - { - "src": "UsageInstructions/AlignArrangeObjects.htm", - "name": "Aligner et organiser des objets dans une diapositive" - }, - { - "src": "UsageInstructions/InsertEquation.htm", - "name": "Insérer des équations", - "headername": "Équations mathématiques" - }, - { - "src": "HelpfulHints/CollaborativeEditing.htm", - "name": "Édition collaborative des présentations", - "headername": "Co-édition des présentations" - }, + {"src": "UsageInstructions/PreviewPresentation.htm", "name": "Aperçu de la présentation"}, + {"src": "UsageInstructions/InsertText.htm", "name": "Insérer et mettre en forme votre texte", "headername": "Mise en forme du texte"}, + {"src": "UsageInstructions/AddHyperlinks.htm", "name": "Ajouter des liens hypertextes"}, + {"src": "UsageInstructions/CreateLists.htm", "name": "Créer des listes"}, + {"src": "UsageInstructions/CopyClearFormatting.htm", "name": "Copier/effacer la mise en forme"}, + {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Insérer et mettre en forme des formes automatiques", "headername": "Opérations sur les objets"}, + {"src": "UsageInstructions/InsertImages.htm", "name": "Insérer et modifier des images"}, + {"src": "UsageInstructions/InsertCharts.htm", "name": "Insérer et modifier des graphiques"}, + {"src": "UsageInstructions/InsertTables.htm", "name": "Insérer et mettre en forme des tableaux"}, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Prise en charge des graphiques SmartArt"}, + {"src": "UsageInstructions/AddingAnimations.htm", "name": "Ajouter des animations"}, + {"src": "UsageInstructions/MotionPath.htm", "name": "Créer une animation de trajectoire de mouvement"}, + {"src": "UsageInstructions/InsertSymbols.htm", "name": "Insérer des symboles et des caractères"}, + {"src": "UsageInstructions/FillObjectsSelectColor.htm", "name": "Remplir des objets et sélectionner des couleurs"}, + {"src": "UsageInstructions/ManipulateObjects.htm", "name": "Manipuler des objets"}, + {"src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Aligner et organiser des objets dans une diapositive"}, + {"src": "UsageInstructions/InsertEquation.htm", "name": "Insérer des équations", "headername": "Équations mathématiques"}, + {"src": "HelpfulHints/CollaborativeEditing.htm", "name": "Édition collaborative des présentations", "headername": "Co-édition des présentations"}, + {"src": "HelpfulHints/UsingChat.htm", "name": "Communiquer en temps réel"}, + { "src": "HelpfulHints/Commenting.htm", "name": "Commentaires" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Historique des versions" }, {"src": "UsageInstructions/PhotoEditor.htm", "name": "Modification d'une image", "headername": "Plugins"}, {"src": "UsageInstructions/YouTube.htm", "name": "Insérer une vidéo" }, {"src": "UsageInstructions/HighlightedCode.htm", "name": "Insérer le code en surbrillance" }, {"src": "UsageInstructions/Translator.htm", "name": "Traduire un texte" }, {"src": "UsageInstructions/Thesaurus.htm", "name": "Remplacer un mot par synonyme" }, - { - "src": "UsageInstructions/ViewPresentationInfo.htm", - "name": "Afficher les informations sur la présentation", - "headername": "Outils et paramètres" - }, - { - "src": "UsageInstructions/SavePrintDownload.htm", - "name": "Enregistrer/imprimer/télécharger votre présentation" - }, - { - "src": "HelpfulHints/AdvancedSettings.htm", - "name": "Paramètres avancés de Presentation Editor" - }, - { - "src": "HelpfulHints/Navigation.htm", - "name": "Paramètres d'affichage et outils de navigation" - }, - { - "src": "HelpfulHints/Search.htm", - "name": "Fonction de recherche" - }, - { - "src": "HelpfulHints/SpellChecking.htm", - "name": "Vérification de l'orthographe" - }, - { "src": "UsageInstructions/MathAutoCorrect.htm", "name": "Fonctionnalités de correction automatique" }, + {"src": "UsageInstructions/CommunicationPlugins.htm", "name": "Communiquer lors de l'édition"}, + {"src": "UsageInstructions/ViewPresentationInfo.htm", "name": "Afficher les informations sur la présentation", "headername": "Outils et paramètres"}, + {"src": "UsageInstructions/SavePrintDownload.htm", "name": "Enregistrer/imprimer/télécharger votre présentation"}, + {"src": "HelpfulHints/AdvancedSettings.htm", "name": "Paramètres avancés de Presentation Editor"}, + {"src": "HelpfulHints/Navigation.htm", "name": "Paramètres d'affichage et outils de navigation"}, + {"src": "HelpfulHints/Search.htm", "name": "Fonction de recherche"}, + {"src": "HelpfulHints/SpellChecking.htm", "name": "Vérification de l'orthographe"}, + {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Fonctionnalités de correction automatique"}, {"src": "HelpfulHints/Password.htm", "name": "Protéger une présentation avec un mot de passe"}, - { - "src": "HelpfulHints/About.htm", - "name": "A propos de Presentation Editor", - "headername": "Astuces utiles" - }, - { - "src": "HelpfulHints/SupportedFormats.htm", - "name": "Formats des présentations électroniques pris en charge" - }, - { - "src": "HelpfulHints/KeyboardShortcuts.htm", - "name": "Raccourcis clavier" - } + {"src": "HelpfulHints/About.htm", "name": "A propos de Presentation Editor", "headername": "Astuces utiles"}, + {"src": "HelpfulHints/SupportedFormats.htm", "name": "Formats des présentations électroniques pris en charge"}, + {"src": "HelpfulHints/KeyboardShortcuts.htm", "name": "Raccourcis clavier"} ] \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm index f4d6e53d6..07eb0eba0 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/About.htm @@ -1,9 +1,9 @@  - À propos de Presentation Editor + À propos de l'Éditeur de Présentations - + @@ -14,10 +14,13 @@
    -

    À propos de Presentation Editor

    -

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

    -

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

    -

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

    +

    À propos de l'Éditeur de Présentations

    +

    Éditeur de Présentations est une application en ligne qui vous permet de parcourir + et de modifier des présentations dans votre navigateur.

    +

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

    +

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

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index 3095d5d2c..9d814d66f 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -1,9 +1,9 @@  - Paramètres avancés de Presentation Editor + Paramètres avancés de l'Éditeur de Présentations - + @@ -14,68 +14,87 @@
    -

    Paramètres avancés de Presentation Editor

    -

    Presentation 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 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:

    - -

    Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer.

    - + +

    Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer.

    + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index 3e6e21fc8..765419ffd 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -1,9 +1,9 @@  - Édition collaborative des présentations + Collaborer sur une présentation en temps réel - + @@ -12,107 +12,26 @@
    - +
    -

    Édition collaborative des présentations

    -

    Presentation Editor vous offre la possibilité de travailler sur une présentation simultanément avec d'autres utilisateurs. Cette fonction inclut:

    - -
    -

    Connexion à la version en ligne

    -

    Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte.

    -
    -
    -

    Édition collaborative

    -

    Presentation Editor permet de sélectionner l'un des deux modes de co-édition disponibles:

    - -

    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:

    -

    Menu Mode de co-édition

    -

    - Remarque: lorsque vous co-éditez une présentation en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. -

    -

    Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés sont marqués avec des lignes pointillées de couleurs différentes. Le contour de l'objet modifié est en ligne pointillée. Les lignes pointillées rouges indiquent des objets qui sont en train d'être édité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 la présentation actuelle est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, 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 vous permettant de gérer les utilisateurs qui ont accès au fichier directement à partir de la présentation: inviter de nouveaux utilisateurs leur donnant les permissions de modifier, lire, commenter, 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 Enregistrer dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à contrôler ce qui a été exactement modifié.

    -

    Utilisateurs anonymes

    -

    Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci.

    -

    Collaboration anonyme

    -

    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.

    -

    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:

    -
      -
    1. - 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
      , -
    2. -
    3. saisissez le texte dans le champ correspondant,
    4. -
    5. cliquez sur le bouton Envoyer.
    6. -
    -

    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

    -

    Il est possible de travailler avec des commentaires en mode hors ligne, sans se connecter à la version en ligne.

    -

    Pour laisser un commentaire sur un objet (zone de texte, forme etc.):

    -
      -
    1. sélectionnez l'objet où vous pensez qu'il y a une erreur ou un problème,
    2. -
    3. - 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 le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel,
      -
    4. -
    5. saisissez le texte nécessaire,
    6. -
    7. cliquez sur le bouton Ajouter commentaire/Ajouter.
    8. -
    -

    L'objet que vous commenter 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 Commentaires 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érence au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

    -

    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.

    -

    Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires:

    - -

    Ajouter les mentions

    -

    Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions.

    -

    Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk.

    -

    Ajoutez une mention en tapant le signe + ou @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez les premières lettres du prénom de la personne, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK.

    -

    La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé.

    -

    Pour supprimer les commentaires,

    -
      -
    1. appuyez sur le bouton
      Supprimer sous l'onglet Collaboration dans la barre d'outils en haut,
    2. -
    3. - sélectionnez l'option convenable du menu: -
        -
      • Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi.
      • -
      • Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi.
      • -
      • Supprimer tous les commentaires sert à supprimer tous les commentaires de la présentation.
      • -
      -
    4. -
    -

    Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une fois.

    +

    Collaborer sur une présentation en temps réel

    +

    Éditeur de Présentations permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments de la présentation nécessitant la participation d'une tierce personne, sauvegarder des versions de la présentation pour une utilisation ultérieure.

    +

    Dans l'Éditeur de Présentations il y a deux modes de collaborer sur des présentations en temps réel : Rapide et Strict.

    +

    Vous pouvez basculer entre les modes depuis 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 :

    +

    Menu Mode de co-édition

    +

    Le nombre d'utilisateurs qui travaillent sur la présentation actuelle est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

    +

    Mode Rapide

    +

    Le mode Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Lorsque vous co-éditez une présentation en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Ce mode affichera les actions et les noms des co-auteurs. Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets 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.

    +

    Mode Strict

    +

    Le mode Strict est sélectionné pour masquer les modifications d'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.

    +

    Lorsqu'une présentation est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les objets modifiés sont marqués avec des lignes pointillées de couleurs différentes. Le contour de l'objet modifié est en ligne pointillée. Les lignes pointillées rouges indiquent des objets qui sont en train d'être édités par d'autres utilisateurs.

    +

    Dès que l'un des utilisateurs sauvegarde 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 modifications apportées et récupérer les mises à jour de vos co-auteurs 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 à contrôler ce qui a été exactement modifié.

    +

    Mode Live Viewer

    +

    Le mode Live Viewer est utilisé pour voir les modifications apportées par les autres utilisateurs en temps réel lorsque la présentation est ouverte par un utilisateur ayant les droits d'accès Lecture seule.

    +

    Pour le bon fonctionnement du mode assurez-vous que la case à cocher Afficher les modifications apportées par d'autres utilisateurs est active dans les Paramètres avancés de l'éditeur.

    +

    Utilisateurs anonymes

    +

    Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas du profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur des documents. Pour affecter le nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option "Ne plus poser cette question" pour enregistrer ce nom-ci.

    +

    Collaboration anonyme

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Commenting.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..d7d734867 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/Commenting.htm @@ -0,0 +1,81 @@ + + + + Commentaires + + + + + + + + +
    +
    + +
    +

    Commentaires

    +

    Éditeur de Présentations permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et dossiers,, collaborer sur présentations en temps réel, communiquer directement depuis l'éditeur, sauvegarder des versions de la présentation pour une utilisation ultérieure.

    +

    Dans l'Éditeur de Présentations vous pouvez laisser les commentaires pour le contenue de présentations sans le modifier. Contrairement au messages de chat, les commentaires sont stockés jusqu'à ce que vous décidiez de les supprimer.

    +

    Laisser et répondre aux commentaires

    +

    Pour laisser un commentaire sur un objet (zone de texte, forme etc.) :

    +
      +
    1. sélectionnez l'objet où vous pensez qu'il y a une erreur ou un problème,
    2. +
    3. + passez à l'onglet Insertion ou Collaboration sur la barre d'outils supérieure et cliquer sur le
      bouton Commentaires ou
      + faites un clic droit sur l'objet et sélectionnez Ajouter un commentaire dans le menu,
      +
    4. +
    5. saisissez le texte nécessaire,
    6. +
    7. cliquez sur le bouton Ajouter commentaire/Ajouter.
    8. +
    +

    L'objet que vous commenter sera marqué par l'icône . Pour lire le commentaire, il suffit de cliquer sur cette icône.

    +

    Pour ajouter un commentaire à une diapositive, sélectionnez la diapositive et utilisez le bouton Commentaires sous 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 sont affichés sur le panneau Commentaires. Les commentaires relatifs aux objets et aux diapositives sont également disponibles sur ce panneau.

    +

    Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail fait. Pour ce faire, il suffit de cliquer sur le lien Ajouter une réponse situé au-dessous du commentaire, saisissez votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

    +

    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.

    +

    Gérer les commentaires

    +

    Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires :

    + +

    Ajouter les mentions

    +

    Ce n'est qu'au contenu d'une présentation que vous pouvez ajouter des mentions et pas à la présentation la-même.

    +

    Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk.

    +

    Pour ajouter une mention,

    +
      +
    1. Saisissez "+" ou "@" n'importe où dans votre commentaire, alors la liste de tous les utilisateurs du portail s'affichera. Pour faire la recherche plus rapide, tapez les premières lettres du prénom de la personne, la liste propose les suggestions au cours de la frappe.
    2. +
    3. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Modifiez la permission, le cas échéant.
    4. +
    5. Cliquez sur OK.
    6. +
    +

    La personne mentionnée recevra une notification par courrier électronique informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé.

    +

    Supprimer des commentaires

    +

    Pour supprimer les commentaires,

    +
      +
    1. cliquez sur
      le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils supérieure,
    2. +
    3. + sélectionnez l'option convenable du menu : +
        +
      • Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi.
      • +
      • Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires d'autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi.
      • +
      • Supprimer tous les commentaires sert à supprimer tous les commentaires de la présentation.
      • +
      +
    4. +
    +

    Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une fois.

    +
    + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index 2d2969dd3..17d906e15 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm @@ -3,7 +3,7 @@ Raccourcis clavier - + @@ -18,7 +18,7 @@

    Raccourcis clavier

    Raccourcis clavier pour les touches d'accès

    -

    Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Presentation Editor sans l'aide de la souris.

    +

    Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à l'Éditeur de Présentations sans l'aide de la souris.

    1. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état.
    2. @@ -31,7 +31,7 @@
    3. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes.
    -

    Trouverez ci-dessous les raccourcis clavier les plus courants:

    +

    Trouverez ci-dessous les raccourcis clavier les plus courants :

    - -
  • Cliquez sur un des boutons à flèche à droite. La recherche sera effectuée vers le début de la présentation (si vous cliquez sur le bouton
    ) ou vers la fin de la présentation (si vous cliquez sur le bouton
    ) à partir de la position actuelle.
  • - -

    La première diapositive contenant les caractères saisis dans la direction sélectionnée sera activée dans la liste des diapositives et affichée avec les caractères requis dans la zone de travail. Si ce n'est pas la diapositive que vous cherchez, cliquez sur le bouton à flèche encore une fois pour passer à la diapositive suivante contenant les caractères saisis.

    -

    Pour remplacer une ou plusieurs occurrences des caractères saisis, cliquez sur le lien Remplacer au-dessous du champ d'entrée ou utilisez la combinaison de touches Ctrl+H. La fenêtre Rechercher et remplacer change :

    -

    Fenêtre Rechercher et remplacer

    +

    Fonction de recherche et remplacement

    +

    + Pour rechercher des caractères, des mots ou des phrases dans l'Éditeur de Présentations, + cliquez sur l'icône située sur la barre latérale gauche, sur l'icône située au coin droit en haut ou appuyez sur la combinaison de touches Ctrl+F (Command+F pour MacOS) pour ouvrir le petit panneau Recherche ou sur la combinaison de touches Ctrl+H pour ouvrir le panneau complet Recherche. +

    +

    Un petit panneau Recherche s'affiche au coin droit en haut de la zone de travail.

    +

    Petit panneau Recherche

    +

    Afin d'accéder aux paramètres avancés, cliquez sur l'icône .

    +

    La fenêtre Rechercher et remplacer s'ouvre :

    + Fenêtre Rechercher et remplacer
      -
    1. Saisissez le texte du remplacement dans le champ au-dessous.
    2. -
    3. Cliquez sur le bouton Remplacer pour remplacer l'occurrence actuellement sélectionnée ou le bouton Remplacer tout pour remplacer toutes occurrences trouvées.
    4. -
    -

    Pour masquer le champ de remplacement, cliquez sur le lien Masquer le remplacement.

    +
  • Saisissez votre enquête dans le champ de saisie correspondant Rechercher.
  • +
  • Si vous avez besoin de remplacer une ou plusieurs occurrences des caractères saisis, saisissez le texte de remplacement dans le champ de saisie correspondant Remplacer par. Vous pouvez remplacer l'occurrence actuellement sélectionnée ou remplacer toutes les occurrences en cliquant sur les boutons correspondants Remplacer et Remplacer tout.
  • +
  • Afin de parcourir les occurrences trouvées, cliquez sur un des boutons à flèche. Le bouton
    affiche l'occurrence suivante, le bouton
    ) affiche l'occurrence précédente.
  • +
  • + Spécifiez les paramètres de recherche en cochant les options nécessaires : + +
  • + +

    La première diapositive contenant les caractères saisis dans la direction sélectionnée sera activée dans la liste des diapositives et affichée avec les caractères requis dans la zone de travail. Si ce n'est pas la diapositive que vous cherchez, cliquez sur le bouton sélectionné encore une fois pour passer à la diapositive suivante contenant les caractères saisis.

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm index 922cb257a..c0edc4a37 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm @@ -15,8 +15,8 @@

    Vérification de l'orthographe

    -

    Presentation Editor vous permet de vérifier l'orthographe du texte saisi dans une certaine langue et corriger des fautes lors de l'édition. Sur l'édition de bureau, il est aussi possible d'ajouter les mots au dictionnaire personnalisé commun à tous les trois éditeurs.

    -

    À partir de la version 6.3, les éditeurs ONLYOFFICE prennent en chatge l'interface SharedWorker pour un meilleur fonctionnement en évitant une utilisation élevée de la mémoire. Si votre navigateur ne prend pas en charge SharedWorker, alors c'est seulement Worker qui sera actif. Pour en savoir plus sur SharedWorker, veuillez consulter cette page.

    +

    Éditeur de Présentations vous permet de vérifier l'orthographe du texte saisi dans une certaine langue et corriger des fautes lors de l'édition. Sur l'édition de bureau, il est aussi possible d'ajouter les mots au dictionnaire personnalisé commun à tous les trois éditeurs.

    +

    À partir de la version 6.3, les éditeurs ONLYOFFICE prennent en charge l'interface SharedWorker pour un meilleur fonctionnement en évitant une utilisation élevée de la mémoire. Si votre navigateur ne prend pas en charge SharedWorker, alors c'est seulement Worker qui sera actif. Pour en savoir plus sur SharedWorker, veuillez consulter cette page.

    Tout d'abord, choisissez la langue pour tout le document. Cliquez sur l'icône sur le côté droit de la barre d'état. Dans la fenêtre ouverte sélectionnez la langue nécessaire et cliquez sur OK. La langue sélectionnée sera appliquée à tout le document.

    Fenêtre Définir la langue du document

    Pour sélectionner une langue différente pour un fragment de texte dans la présentation, sélectionnez le fragment nécessaire avec la souris et utilisez le menu Vérification de l'orthographe - Langue du texte de la barre d'état.

    @@ -26,11 +26,11 @@
  • basculer vers l'onglet Fichier de la barre d'outils supérieure, aller à la section Paramètres avancés..., cocher la case Activer la vérification orthographique et cliquer sur le bouton Appliquer.
  • Les mots mal orthographiés seront soulignés par une ligne rouge.

    -

    Cliquez droit sur le mot nécessaire pour activer le menu et:

    +

    Cliquez droit sur le mot nécessaire pour activer le menu et :

    Vérification de l'orthographe

    diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index cf245e93e..a189e2cf6 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -15,81 +15,100 @@

    Formats des présentations électroniques pris en charge

    -

    La présentation est un ensemble des diapositives qui peut inclure de différents types de contenu tels que des images, des fichiers multimédias, des textes, des effets etc. Presentation Editor supporte les formats suivants:

    +

    Une présentation est l'ensemble des diapositives qui peut inclure de différents types de contenu tels que des images, des fichiers multimédias, des textes, des effets etc. + Éditeur de Présentations prend en charge les formats suivants :

    +

    Lors du téléchargement ou de l'ouverture d'un fichier, celui-ci sera converti au format Office Open XML (PPTX). Cette conversion permet d'accélérer le traitement des fichiers et d'améliorer l'interopérabilité des données.

    +

    Le tableau ci-dessous présente les formats de fichiers pour l'affichage et/ou pour l'édition.

    - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - + + - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    Formats DescriptionAffichageÉditionTéléchargementAffichage au format natifAffichage lors de la conversion en OOXMLÉdition au format natifÉdition lors de la conversion en OOXML
    ODPPrésentation OpenDocument
    Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice
    ++
    OTPModèle de présentation OpenDocument
    Format de fichier OpenDocument pour les modèles de présentation. Un modèle OTP contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme
    ++
    POTXModèle de document PowerPoint Open XML
    Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de présentation. Un modèle POTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme
    ++
    PPSXMicrosoft PowerPoint Slide Show
    Un format de présentation pour démarrer le diaporama.
    ++
    PPTFormat de fichier utilisé par Microsoft PowerPoint++
    PPTFormat de fichier utilisé par Microsoft PowerPoint++
    PPTXPPTX Présentation Office Open XML
    Compressé, le format de fichier basé sur XML développé par Microsoft pour représenter des classeurs, des tableaux, des présentations et des documents de traitement de texte
    + ++
    POTXModèle de document PowerPoint Open XML
    Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de présentation. Un modèle POTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme
    +++
    ODPPrésentation OpenDocument
    Format de fichier utilisé pour les présentations créées par l'application Impress, qui fait partie des applications OpenOffice
    +++
    OTPModèle de présentation OpenDocument
    Format de fichier OpenDocument pour les modèles de présentation. Un modèle OTP contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs présentations avec la même mise en forme
    +++
    PDFPortable Document Format
    Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation
    +
    PDF/APortable Document Format / A
    Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques.
    +
    +
    PNGAcronyme désignant Portable Network Graphics.
    PNG est un format de fichier graphique raster qui est largement utilisée sur le Web plutôt que pour la photographie et l'art.
    +
    JPGAcronyme désignant Joint Photographic Experts Group.
    Le format d'image compressé le plus répandu qui est utilisé pour stocker et transmettre des images numérisées.
    +
    +

    Le tableau ci-dessous présente les formats pris en charge pour le téléchargement d'une présentation dans le menu Fichier -> Télécharger comme.

    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    Format en entréeTéléchargeable comme
    ODPJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    OTPJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    POTXJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    PPSXJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    PPTJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    PPTXJPG, ODP, OTP, PDF, PDF/A, PNG, POTX, PPSX, PPTX
    +

    Veuillez consulter la matrice de conversion sur api.onlyoffice.com pour vérifier s'il est possible de convertir vos présentations dans des formats les plus populaires.

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/UsingChat.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/UsingChat.htm index 69761eea3..8cdfc481d 100644 --- a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/UsingChat.htm +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/UsingChat.htm @@ -1,25 +1,31 @@  - Utilisation du chat + Communiquer en temps réel - + + +
    -

    Utilisation du chat

    -

    ONLYOFFICE Presentation Editor vous offre la possibilité de chatter avec d'autres utilisateurs pour partager des idées concernant des parties particulières de la présentation. - Pour accéder au chat et

    -

    Pour accéder au Chat et laisser un message pour les autres utilisateurs:

    +
    + +
    +

    Communiquer en temps réel

    +

    Éditeur de Présentations permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur présentations en temps réel, laisser des commentaires pour des fragments de la présentation nécessitant la participation d'une tierce personne, sauvegarder des versions du classeur pour une utilisation ultérieure.

    +

    Dans l'Éditeur de Présentations il est possible de communiquer avec vos co-auteurs en temps réel en utilisant l'outil intégré Chat et les modules complémentaires utiles, par ex. Telegram ou Rainbow.

    +

    Pour accéder au Chat et laisser un message pour les autres utilisateurs,

      -
    1. cliquez sur l'icône
      sur la barre latérale gauche,
    2. +
    3. cliquez sur
      l'icône sur la barre latérale gauche,
    4. saisissez le texte dans le champ correspondant,
    5. 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 les messages, cliquez sur l'icône

    encore une fois.

    +

    Les messages de discussion sont stockés pendant une session seulement. Pour discuter le contenu de la présentation, il est préférable d'utiliser les commentaires, car ils sont stockés jusqu'à ce que vous décidiez de les supprimer.

    +

    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 les messages, cliquez sur l'icône encore une fois.

    \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/HelpfulHints/VersionHistory.htm b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/VersionHistory.htm new file mode 100644 index 000000000..fdbf42881 --- /dev/null +++ b/apps/presentationeditor/main/resources/help/fr/HelpfulHints/VersionHistory.htm @@ -0,0 +1,41 @@ + + + + Historique des versions + + + + + + + + +
    +
    + +
    +

    Historique des versions

    +

    L'éditeur Éditeur de Présentations permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur des présentations en temps réel, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments de la présentation nécessitant la participation d'une tierce personne.

    +

    Dans l'Éditeur de Présentations vous pouvez afficher l'historique des versions de la présentation sur laquelle vous collaborez.

    +

    Afficher l'historique des versions :

    +

    Pour afficher toutes les modifications apportées à la présentation,

    + +

    La liste des versions de la présentation s'affichera à gauche comportant le nom de l'auteur de chaque version/révision, la date et l'heure de création. Pour les versions de présentation, le numéro de la version est également indiqué (par exemple ver. 2).

    +

    Afficher la version

    +

    Pour savoir exactement quelles modifications ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Les modifications apportées par l'auteur de la version/révision sont marquées avec la couleur qui est affichée à côté du nom de l'auteur dans la barre latérale gauche.

    +

    Pour revenir à la version actuelle de la présentation, cliquez sur Fermer l'historique en haut de le liste des versions.

    +

    Restaurer une version :

    +

    Si vous souhaitez restaurer l'une des versions précédentes de la présentation, cliquez sur Restaurer au-dessous de la version/révision sélectionnée.

    +

    Récupérer

    +

    Pour en savoir plus sur la gestion des versions et des révisions intermédiaires, et sur la restauration des versions précédentes, veuillez consulter cet article.

    +
    + + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm index 1cfdc4607..0bd30a960 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/AnimationTab.htm @@ -3,7 +3,7 @@ Onglet Animation - + @@ -16,25 +16,25 @@

    Onglet Animation

    - L'onglet Animation de Presentation Editor permet de gérer des effets d'animation. Vous pouvez ajouter des effets d'animation, définir des trajectoires des effets et configurer d'autres paramètres des animations pour personnaliser votre présentation. + L'onglet Animation de l'Éditeur de Présentations permet de gérer des effets d'animation. Vous pouvez ajouter des effets d'animation, définir des trajectoires des effets et configurer d'autres paramètres des animations pour personnaliser votre présentation.

    -

    Fenêtre de l'éditeur en ligne Presentation Editor:

    +

    Fenêtre de l'Éditeur de Présentations en ligne :

    Onglet Animation

    -

    Fenêtre de l'éditeur de bureau Presentation Editor:

    +

    Fenêtre de l'Éditeur de Présentations de bureau :

    Onglet Animation

    -

    En utilisant cet onglet, vous pouvez:

    +

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm index 613dbc29a..32fd88e0f 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/CollaborationTab.htm @@ -3,7 +3,7 @@ Onglet Collaboration - + @@ -15,21 +15,21 @@

    Onglet Collaboration

    -

    L'onglet Collaboration dans Presentation Editor permet d'organiser le travail collaboratif sur une présentation. Dans la version en ligne, vous pouvez partager le fichier, sélectionner un mode de co-édition, gérer les commentaires. En mode Commentaires, vous pouvez ajouter et supprimer les commentaires et utiliser le chat. Dans la version de bureau, vous ne pouvez que gérer les commentaires.

    +

    L'onglet Collaboration dans l'Éditeur de Présentations permet d'organiser le travail collaboratif sur une présentation. Dans la version en ligne, vous pouvez partager le fichier, sélectionner un mode de co-édition, gérer les commentaires. En mode Commentaires, vous pouvez ajouter et supprimer les commentaires et utiliser le chat. Dans la version de bureau, vous ne pouvez que gérer les commentaires.

    -

    Fenêtre de l'éditeur en ligne Presentation Editor:

    +

    Fenêtre de l'Éditeur de Présentations en ligne :

    Onglet Collaboration

    -

    Fenêtre de l'éditeur de bureau Presentation Editor:

    +

    Fenêtre de l'Éditeur de Présentations de bureau :

    Onglet Collaboration

    -

    En utilisant cet onglet, vous pouvez:

    +

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/FileTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/FileTab.htm index 583268e1d..2e8830e32 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/FileTab.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/FileTab.htm @@ -3,7 +3,7 @@ Onglet Fichier - + @@ -15,21 +15,25 @@

    Onglet Fichier

    -

    L'onglet Fichier dans Presentation Editor permet d'effectuer certaines opérations de base sur le fichier en cours.

    +

    L'onglet Fichier dans l'Éditeur de Présentations permet d'effectuer certaines opérations de base sur le fichier en cours.

    -

    Fenêtre de l'éditeur en ligne Presentation Editor :

    +

    Fenêtre de l'Éditeur de Présentations en ligne :

    Onglet Fichier

    -

    Fenêtre de l'éditeur de bureau Presentation Editor :

    +

    Fenêtre de l'Éditeur de Présentations de bureau :

    Onglet Fichier

    En utilisant cet onglet, vous pouvez :

    diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm index d078f0b01..a084289af 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm @@ -3,7 +3,7 @@ Onglet Modules complémentaires - + @@ -15,25 +15,25 @@

    Onglet Modules complémentaires

    -

    L'onglet Modules complémentaires dans Presentation Editor permet d'accéder à des fonctions d'édition avancées à l'aide de composants tiers disponibles. Ici vous pouvez également utiliser des macros pour simplifier les opérations de routine.

    +

    L'onglet Modules complémentaires dans l'Éditeur de Présentations permet d'accéder à des fonctions d'édition avancées à l'aide de composants tiers disponibles. Ici vous pouvez également utiliser des macros pour simplifier les opérations de routine.

    -

    Fenêtre de l'éditeur en ligne Presentation Editor:

    +

    Fenêtre de l'Éditeur de Présentations en ligne :

    Onglet Modules complémentaires

    -

    Fenêtre de l'éditeur de bureau Presentation Editor:

    +

    Fenêtre de l'Éditeur de Présentations de bureau :

    Onglet Modules complémentaires

    Le bouton Paramètres permet d'ouvrir la fenêtre où vous pouvez visualiser et gérer toutes les extensions installées et ajouter vos propres modules.

    Le bouton Macros permet d'ouvrir la fenêtre où vous pouvez créer vos propres macros et les exécuter. Pour en savoir plus sur les macros, veuillez vous référer à la documentation de notre API.

    -

    Actuellement, les modules suivants sont disponibles:

    +

    Actuellement, les modules suivants sont disponibles :

    diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm index a6ef7ff0d..f6f0395bf 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm @@ -1,9 +1,9 @@  - Présentation de l'interface utilisateur de Presentation Editor + Présentation de l'interface utilisateur de l'Éditeur de Présentations - + @@ -14,43 +14,43 @@
    -

    Présentation de l'interface utilisateur de Presentation Editor

    -

    Presentation Editor utilise une interface à onglets dans laquelle les commandes d'édition sont regroupées en onglets par fonctionnalité.

    +

    Présentation de l'interface utilisateur de l'Éditeur de Présentations

    +

    Éditeur de Présentations utilise une interface à onglets dans laquelle les commandes d'édition sont regroupées en onglets par fonctionnalité.

    -

    La fenêtre principale de l'éditeur en ligne Presentation Editor:

    -

    Fenêtre de l'éditeur en ligne Presentation Editor

    +

    La fenêtre principale de l'Éditeur de Présentations en ligne :

    +

    Fenêtre de l'Éditeur de Présentations en ligne

    -

    La fenêtre principale de l'éditeur de bureau Presentation Editor:

    -

    Fenêtre de l'éditeur de bureau Presentation Editor

    +

    La fenêtre principale de l'Éditeur de Présentations de bureau :

    +

    Fenêtre de l'Éditeur de Présentations de bureau

    -

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

    +

    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 présentations ouvertes et leurs titres et les onglets du menu.

      Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir.

      -

      Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes:

      +

      Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes :

      +
    2. Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur.
    3. +
    4. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud.
    5. +
    6. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris.
    7. +
    8. Recherche - permet de rechercher dans la présentation un mot ou un symbole particulier, etc.
    9. +
    10. - La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles: Fichier, Accueil, Insertion, Collaboration, Protection, Modules complémentaires. + La barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Collaboration, Protection, Modules complémentaires.

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

    11. -
    12. La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation: l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que Toutes les modifications enregistrées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.) et permet de définir la langue du texte et d'activer la vérification orthographique.
    13. +
    14. La Barre d'état en bas de la fenêtre de l'éditeur contient l'icône Démarrer le diaporama et certains outils de navigation : l'indicateur de numéro de diapositive et les boutons de zoom. La Barre d'état affiche également certaines notifications (telles que Toutes les modifications enregistrées ou Connection est perdue quand l'éditeur ne pavient pas à se connecter etc.) et permet de définir la langue du texte et d'activer la vérification orthographique.
    15. - La barre latérale gauche contient les icônes suivantes: + La barre latérale gauche contient les icônes suivantes :
    16. La barre latérale droite permet d'ajuster les paramètres supplémentaires de différents objets. Lorsque vous sélectionnez un objet particulier sur une diapositive, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite.
    17. diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm index 12104bc5b..d8aa5a929 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/TransitionsTab.htm @@ -3,7 +3,7 @@ Onglet Transitions - + @@ -15,22 +15,22 @@

      Onglet Transitions

      -

      L'onglet Transitions de Presentation Editor permet de gérer les transitions entre les diapositives. Vous pouvez ajouter des effets de transition, définir la durée de la transition et configurer d'autres paramètres des transitions entre les diapositives.

      +

      L'onglet Transitions de l'Éditeur de Présentations permet de gérer les transitions entre les diapositives. Vous pouvez ajouter des effets de transition, définir la durée de la transition et configurer d'autres paramètres des transitions entre les diapositives.

      -

      Fenêtre de l'éditeur en ligne Presentation Editor:

      +

      Fenêtre de l'Éditeur de Présentations en ligne :

      Onglet Transitions

      -

      Fenêtre de l'éditeur de bureau Presentation Editor:

      +

      Fenêtre de l'Éditeur de Présentations de bureau :

      Onglet Transitions

      -

      En utilisant cet onglet, vous pouvez:

      +

      En utilisant cet onglet, vous pouvez :

      diff --git a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm index 6e797cb29..68bbc36a3 100644 --- a/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm +++ b/apps/presentationeditor/main/resources/help/fr/ProgramInterface/ViewTab.htm @@ -3,7 +3,7 @@ Onglet Affichage - + @@ -16,24 +16,24 @@

      Onglet Affichage

      - L'onglet Affichage de Presentation Editor permet de gérer l'apparence du document pendant que vous travaillez sur celui-ci. + L'onglet Affichage de l'Éditeur de Présentations permet de gérer l'apparence du document pendant que vous travaillez sur celui-ci.

      -

      La fenêtre de l'onglet dans Presentation Editor en ligne:

      +

      Fenêtre de l'Éditeur de Présentations en ligne :

      Onglet Affichage

      -

      La fenêtre de l'onglet dans Presentation Editor de bureau:

      +

      Fenêtre de l'Éditeur de Présentations de bureau :

      Onglet Affichage

      -

      Les options d'affichage disponibles sous cet onglet:

      +

      Les options d'affichage disponibles sous cet onglet :

      -

      Les options suivantes permettent de choisir les éléments à afficher ou à cacher pendant que vous travaillez. Cochez les cases appropriées aux éléments que vous souhaitez rendre visibles:

      +

      Les options suivantes permettent de choisir les éléments à afficher ou à cacher pendant que vous travaillez. Cochez les cases appropriées aux éléments que vous souhaitez rendre visibles :

      Formatierung - Voreinstellungen

      oder

      -

      - passen Sie die Formatierung mit Schriftartformatoptionen (Fett, Kursiv, Unterstrichen, Durchgestrichen), Textfarbe, Hintergrundfarbe und Rahmen an. Verwenden Sie die Drop-Down-Liste Allgemeines, um das entsprechende Zahlenformat auszuwählen (Allgemein, Zahl, Wissenschaftlich, Rechnungswesen, Währung, Datum, Zeit, Prozentsatz). Das Feld Vorschau zeigt, wie die Zelle nach der Formatierung aussehen wird. Klicken Sie auf Löschen, +

      passen Sie die Formatierung mit Schriftartformatoptionen (Fett, Kursiv, Unterstrichen, Durchgestrichen), Textfarbe, Hintergrundfarbe und Rahmen an. Verwenden Sie die Drop-Down-Liste Allgemeines, um das entsprechende Zahlenformat auszuwählen (Allgemein, Zahl, Wissenschaftlich, Rechnungswesen, Währung, Datum, Zeit, Prozentsatz). Das Feld Vorschau zeigt, wie die Zelle nach der Formatierung aussehen wird. Klicken Sie auf Löschen, um die Formatierung zu löschen.

      Das folgende Beispiel zeigt die voreingestellten Formatierungskriterien an, z.B. Überdurchschnittlich. Dabei werden die Städte mit überdurchschnittlichen Besucherzahlen mit grün formatiert.

      Durchschnitt

      @@ -220,20 +215,16 @@

      Im Folgenden finden Sie Beispiele für die gängigsten Fälle der bedingten Formatierung von Symbolsätzen.

      @@ -319,8 +310,7 @@

      Wählen Sie Automatisch, um den Mindestwert auf Null und den Höchstwert auf die größte Zahl im Bereich festzulegen. Automatisch ist die Standardoption.

      Klicken Sie auf das Feld Daten auswählen, um den Zellenbereich für die Mindest-/Höchstwerte zu ändern.

      -
    18. - Darstellung des Datenbalkens +
    19. Darstellung des Datenbalkens

      Passen Sie die Darstellung des Datenbalkens an, indem Sie den Typ und die Farbe der Füllung und des Rahmens sowie die Balkenrichtung auswählen.

    20. -
    21. - Achse +
    22. Achse

      Wählen Sie die Position der Datenbalkenachse in Bezug auf den Zellmittelpunkt aus, um positive und negative Werte zu trennen. Es gibt drei Optionen für die Achsenposition: Automatisch, Zellmittelpunkt und Kein(e). Klicken Sie auf den Abwärtspfeil des Farbfelds, um die Achsenfarbe festzulegen.

    23. Das Feld Vorschau zeigt, wie die Zelle nach der Formatierung aussehen wird.
    24. @@ -417,6 +406,7 @@
    25. Aus dieser Pivot-Tabelle
    26. Bitte beachten Sie: Dieses Handbuch enthält grafische Informationen aus der Arbeitsmappe und Richtlinien für Microsoft Office bedingte Formatierungsbeispiele. Testen Sie die oben genannte Regelanzeige aus, indem Sie dieses Handbuch herunterladen und in der Tabellenkalkulation öffnen.

      + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm index d7b9f2db7..89080e21a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/CopyPasteData.htm @@ -1,7 +1,7 @@  - Daten ausschneiden/kopieren/einfügen + Daten kopieren, einfügen, ausschneiden @@ -14,15 +14,13 @@
      -

      Daten ausschneiden/kopieren/einfügen

      +

      Daten kopieren, einfügen, ausschneiden

      Zwischenablage verwenden

      -

      Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole des Tabelleneditor, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind:

      +

      Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole der Tabellenkalkulation, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind:

      In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Tabelle oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden:

      -

      Hinweis: Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

      +

      Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen.

      +

      Um das automatische Erscheinen der Schaltfläche Spezielles Einfügen nach dem Einfügen zu aktivieren/deaktivieren, gehen Sie zur Registerkarte Datei > Erweiterte Einstellungen und aktivieren/deaktivieren Sie das Kontrollkästchen Die Schaltfläche Einfügeoptionen beim Einfügen von Inhalten anzeigen.

      Inhalte einfügen mit Optionen

      -

      Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar.

      +

      Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar.

      Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen.

      Für das Eifügen von Zellen/Zellbereichen mit formatierten Daten sind die folgenden Optionen verfügbar:

    -

    Hinweis: Wenn Sie eine Reihe von Zahlen (z. B. 1, 2, 3, 4...; 2, 4, 6, 8... usw.) oder Datumsangaben erstellen wollen, geben Sie mindestens zwei Startwerte ein und erweitern Sie die Datenreihe, indem Sie beide Zellen markieren und dann den Ziehpunkt ziehen bis Sie den gewünschten Maximalwert erreicht haben.

    +

    Wenn Sie eine Reihe von Zahlen (z. B. 1, 2, 3, 4...; 2, 4, 6, 8... usw.) oder Datumsangaben erstellen wollen, geben Sie mindestens zwei Startwerte ein und erweitern Sie die Datenreihe, indem Sie beide Zellen markieren und dann den Ziehpunkt ziehen bis Sie den gewünschten Maximalwert erreicht haben.

    Zellen in einer Spalte mit Textwerten füllen

    Wenn eine Spalte in Ihrer Tabelle einige Textwerte enthält, können Sie einfach jeden Wert in dieser Spalte ersetzen oder die nächste leere Zelle ausfüllen, indem Sie einen der bereits vorhandenen Textwerte auswählen.

    Klicken Sie mit der rechten Maustaste auf die gewünschte Zelle und wählen Sie im Kontextmenü die Option Aus Dropdown-Liste auswählen.

    @@ -98,4 +136,4 @@ - \ No newline at end of file + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm index 2050ad4fd..6d73057aa 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm @@ -11,15 +11,15 @@
    -
    - -
    +
    + +

    Schriftart, -größe und -farbe festlegen

    In der Tabellenkalkulation mithilfe der entsprechenden Symbole in der Registerkarte Startseite auf der oberen Symbolleiste können Sie Schriftart und Größe auswählen, einen DekoStil auf die Schrift anwenden und die Farben der Schrift und des Hintergrunds ändern.

    Wenn Sie die Formatierung auf Daten anwenden möchten, die bereits im Tabellenblatt vorhanden sind, wählen Sie diese mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung für die ausgewählten Daten fest. Wenn Sie mehrere nicht angrenzende Zellen oder Zellbereiche formatieren wollen, halten Sie die Taste STRG gedrückt und wählen Sie die gewünschten Zellen/Zellenbereiche mit der Maus aus.

    - + @@ -53,17 +53,17 @@ - - + + - - - - + + + + - - - + + + @@ -79,20 +79,24 @@
    SchriftartSchriftart
    Wird verwendet, um eine Schriftart aus der Liste mit den verfügbaren Schriftarten zu wählen. Wenn eine gewünschte Schriftart nicht in der Liste verfügbar ist, können Sie diese runterladen und in Ihrem Betriebssystem speichern. Anschließend steht Ihnen diese Schrift in der Desktop-Version zur Nutzung zur Verfügung.
    Der gewählten Textabschnitt wird mit einer Linie unterstrichen.
    Durchgestrichen
    Durchgestrichen
    Der gewählten Textabschnitt wird mit einer Linie durchgestrichen.
    Tiefgestellt/HochgestelltDer gewählten Textabschnitt wird mit einer Linie durchgestrichen.
    Tiefgestellt/Hochgestellt
    Auswählen der Option Hochgestellt oder Tiefgestellt. Hochgestellt - Text verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Text verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln.
    Auswählen der Option Hochgestellt oder Tiefgestellt. Hochgestellt - Text verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Text verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln.
    Schriftfarbe
    Die Farbe von Buchstaben/Zeichen in Zellen ändern.Wird verwendet, um die Standardfarbpalette für Arbeitsblattelemente (Schriftart, Hintergrund, Diagramme und Diagrammelemente) zu ändern, indem Sie eine der verfügbaren Schemata auswählen: Neues Office, Larissa, Graustufe, Apex, Aspekt, Cronus, Deimos, Dactylos, Fluss, Phoebe, Median, Metro, Modul, Lysithea, Nereus, Okeanos, Papier, Nyad, Haemera, Trek, Rhea, oder Telesto.
    -

    Sie können auch eine der Formatierungsvoreinstellungen anwenden. Wählen Sie dazu die Zelle aus, die Sie formatieren möchten und wählen Sie dann die gewünschte Voreinstellung aus der Liste auf der Registerkarte Startseite in der oberen Symbolleiste:

    Voreinstellungen Formatierung

    -

    Schriftart/Hintergrundfarbe ändern:

    +

    Sie können auch eine der Formatierungsvoreinstellungen anwenden. Wählen Sie dazu die Zelle aus, die Sie formatieren möchten und wählen Sie dann die gewünschte Voreinstellung aus der Liste auf der Registerkarte Startseite in der oberen Symbolleiste:

    + Voreinstellungen Formatierung +

    +

    Um die Schriftfarbe zu ändern oder eine einfarbige Füllung als Zellenhintergrund zu verwenden:

      -
    1. Wählen Sie eine Zelle oder mehrere Zellen aus oder das ganze Blatt, mithilfe der Tastenkombination Strg+A.
    2. +
    3. Wählen Sie eine Zelle oder mehrere Zellen aus oder das ganze Blatt, mithilfe der Tastenkombination Strg+A.
    4. Klicken Sie auf der oberen Symbolleiste auf das entsprechende Symbol.
    5. -
    6. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus.

      Palette

      +
    7. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. +

      Palette

      • Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen.
      • Standardfarben - die voreingestellten Standardfarben.
      • -
      • Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler verschieben und die entsprechende Farbe festlegen, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen.

        Palette - Benutzerdefinierte Farbe

        -

        Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt.

        +
      • + Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler verschieben und die entsprechende Farbe festlegen, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen.

        Palette - Benutzerdefinierte Farbe

        +

        Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt.

      • -
      -
    8. + +

    Die Hintergrundfarbe in einer bestimmten Zelle löschen:

      @@ -102,4 +106,4 @@
    - \ No newline at end of file + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm index 5b858738f..fcfb8cd94 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FormattedTables.htm @@ -72,7 +72,7 @@
  • Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen.
  • Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich.

    -

    Verwenden Sie die Option

    Entferne Duplikate, um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite.

    +

    Verwenden Sie die Option Entferne Duplikate, um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite.

    Die Option In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar.

    Mit der Option Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite.

    Mit der Option Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite.

    @@ -83,6 +83,7 @@

    Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, gehen Sie zu Erweiterte Einstellungen -> Rechtschreibprüfung -> Produkt -> Optionen von Autokorrektur b> -> AutoFormat während der Eingabe.

    Die automatische Vervollständigung von Formeln, um Formeln zu formatierten Tabellen hinzuzufügen, verwenden

    Die Liste Automatische Formelvervollständigung zeigt alle verfügbaren Optionen an, wenn Sie Formeln auf formatierte Tabellen anwenden. Sie können Tabellenformeln sowohl innerhalb als auch außerhalb der Tabelle erstellen.

    +

    Das folgende Beispiel zeigt einen Verweis auf eine Tabelle in der SUMME-Funktion.

    1. Beginnen Sie mit der Eingabe einer Formel, die mit einem Gleichheitszeichen gefolgt von Tabelle beginnt, und wählen Sie den Tabellennamen aus der Liste Formel-Autovervollständigung aus. diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm index d0084fc87..3253c4aa0 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertChart.htm @@ -106,11 +106,12 @@
      1. wählen Sie das Diagramm mit der Maus aus
      2. - klicken Sie auf das Symbol Diagrammeinstellungen
        in der rechten Menüleiste + klicken Sie auf das Symbol Diagrammeinstellungen
        in der rechten Menüleiste

        Dialogfenster Diagrammeinstellungen rechte Seitenleiste

      3. öffnen Sie die Menüliste Stil und wählen Sie den gewünschten Diagrammstil aus.
      4. öffnen Sie die Drop-Down-Liste Diagrammtyp ändern und wählen Sie den gewünschten Typ aus.
      5. +
      6. klicken Sie auf die Option Zeile/Spalte ändern, um die Positionierung von Diagrammzeilen und -spalten zu ändern.

      Das Diagramm wird entsprechend geändert.

      Wenn Sie die für das Diagramm verwendeten Daten ändern wollen,

      diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertDeleteCells.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertDeleteCells.htm index b3becc104..ecb2aa96d 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertDeleteCells.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertDeleteCells.htm @@ -11,78 +11,101 @@
      -
      - -
      +
      + +

      Verwalten von Zellen, Zeilen und Spalten

      -

      Im Tabelleneditor sie können oberhalb oder links neben der ausgewählten Zelle in einem Arbeitsblatt leere Zellen einfügen. Sie können auch eine ganze Zeile, oberhalb der ausgewählten Zeile, oder eine Spalte, links neben der ausgewählten Spalte, einfügen. Um die Anzeige von großen Informationsmengen zu vereinfachen, können Sie bestimmte Zeilen oder Spalten ausblenden und wieder einblenden. Es ist auch möglich, die Zeilenhöhe und Spaltenbreite individuell festzulegen.

      +

      In der Tabellenkalkulation sie können oberhalb oder links neben der ausgewählten Zelle in einem Arbeitsblatt leere Zellen einfügen. Sie können auch eine ganze Zeile, oberhalb der ausgewählten Zeile, oder eine Spalte, links neben der ausgewählten Spalte, einfügen. Um die Anzeige von großen Informationsmengen zu vereinfachen, können Sie bestimmte Zeilen oder Spalten ausblenden und wieder einblenden. Es ist auch möglich, die Zeilenhöhe und Spaltenbreite individuell festzulegen.

      Zellen, Zeilen und Spalten einfügen:

      -

      Eine leere Zelle links von der gewählten Zelle einzufügen:

      +

      Um eine leere Zelle links von der gewählten Zelle einzufügen:

      1. Klicken Sie mit der rechten Maustaste auf die Zelle, vor der Sie eine neue Zelle einfügen wollen.
      2. -
      3. Klicken Sie auf das Symbol Zellen einfügen
        in der oberen Symbolleiste in der Registerkarte Start oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach rechts verschieben.
      4. +
      5. Klicken Sie auf das Symbol Zellen einfügen
        in der oberen Symbolleiste in der Registerkarte Startseite oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach rechts verschieben.

      Die gewählte Zelle wird automatisch nach rechts verschoben und es wird eine neue Zelle eingefügt.

      -

      Eine leere Zelle über der gewählten Zelle einfügen:

      +

      Um eine leere Zelle über der gewählten Zelle einzufügen:

      1. Klicken Sie mit der rechten Maustaste auf die Zelle, über der Sie eine neue einfügen wollen.
      2. -
      3. Klicken Sie auf das Symbol Zellen einfügen
        in der oberen Symbolleiste in der Registerkarte Start oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach unten verschieben.
      4. +
      5. Klicken Sie auf das Symbol Zellen einfügen
        in der oberen Symbolleiste in der Registerkarte Startseite oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach unten verschieben.

      Die gewählte Zelle wird automatisch nach unten verschoben und eine neue Zelle wird eingefügt.

      -

      Eine neue Reihe einfügen:

      +

      Um eine neue Reihe einzufügen:

        -
      1. Wählen Sie entweder die ganze Zeile aus, indem Sie auf die Zeilenbezeichnung klicken oder eine Zelle über der Sie eine neue Reihe einfügen wollen:

        Hinweis: Wenn Sie mehrere Zeilen einfügen wollen, markieren Sie die entsprechende Anzahl an Zeilen.

        +
      2. Wählen Sie entweder die ganze Zeile aus, indem Sie auf die Zeilenbezeichnung klicken oder eine Zelle über der Sie eine neue Reihe einfügen wollen: +

        Wenn Sie mehrere Zeilen einfügen wollen, markieren Sie die entsprechende Anzahl an Zeilen.

        +
      3. +
      4. Klicken Sie auf das Symbol Zellen einfügen
        in der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Ganze Zeile oder klicken Sie mit der +
        rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Zeile oder +
        klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Zelle(n) und wählen Sie die Option Oberhalb aus dem Rechtsklickmenü aus.
      5. -
      6. Klicken Sie auf das Symbol Zellen einfügen
        in der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Ganze Zeile oder klicken Sie mit der
        rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Zeile oder
        klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Zelle(n) und wählen Sie die Option Oberhalb aus dem Rechtsklickmenü aus.

      Die gewählte Zeile wird automatisch nach unten verschoben und eine neue Zeile wird eingefügt.

      -

      Spalten einfügen:

      +

      Um die Spalten einzufügen:

        -
      1. Klicken Sie mit der rechten Maustaste auf die Spalte, nach der Sie eine neue einfügen möchten.

        Hinweis: Wenn Sie mehrere Spalten einfügen wollen, markieren Sie die entsprechende Anzahl an Spalten.

        +
      2. Klicken Sie mit der rechten Maustaste auf die Spalte, nach der Sie eine neue einfügen möchten. +

        Wenn Sie mehrere Spalten einfügen wollen, markieren Sie die entsprechende Anzahl an Spalten.

        +
      3. +
      4. + Klicken Sie auf das Symbol Zellen einfügen
        in der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Ganze Spalte oder klicken Sie mit der +
        rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Spalte oder +
        klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Spalte(n) und wählen Sie die Option Links einfügen aus dem Rechtsklickmenü aus.
      5. -
      6. Klicken Sie auf das Symbol Zellen einfügen
        in der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Ganze Spalte oder klicken Sie mit der
        rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Spalte oder
        klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Spalte(n) und wählen Sie die Option Links einfügen aus dem Rechtsklickmenü aus.

      Die gewählte Spalte wird automatisch nach rechts verschoben und es wird eine neue Spalte eingefügt.

      -

      Zeilen und Spalten ein- und ausblenden

      -

      Eine Zeile oder Spalte ausblenden:

      -
        -
      1. Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie ausblenden wollen.
      2. -
      3. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen oder Spalten und wählen Sie die Option Ausblenden im Rechtsklickmenü aus.
      4. -
      -

      Um ausgeblendete Zeilen oder Spalten anzuzeigen, wählen Sie sichtbare Zeilen über und unter den ausgeblendeten Zeilen oder sichtbare Spalten links und rechts neben den ausgeblendeten Spalten aus, klicken Sie mit der rechten Maustaste auf Ihre Auswahl und wählen Sie die Option Anzeigen aus dem Kontextmenü aus.

      -

      Spaltenbreite und Zeilenhöhe ändern:

      -

      Die Spaltenbreite gibt vor, wie viele Zeichen mit Standardformatierung in der Spaltenzelle angezeigt werden können. Der Standardwert ist auf 8,43 Symbole eingestellt. Standardwert ändern:

      -
        -
      1. Wählen Sie die Spalten aus für die Sie den Wert ändern wollen.
      2. -
      3. Klicken Sie mit der rechten Maustaste auf die markierten Spalten und wählen Sie die Option Spaltenbreite festlegen im Rechtsklickmenü aus.
      4. -
      5. Wählen Sie eine der verfügbaren Optionen:
          -
        • Wählen Sie die Option Spaltenbreite automatisch anpassen, um die Breite jeder Spalte automatisch an ihren Inhalt anzupassen, oder
        • -
        • Wählen Sie die Option Benutzerdefinierte Spaltenbreite und geben Sie im Fenster Benutzerdefinierte Spaltenbreite einen neuen Wert zwischen 0 und 255 ein und klicken Sie auf OK.

          Benutzerdefinierte Spaltenbreite

          -
        • -
        -
      6. -
      -

      Um die Breite einer einzelnen Spalte manuell zu ändern, bewegen Sie den Mauszeiger über den rechten Rand der Spaltenüberschrift, so dass der Cursor in den bidirektionalen Pfeil wechselt. Ziehen Sie den Rahmen nach links oder rechts, um eine benutzerdefinierte Breite festzulegen, oder doppelklicken Sie auf die Maus, um die Spaltenbreite automatisch an den Inhalt anzupassen.

      -

      Spaltenbreite ändern

      -

      Der Standardwert für die Zeilenhöhe ist auf 14,25 Punkte eingestellt. Zeilenhöhe ändern:

      -
        -
      1. Wählen Sie die Zeilen aus für die Sie den Wert ändern wollen.
      2. -
      3. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen und wählen Sie die Option Zeilenhöhe festlegen im Rechtsklickmenü aus.
      4. -
      5. Wählen Sie eine der verfügbaren Optionen:
          -
        • Wählen Sie die Option Zeilenhöhe automatisch anpassen, um die Höhe jeder Spalte automatisch an ihren Inhalt anzupassen, oder
        • -
        • Wählen Sie die Option Benutzerdefinierte Zeilenhöhe und geben Sie im Fenster Benutzerdefinierte Zeilenhöhe einen neuen Wert zwischen 0 und 408,75 ein und klicken Sie auf OK.

          Benutzerdefinierte Zeilenhöhe

          -
        • -
        -
      6. -
      -

      Um die Höhe einer einzelnen Zeile manuell zu ändern, ziehen Sie den unteren Rand der Zeilenüberschrift.

      -

      Zellen, Zeilen und Spalten löschen:

      -

      Eine überflüssige Zelle, Reihe oder Spalte löschen:

      +

      Sie können auch die Tastenkombination Strg+Umschalt+= verwenden, um das Dialogfeld zum Einfügen neuer Zellen zu öffnen, wählen Sie Zellen nach rechts verschieben, Zellen nach unten verschieben, Ganze Zeile oder Ganze Spalte und klicken Sie auf OK.

      +

      Insert cells window

      +

      Um die Zeilen und Spalten ein- und auszublenden

      +

      Um eine Zeile oder Spalte auszublenden:

        -
      1. Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie löschen wollen.
      2. -
      3. Klicken Sie auf das Symbol Zellen löschen
        in der oberen Symbolleiste in der Registerkarte Start oder wählen Sie die Option im Rechtsklickmenü aus und wählen Sie anschließend den gewünschten Vorgang aus der angezeigten Liste:
        Wenn Sie die Option Zellen nach links verschieben auswählen, wird die Zellen rechts von der gelöschten Zelle nach links verschoben;
        wenn Sie die Option Zellen nach oben verschieben auswählen, wird die Zelle unterhalb der gelöschten Zelle nach oben verschoben;
        wenn Sie die Option Ganze Zeile auswählen, wird die Zeile unterhalb der ausgewählten Zeile nach oben verschoben;
        wenn Sie die Option Ganze Spalte auswählen, wird die Spalte rechts von der gelöschten Spalte nach links verschoben.
      4. +
      5. Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie ausblenden wollen.
      6. +
      7. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen oder Spalten und wählen Sie die Option Ausblenden im Rechtsklickmenü aus.
      +

      Um ausgeblendete Zeilen oder Spalten anzuzeigen, wählen Sie sichtbare Zeilen über und unter den ausgeblendeten Zeilen oder sichtbare Spalten links und rechts neben den ausgeblendeten Spalten aus, klicken Sie mit der rechten Maustaste auf Ihre Auswahl und wählen Sie die Option Anzeigen aus dem Kontextmenü aus.

      +

      Um die Spaltenbreite und Zeilenhöhe zu ändern:

      +

      Die Spaltenbreite gibt vor, wie viele Zeichen mit Standardformatierung in der Spaltenzelle angezeigt werden können. Der Standardwert ist auf 8,43 Symbole eingestellt. Standardwert ändern:

      +
        +
      1. Wählen Sie die Spalten aus für die Sie den Wert ändern wollen.
      2. +
      3. Klicken Sie mit der rechten Maustaste auf die markierten Spalten und wählen Sie die Option Spaltenbreite festlegen im Rechtsklickmenü aus.
      4. +
      5. + Wählen Sie eine der verfügbaren Optionen: +
          +
        • Wählen Sie die Option Spaltenbreite automatisch anpassen, um die Breite jeder Spalte automatisch an ihren Inhalt anzupassen, oder
        • +
        • Wählen Sie die Option Benutzerdefinierte Spaltenbreite und geben Sie im Fenster Benutzerdefinierte Spaltenbreite einen neuen Wert zwischen 0 und 255 ein und klicken Sie auf OK. +

          Benutzerdefinierte Spaltenbreite

          +
        • +
        +
      6. +
      +

      Um die Breite einer einzelnen Spalte manuell zu ändern, bewegen Sie den Mauszeiger über den rechten Rand der Spaltenüberschrift, so dass der Cursor in den bidirektionalen Pfeil wechselt. Ziehen Sie den Rahmen nach links oder rechts, um eine benutzerdefinierte Breite festzulegen, oder doppelklicken Sie auf die Maus, um die Spaltenbreite automatisch an den Inhalt anzupassen.

      +

      Spaltenbreite ändern

      +

      Der Standardwert für die Zeilenhöhe ist auf 14,25 Punkte eingestellt. Zeilenhöhe ändern:

      +
        +
      1. Wählen Sie die Zeilen aus für die Sie den Wert ändern wollen.
      2. +
      3. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen und wählen Sie die Option Zeilenhöhe festlegen im Rechtsklickmenü aus.
      4. +
      5. + Wählen Sie eine der verfügbaren Optionen: +
          +
        • Wählen Sie die Option Zeilenhöhe automatisch anpassen, um die Höhe jeder Spalte automatisch an ihren Inhalt anzupassen, oder
        • +
        • Wählen Sie die Option Benutzerdefinierte Zeilenhöhe und geben Sie im Fenster Benutzerdefinierte Zeilenhöhe einen neuen Wert zwischen 0 und 408,75 ein und klicken Sie auf OK.

          Benutzerdefinierte Zeilenhöhe

          +
        • +
        +
      6. +
      +

      Um die Höhe einer einzelnen Zeile manuell zu ändern, ziehen Sie den unteren Rand der Zeilenüberschrift.

      +

      Um die Zellen, Zeilen und Spalten zu löschen:

      +

      Um eine überflüssige Zelle, Reihe oder Spalte zu löschen:

      +
        +
      1. Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie löschen wollen.
      2. +
      3. Klicken Sie auf das Symbol Zellen löschen
        in der oberen Symbolleiste in der Registerkarte Startseite oder wählen Sie die Option im Rechtsklickmenü aus und wählen Sie anschließend den gewünschten Vorgang aus der angezeigten Liste: +
        Wenn Sie die Option Zellen nach links verschieben auswählen, wird die Zellen rechts von der gelöschten Zelle nach links verschoben; +
        wenn Sie die Option Zellen nach oben verschieben auswählen, wird die Zelle unterhalb der gelöschten Zelle nach oben verschoben; +
        wenn Sie die Option Ganze Zeile auswählen, wird die Zeile unterhalb der ausgewählten Zeile nach oben verschoben; +
        wenn Sie die Option Ganze Spalte auswählen, wird die Spalte rechts von der gelöschten Spalte nach links verschoben. +
      4. +
      +

      Sie können auch die Tastenkombination Strg+Umschalt+- verwenden, um das Dialogfeld zum Löschen von Zellen zu öffnen, wählen Sie Zellen nach links verschieben, Zellen nach oben verschieben , Ganze Zeile oder Ganze Spalte und klicken Sie auf OK.

      +

      Delete cells window

      Mithilfe des Symbols Rückgängig auf der oberen Symbolleiste können Sie gelöschte Daten jederzeit wiederherstellen.

      - \ No newline at end of file + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm index bfc35cb84..abb03c4e2 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/InsertEquation.htm @@ -24,15 +24,19 @@
    2. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen.
    3. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel.
    -

    Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.

    Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.

    +

    Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.

    +
    +

    Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente.

    Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie für alle Platzhalter die gewünschten Werte ein.

    Werte eingeben

    -

    Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten.

    - Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in die Platzhaltern einfügen:

    +

    Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten.

    +
    +

    Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in die Platzhaltern einfügen: +

    Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen:

    @@ -46,10 +50,11 @@

    Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile im Formelfeld passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen.

    Formeln formatieren

    Standardmäßig wird die Formel innerhalb des Formelfelds horizontal zentriert und vertikal am oberen Rand des Formelfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Formelfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der oberen Symbolleiste.

    -

    Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen

    und
    in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst.

    -

    Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.

    Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern:

    -

    Pivot-Tabelle Erweiterte Einstellungen

    Der Abschnitt Datenquelle ändert die verwendeten Daten für die Pivot-Tabelle.

    diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm index 40a204704..7d8d8f416 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSheet.htm @@ -25,13 +25,11 @@

    Klicken Sie mit der rechten Maustaste auf die Tabellenregisterkarte, die Sie schützen möchten, und wählen Sie Schützen aus der Liste der Optionen.

    Tabellenregisterkarte schützen

    -
  • - Geben Sie im geöffneten Fenster Blatt schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieses Blatts aufzuheben. +
  • Geben Sie im geöffneten Fenster Blatt schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieses Blatts aufzuheben.

    Blatt schützen

    Das Kennwort kann nicht wiederhergestellt werden, wenn Sie es verlieren oder vergessen. Bitte bewahren Sie es an einem sicheren Ort auf.

  • -
  • - Aktivieren Sie die Kontrollkästchen in der Liste Alle Benutzer dieser Arbeitsblätter können, um Vorgänge auszuwählen, die Benutzer ausführen können. Die Operationen Gesperrte Zellen auswählen und Aufgesperrte Zellen auswählen sind standardmäßig erlaubt. +
  • Aktivieren Sie die Kontrollkästchen in der Liste Alle Benutzer dieser Arbeitsblätter können, um Vorgänge auszuwählen, die Benutzer ausführen können. Die Operationen Gesperrte Zellen auswählen und Aufgesperrte Zellen auswählen sind standardmäßig erlaubt.
    Operationen, die ein Benutzer ausführen kann.
  • -
  • - Klicken Sie auf die Schaltfläche Schützen, um den Schutz zu aktivieren. Die Schaltfläche Blatt schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald das Blatt geschützt ist. +
  • Klicken Sie auf die Schaltfläche Schützen, um den Schutz zu aktivieren. Die Schaltfläche Blatt schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald das Blatt geschützt ist.

    Blatt schützen - hervorheben

  • Um den Schutz des Blatts aufzuheben, - + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm index 8bd63801b..707bbd944 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectSpreadsheet.htm @@ -23,7 +23,7 @@

    Kalkulationstabelle schützen, um die Benutzeraktionen innerhalb einer Tabelle zu verwalten und unerwünschte Änderungen an Daten zu verhindern.

    Bearbeitung der Bereiche erlauben, um Zellbereiche anzugeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann.

    Verwenden Sie die Kontrollkästchen der Registerkarte Schutz, um den Blattinhalt in einem geschützten Blatt schnell zu sperren oder zu entsperren.

    -

    Hinweis: Diese Optionen werden erst aktualisiert, wenn Sie den Blattschutz aktivieren.

    +

    Diese Optionen werden erst aktualisiert, wenn Sie den Blattschutz aktivieren.

    Standardmäßig sind die Zellen, die Formen und der Text innerhalb einer Form in einem Blatt gesperrt. Deaktivieren Sie das entsprechende Kontrollkästchen, um sie zu entsperren. Die entsperrten Objekte können weiterhin bearbeitet werden, wenn ein Blatt geschützt ist. Die Optionen Gesperrte Form und Text sperren werden aktiv, wenn eine Form ausgewählt wird. Die Option Gesperrte Form gilt sowohl für Formen als auch für andere Objekte wie Diagramme, Bilder und Textfelder. Die Option Text sperren sperrt Text in allen grafischen Objekten außer in Diagrammen.

    Aktivieren Sie das Kontrollkästchen Ausgeblendete Formeln, um Formeln in einem ausgewählten Bereich oder einer Zelle auszublenden, wenn ein Blatt geschützt ist. Die ausgeblendete Formel wird nicht in der Bearbeitungsleiste angezeigt, wenn Sie auf die Zelle klicken.

    diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm index b3a8ccefc..46d725224 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ProtectWorkbook.htm @@ -19,7 +19,8 @@

    Mit der Option Arbeitsmappe schützen können Sie die Arbeitsmappenstruktur schützen und die Manipulationen der Arbeitsmappe durch Benutzer verwalten, sodass niemand ausgeblendete Arbeitsblätter anzeigen, hinzufügen, verschieben, löschen, ausblenden und umbenennen kann. Sie können die Arbeitsmappe mit oder ohne Kennwort schützen. Wenn Sie kein Kennwort verwenden, kann jeder den Schutz der Arbeitsmappe aufheben.

    Um die Arbeitsmappe zu schützen,

      -
    1. Gehen Sie zur Registerkarte Schutz und klicken Sie in der oberen Symbolleiste auf die Schaltfläche Arbeitsmappe schützen.
    2. +
    3. Gehen Sie zur Registerkarte Schutz und klicken Sie in der oberen Symbolleiste auf die Schaltfläche Arbeitsmappe schützen. +
    4. Geben Sie im geöffneten Fenster Arbeitsmappenstruktur schützen das Kennwort ein und bestätigen Sie es, wenn Sie ein Kennwort festlegen möchten, um den Schutz dieser Arbeitsmappe aufzuheben.

      Arbeitsmappenstruktur schützen

      @@ -30,16 +31,14 @@

      Die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste bleibt hervorgehoben, sobald die Arbeitsmappe geschützt ist.

      Arbeitsmappe schützen - hervorheben

    5. -
    6. - Um den Schutz der Arbeitsmappe aufzuheben, +
    7. Um den Schutz der Arbeitsmappe aufzuheben,
        -
      • - klicken Sie bei einer kennwortgeschützten Arbeitsmappe auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste, geben Sie das Kennwort in das Pop-Up-Fenster Arbeitsmappe entschützen ein und klicken Sie auf OK. +
      • klicken Sie bei einer kennwortgeschützten Arbeitsmappe auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste, geben Sie das Kennwort in das Pop-Up-Fenster Arbeitsmappe entschützen ein und klicken Sie auf OK.

        Arbeitsmappe entschützen

      • mit einer ohne Kennwort geschützten Arbeitsmappe klicken Sie einfach auf die Schaltfläche Arbeitsmappe schützen in der oberen Symbolleiste.
      -
    + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/RemoveDuplicates.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/RemoveDuplicates.htm index e37387af4..4c057bd45 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/RemoveDuplicates.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/RemoveDuplicates.htm @@ -15,7 +15,7 @@

    Duplikate entfernen

    -

    Im Tabelleneditor sie können die Duplikate im ausgewälten Zellbereich oder in der formatierten Tabelle entfernen.

    +

    In der Tabellenkalkulation können Sie die Duplikate im ausgewälten Zellbereich oder in der formatierten Tabelle entfernen.

    Um die Duplikate zu entfernen:

    1. Wählen Sie den gewünschten Zellbereich mit den Duplikaten aus.
    2. diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm index cf11640a0..1c8989c0d 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@

      In der Desktop-Version können Sie die Tabelle unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern.

      1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
      2. -
      3. Wählen Sie die Option Speichern als....
      4. +
      5. Wählen Sie die Option Speichern als.
      6. Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDF/A. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen.
      @@ -37,7 +37,7 @@

      In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers speichern.

      1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
      2. -
      3. Wählen Sie die Option Herunterladen als....
      4. +
      5. Wählen Sie die Option Herunterladen als.
      6. Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

        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).

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

        In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern.

        1. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei.
        2. -
        3. Wählen Sie die Option Kopie Speichern als....
        4. +
        5. Wählen Sie die Option Kopie speichern als.
        6. Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.
        7. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern.
        diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ScaleToFit.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ScaleToFit.htm index bfa0e2f05..3bbb84c22 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ScaleToFit.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ScaleToFit.htm @@ -15,7 +15,7 @@

        Ein Arbeitsblatt skalieren

        -

        Wenn Sie eine gesamte Tabelle zum Drucken auf eine Seite anpassen möchten, können Sie die Funktion An Format anpassen verwenden. Mithilfe dieser Funktion des Tabelleneditor kann man die Daten auf der angegebenen Anzahl von Seiten skalieren.

        +

        Wenn Sie eine gesamte Tabelle zum Drucken auf eine Seite anpassen möchten, können Sie die Funktion An Format anpassen verwenden. Mithilfe dieser Funktion der Tabellenkalkulation kann man die Daten auf der angegebenen Anzahl von Seiten skalieren.

        Um ein Arbeitsblatt zu skalieren:

        • in der oberen Symbolleiste öffnen Sie die Registerkarte Layout und wählen Sie die Option
          An Format anpassen aus, @@ -29,7 +29,7 @@

          Druckeinstellungen

        -

        Hinweis: Beachten Sie, dass der Ausdruck möglicherweise schwer zu lesen sein kann, da der Editor die Daten entsprechend verkleinert und skaliert.

        +

        Beachten Sie, dass der Ausdruck möglicherweise schwer zu lesen sein kann, da der Editor die Daten entsprechend verkleinert und skaliert.

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Slicers.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Slicers.htm index 7b613d689..02a92fd49 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Slicers.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/Slicers.htm @@ -16,7 +16,7 @@

        Datenschnitte in den formatierten Tabellen erstellen

        Einen Datenschnitt erstellen

        -

        Wenn Sie eine formatierte Tabelle im Tabelleneditor oder eine Pivot-Tabelle erstellt haben, können Sie auch die Datenschnitten einfügen, um die Information schnell zu navigieren:

        +

        Wenn Sie eine formatierte Tabelle in der Tabellenkalkulation oder eine Pivot-Tabelle erstellt haben, können Sie auch die Datenschnitten einfügen, um die Information schnell zu navigieren:

        1. wählen Sie mindestens eine Zelle der Tabelle aus und klicken Sie das Symbol Tabelleneinstellungen
          rechts.
        2. klicken Sie die Schaltfläche
          Datenschnitt einfügen in der Registerkarte Tabelleneinstellungen auf der rechten Randleiste an. Oder öffnen Sie die Registerkarte Einfügen in der oberen Symbolleiste und klicken Sie die Schaltfläche
          Datenschnitt an. Das Fenster Datenschnitt einfügen wird geöffnet: @@ -81,13 +81,13 @@

          Die Option Verberge Elemente ohne Daten blendet die Elemente ohne Daten im Datenschnitt aus. Wenn dieses Kästchen markiert ist, werden die Optionen Visuell Elemente ohne Daten anzeigen und Elemente ohne Daten letzt anzeigen deaktiviert.

          Wenn Sie die Option Verberge Elemente ohne Daten demarkieren, verwenden Sie die folgenden Optionen:

            -
          • Die Option Visuell Elemente ohne Daten anzeigen zeigt die Elemente ohne Daten mit der verschiedenen Formatierung an (mit heller Farbe).
          • -
          • Die Option Elemente ohne Daten letzt anzeigen zeigt die Elemente ohne Daten am Ende der Liste an.
          • +
          • Die Option Elemente ohne Daten visuell kennzeichnen zeigt die Elemente ohne Daten mit der verschiedenen Formatierung an (mit heller Farbe).
          • +
          • Die Option Leere Elemente am Ende anzeigen zeigt die Elemente ohne Daten am Ende der Liste an.

          Datenschnitt - Erweiterte Einstellungen

          -

          Der Abschnitt Referenzen enthält die folgenden Einstellungen:

          +

          Der Abschnitt Verweise enthält die folgenden Einstellungen:

            -
          • Die Option Quellenname zeigt den Feldnamen an, der der Kopfzeilenspalte aus der Datenquelle entspricht.
          • +
          • Die Option Name der Quelle zeigt den Feldnamen an, der der Kopfzeilenspalte aus der Datenquelle entspricht.
          • Die Option Name zur Nutzung in Formeln zeigt den Datenschnittnamen an, der im Menü Name-Manager ist.
          • Die Option Name fügt den Namen für einen Datenschnitt ein, um den Datenschnitt klar zu machen.
          diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SortData.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SortData.htm index 8f2d522b8..fd1e27506 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SortData.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SortData.htm @@ -10,59 +10,77 @@ -
          -
          - -
          -

          Daten filtern und sortieren

          -

          Daten sortieren

          -

          Sie können Ihre Daten in einer Tabelleneditor mithilfe der verfügbaren Optionen schnell sortieren:

          -
            -
          • Aufsteigend wird genutzt, um Ihre Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von den kleinsten bis zu den größten nummerischen Werten.
          • -
          • Absteigend wird genutzt, um Ihre Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von den größten bis zu den kleinsten nummerischen Werten.
          • -
          -

          Daten sortieren:

          -
            -
          1. Wählen Sie den Zellenbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle in einem Bereich auswählen, um den gesamten Bereich zu sortieren.
          2. -
          3. Klicken Sie auf das Symbol Von A bis Z sortieren
            in der Registerkarte Start auf der oberen Symbolleiste, um Ihre Daten in aufsteigender Reihenfolge zu sortieren,
            ODER
            klicken Sie auf das Symbol Von Z bis A sortieren
            in der Registerkarte Start auf der oberen Symbolleiste, um Ihre Daten in absteigender Reihenfolge zu sortieren.
          4. -
          -

          Hinweis: Wenn Sie eine einzelne Spalte / Zeile innerhalb eines Zellenbereichs oder eines Teils der Spalte / Zeile auswählen, werden Sie gefragt, ob Sie die Auswahl um benachbarte Zellen erweitern oder nur die ausgewählten Daten sortieren möchten.

          -

          Sie können Ihre Daten auch mit Hilfe der Optionen im Kontextmenü sortieren. Klicken Sie mit der rechten Maustaste auf den ausgewählten Zellenbereich, wählen Sie im Menü die Option Sortieren und dann im Untermenü auf die gewünschte Option Aufsteigend oder Absteigend.

          +
          +
          + +
          +

          Daten filtern und sortieren

          +

          Daten sortieren

          +

          Sie können Ihre Daten in einer Tabellenkalkulation mithilfe der verfügbaren Optionen schnell sortieren:

          +
            +
          • Aufsteigend wird genutzt, um Ihre Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von den kleinsten bis zu den größten nummerischen Werten.
          • +
          • Absteigend wird genutzt, um Ihre Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von den größten bis zu den kleinsten nummerischen Werten.
          • +
          +

          Die Optionen Sortieren sind sowohl über die Registerkarten Startseite als auch Daten zugänglich.

          +

          Daten sortieren:

          +
            +
          1. Wählen Sie den Zellenbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle in einem Bereich auswählen, um den gesamten Bereich zu sortieren. +
          2. +
          3. Klicken Sie auf das Symbol Von A bis Z sortieren
            in der Registerkarte Startseite auf der oberen Symbolleiste, um Ihre Daten in aufsteigender Reihenfolge zu sortieren, +
            ODER
            + klicken Sie auf das Symbol Von Z bis A sortieren
            > in der Registerkarte Startseite auf der oberen Symbolleiste, um Ihre Daten in absteigender Reihenfolge zu sortieren. +
          4. +
          +

          Wenn Sie eine einzelne Spalte / Zeile innerhalb eines Zellenbereichs oder eines Teils der Spalte / Zeile auswählen, werden Sie gefragt, ob Sie die Auswahl um benachbarte Zellen erweitern oder nur die ausgewählten Daten sortieren möchten.

          +

          Sie können Ihre Daten auch mit Hilfe der Optionen im Kontextmenü sortieren. Klicken Sie mit der rechten Maustaste auf den ausgewählten Zellenbereich, wählen Sie im Menü die Option Sortieren und dann im Untermenü auf die Option Aufsteigend oder Absteigend klicken.

          Mithilfe des Kontextmenüs können Sie die Daten auch nach Farbe sortieren.

          1. Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten.
          2. Wählen Sie die Option Sortieren aus dem Menü aus.
          3. -
          4. Wählen Sie die gewünschte Option aus dem Untermenü aus:
              +
            • + Wählen Sie die gewünschte Option aus dem Untermenü aus: +
              • Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen.
              • Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen.
            • -
          - -

          Daten filtern

          -

          Um nur Zeilen anzuzeigen die bestimmten Kriterien entsprechen, nutzen Sie die Option Filter.

          Filter aktivieren:
            +
          + +

          Daten filtern

          +

          Um nur Zeilen anzuzeigen die bestimmten Kriterien entsprechen, nutzen Sie die Option Filter.

          +

          Auf die Filter-Optionen kann sowohl über die Registerkarten Startseite als auch Daten zugegriffen werden.

          + Filter aktivieren: +
          1. Wählen Sie den Zellenbereich aus, der die Daten enthält, die Sie filtern möchten (Sie können eine einzelne Zelle in einem Zellbereich auswählen, um den gesamten Zellbereich zu filter).
          2. -
          3. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter
            . -

            Ein nach unten gerichteter Pfeil wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. So können Sie erkennen, dass der Filter aktiviert ist.

            +
          4. + Klicken Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Filter
            . +

            Ein nach unten gerichteter Pfeil wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. So können Sie erkennen, dass der Filter aktiviert ist.

          Einen Filter anwenden:

            -
          1. Klicken Sie auf den Filterpfeil
            . Die Liste mit den Filter-Optionen wird angezeigt:

            Filter

            +
          2. Klicken Sie auf den Filterpfeil
            . Die Liste mit den Filter-Optionen wird angezeigt: +

            Filter

            +

            Sie können die Größe des Filterfensters anpassen, indem Sie seinen rechten Rand nach rechts oder links ziehen, um die Daten so bequem wie möglich anzuzeigen.

          3. -

            Passen Sie die Filterparameter an. Folgende Optionen stehen Ihnen zur Verfügung: Anzuzeigende Daten auswählen; Daten nach bestimmten Kriterien filtern oder Daten nach Farben filtern.

            +

            Passen Sie die Filterparameter an. Folgende Optionen stehen Ihnen zur Verfügung: Anzuzeigende Daten auswählen; Daten nach bestimmten Kriterien filtern oder Daten nach Farben filtern.

              -
            • Anzuzeigende Daten auswählen:

              Deaktivieren Sie die Felder neben den Daten die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten neben dem Fenster Filter in absteigender Reihenfolge dargestellt.

              -

              Hinweis: das Kästchen {Leerstellen} bezieht sich auf leere Zellen. Es ist verfügbar, wenn der ausgewählte Zellenbereich mindestens eine leere Zelle enthält.

              +
            • + Anzuzeigende Daten auswählen: +

              Deaktivieren Sie die Felder neben den Daten die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten neben dem Fenster Filter in absteigender Reihenfolge dargestellt.

              +

              Die Anzahl der eindeutigen Werte im gefilterten Bereich wird rechts neben jedem Wert im Filterfenster angezeigt.

              +

              Das Kästchen {Leerstellen} bezieht sich auf leere Zellen. Es ist verfügbar, wenn der ausgewählte Zellenbereich mindestens eine leere Zelle enthält.

              Über das oben befindliche Suchfeld, können Sie den Prozess vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein und drücken Sie dann auf OK - die Werte, die die gesuchten Zeichen enthalten, werden in der Liste unten angezeigt. Außerdem stehen Ihnen die zwei folgenden Optionen zur Verfügung:

              • Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Diese Option ermöglicht Ihnen alle Werte auszuwählen, die Ihrer Abfrage in der Liste entsprechen.
              • -
              • Aktuelle Auswahl zum Filtern hinzufügen - Wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte nicht ausgeblendet, wenn Sie den Filter anwenden.
              • +
              • Aktuelle Auswahl zum Filtern hinzufügen - wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte nicht ausgeblendet, wenn Sie den Filter anwenden.

              Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie auf die Schaltfläche OK in der Optionsliste Filter, um den Filter anzuwenden.

            • -
            • Daten nach bestimmten Kriterien filtern

              Abhängig von den Daten, die in der ausgewählten Spalte enthalten sind, können Sie im rechten Teil der Liste der Filteroptionen entweder die Option Zahlenfilter oder die Option Textfilter auswählen und dann eine der Optionen aus dem Untermenü auswählen:

              +
            • + Daten nach bestimmten Kriterien filtern +

              Abhängig von den Daten, die in der ausgewählten Spalte enthalten sind, können Sie im rechten Teil der Liste der Filteroptionen entweder die Option Zahlenfilter oder die Option Textfilter auswählen und dann eine der Optionen aus dem Untermenü auswählen:

              • Für Zahlenfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Top 10, Größer als der Durchschnitt, Kleiner als der Durchschnitt, Benutzerdefinierter Filter....
              • Für Textfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Beginnt mit..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält..., Enthält nicht..., Benutzerdefinierter Filter....
              • @@ -77,7 +95,9 @@

                In der ersten Dropdown-Liste können Sie auswählen, ob Sie die höchsten (Oben) oder niedrigsten (Unten) Werte anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). Die dritte Drop-Down-Liste erlaubt die Einstellung von Maßeinheiten: Element oder Prozent. Nach der Einstellung der erforderlichen Parameter, klicken Sie auf OK, um den Filter anzuwenden.

                Wenn Sie die Option Größer/Kleiner als Durchschnitt aus dem Zahlenfilter auswählen, wird der Filter sofort angewendet.

                -
              • Daten nach Farbe filtern

                Wenn der Zellenbereich, den Sie filtern möchten, Zellen mit einem formatierten Hintergrund oder einer geänderten Schriftfarbe enthalten (manuell oder mithilfe vordefinierter Stile), stehen Ihnen die folgenden Optionen zur Verfügung:

                +
              • + Daten nach Farbe filtern +

                Wenn der Zellenbereich, den Sie filtern möchten, Zellen mit einem formatierten Hintergrund oder einer geänderten Schriftfarbe enthalten (manuell oder mithilfe vordefinierter Stile), stehen Ihnen die folgenden Optionen zur Verfügung:

                • Nach Zellenfarbe filtern - nur die Einträge mit einer bestimmten Zellenhintergrundfarbe anzeigen und alle anderen verbergen.
                • Nach Schriftfarbe filtern - nur die Einträge mit einer bestimmten Schriftfarbe anzeigen und alle anderen verbergen.
                • @@ -87,18 +107,18 @@

                Die Schaltfläche Filter wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. Das bedeutet, dass der Filter aktiviert ist. Die Anzahl der gefilterten Datensätze wird in der Statusleiste angezeigt (z. B. 25 von 80 gefilterten Datensätzen).

                -

                Hinweis: Wenn der Filter angewendet wird, können die ausgefilterten Zeilen beim automatischen Ausfüllen, Formatieren und Löschen der sichtbaren Inhalte nicht geändert werden. Solche Aktionen betreffen nur die sichtbaren Zeilen, die Zeilen, die vom Filter ausgeblendet werden, bleiben unverändert. Beim Kopieren und Einfügen der gefilterten Daten können nur sichtbare Zeilen kopiert und eingefügt werden. Dies entspricht jedoch nicht manuell ausgeblendeten Zeilen, die von allen ähnlichen Aktionen betroffen sind.

                +

                Wenn der Filter angewendet wird, können die ausgefilterten Zeilen beim automatischen Ausfüllen, Formatieren und Löschen der sichtbaren Inhalte nicht geändert werden. Solche Aktionen betreffen nur die sichtbaren Zeilen, die Zeilen, die vom Filter ausgeblendet werden, bleiben unverändert. Beim Kopieren und Einfügen der gefilterten Daten können nur sichtbare Zeilen kopiert und eingefügt werden. Dies entspricht jedoch nicht manuell ausgeblendeten Zeilen, die von allen ähnlichen Aktionen betroffen sind.

              • -
          +

        Gefilterte Daten sortieren

        -

        Sie können die Sortierreihenfolge der Daten festlegen, für die Sie den Filter aktiviert oder angewendet haben. Klicken Sie auf den Pfeil oder auf das Smbol Filter und wählen Sie eine der Optionen in der Liste der für Filter zur Verfügung stehenden Optionen aus:

        -
          -
        • Von niedrig zu hoch - Daten in aufsteigender Reihenfolge sortieren, wobei der niedrigste Wert oben in der Spalte angezeigt wird.
        • -
        • Von hoch zu niedrig - Daten in absteigender Reihenfolge sortieren, wobei der höchste Wert oben in der Spalte angezeigt wird.
        • -
        • Nach Zellfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Zellfarbe oben in der Spalte anzeigen.
        • -
        • Nach Schriftfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Schriftfarbe oben in der Spalte anzeigen.
        • -
        -

        Die letzten beiden Optionen können verwendet werden, wenn der zu sortierende Zellenbereich Zellen enthält, die Sie formatiert haben und deren Hintergrund oder Schriftfarbe geändert wurde (manuell oder mithilfe vordefinierter Stile).

        +

        Sie können die Sortierreihenfolge der Daten festlegen, für die Sie den Filter aktiviert oder angewendet haben. Klicken Sie auf den Pfeil oder auf das Symbol Filter und wählen Sie eine der Optionen in der Liste der für Filter zur Verfügung stehenden Optionen aus:

        +
          +
        • Von niedrig zu hoch - Daten in aufsteigender Reihenfolge sortieren, wobei der niedrigste Wert oben in der Spalte angezeigt wird.
        • +
        • Von hoch zu niedrig - Daten in absteigender Reihenfolge sortieren, wobei der höchste Wert oben in der Spalte angezeigt wird.
        • +
        • Nach Zellfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Zellfarbe oben in der Spalte anzeigen.
        • +
        • Nach Schriftfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Schriftfarbe oben in der Spalte anzeigen.
        • +
        +

        Die letzten beiden Optionen können verwendet werden, wenn der zu sortierende Zellenbereich Zellen enthält, die Sie formatiert haben und deren Hintergrund oder Schriftfarbe geändert wurde (manuell oder mithilfe vordefinierter Stile).

        Die Sortierrichtung wird durch die Pfeilrichtung des jeweiligen Filters angezeigt.

        • Wenn die Daten in aufsteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt:
          und das Symbol Filter ändert sich folgendermaßen:
          .
        • @@ -108,7 +128,9 @@
          1. Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten.
          2. Wählen Sie die Option Sortieren aus dem Menü aus.
          3. -
          4. Wählen Sie die gewünschte Option aus dem Untermenü aus:
              +
            • + Wählen Sie die gewünschte Option aus dem Untermenü aus: +
              • Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen.
              • Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen.
              @@ -116,54 +138,22 @@

          Nach ausgewählten Zelleninhalten filtern.

          Sie können die Daten auch über das Kontextmenü nach bestimmten Inhalten filtern: Klicken Sie mit der rechten Maustaste auf eine Zelle, wählen Sie die Filteroptionen aus dem Menü aus und wählen Sie anschließend eine der verfügbaren Optionen:

          -
            +
            • Nach dem Wert der ausgewählten Zelle filtern - es werden nur Einträge angezeigt, die denselben Wert wie die ausgewählte Zelle enthalten.
            • Nach Zellfarbe filtern - es werden nur Einträge mit derselben Zellfarbe wie die ausgewählte Zelle angezeigt.
            • Nach Schriftfarbe filtern - es werden nur Einträge mit derselben Schriftfarbe wie die ausgewählte Zelle angezeigt.

            Wie Tabellenvorlage formatieren

            -

            Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu vor wie folgt:

            -
              -
            1. Wählen sie einen Zellenbereich, den Sie formatieren möchten.
            2. -
            3. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren
              in der Registerkarte Start auf der oberen Symbolleiste.
            4. -
            5. Wählen Sie die gewünschte Vorlage in der Gallerie aus.
            6. -
            7. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll im geöffneten Fenster.
            8. -
            9. Aktivieren Sie das Kontrollkästchen Titel, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellbereich um eine Zeile nach unten verschoben wird.
            10. -
            11. Klicken Sie auf OK, um die gewählte Vorlage anzuwenden.
            12. -
            -

            Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten.

            -

            Hinweis: wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname zugewiesen (Tabelle1, Tabelle2 usw.). Sie können den Namen ändern und für weitere Bearbeitungen verwenden.

            -

            Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie auf die angezeigte Schaltfläche und wählen Sie die Option Automatische Erweiterung rückgängig machen. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar.

            -

            Automatische Erweiterung rückgängig machen

            -

            Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und auf das Symbol Tabelleneinstellungen rechts klicken.

            -

            Registerkarte Tabelleneinstellungen

            -

            In den Abschnitten Zeilen und Spalten, haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung:

            -
              -
            • Kopfzeile - Kopfzeile wird angezeigt.
            • -
            • Gesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt.
            • -
            • Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert.
            • -
            • Schaltfläche Filtern - die Filterpfeile
              werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist.
            • -
            • Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben.
            • -
            • Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben.
            • -
            • Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert.
            • -
            -

            Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten:

            -

            -

            Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an:

            -

            -

            Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie auf die Schaltfläche Daten auswählen - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellbereich im Eingabefeld oder wählen Sie den gewünschten Zellbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie anschließend auf OK.

            -

            Tabellengröße ändern

            -

            Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchzuführen:

            -
              -
            • Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus.
            • -
            • Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen.
            • -
            • Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen.
            • -
            -

            Hinweis: die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich.

            -

            In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar.

            -

            Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet:

            -

            Tabelle - Erweiterte Einstellungen

            -

            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 in der Tabelle enthalten sind.

            +

            Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu vor wie folgt:

            +
              +
            1. Wählen sie einen Zellenbereich, den Sie formatieren möchten.
            2. +
            3. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren
              in der Registerkarte Startseite auf der oberen Symbolleiste.
            4. +
            5. Wählen Sie die gewünschte Vorlage in der Gallerie aus.
            6. +
            7. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll im geöffneten Fenster.
            8. +
            9. Aktivieren Sie das Kontrollkästchen Titel, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellbereich um eine Zeile nach unten verschoben wird.
            10. +
            11. Klicken Sie auf OK, um die gewählte Vorlage anzuwenden.
            12. +
            +

            Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten.

            Filter erneut anwenden:

            Wenn die gefilterten Daten geändert wurden, können Sie den Filter aktualisieren, um ein aktuelles Ergebnis anzuzeigen:

              @@ -172,24 +162,61 @@

            Sie können auch mit der rechten Maustaste auf eine Zelle innerhalb der Spalte klicken, die die gefilterten Daten enthält, und im Kontextmenü die Option Filter erneut anwenden auswählen.

            Filter leeren

            -

            Angewendete Filter leeren:

            +

            Angewendete Filter leeren:

            1. Klicken Sie auf die Schaltfläche Filter
              in der ersten Zelle der Spalte mit den gefilterten Daten.
            2. Wählen Sie die Option Filter leeren in der geöffneten Liste mit den Filteroptionen aus.

            Alternativ gehen Sie vor wie folgt:

            -
              -
            1. Wählen Sie den Zellenbereich mit den gefilterten Daten aus.
            2. -
            3. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter leeren
              .
            4. -
            +
              +
            1. Wählen Sie den Zellenbereich mit den gefilterten Daten aus.
            2. +
            3. Klicken Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Filter leeren
              .
            4. +

            Der Filter bleibt aktiviert, aber alle angewendeten Filterparameter werden entfernt und die Schaltflächen Filter in den ersten Zellen der Spalten werden in die Filterpfeile geändert.

            Filter entfernen

            Einen Filter entfernen:

            1. Wählen Sie den Zellenbereich mit den gefilterten Daten aus.
            2. -
            3. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter
              .
            4. +
            5. Klicken Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Filter
              .

            Der Filter werde deaktiviert und die Filterpfeile verschwinden aus den ersten Zellen der Spalten.

            - +

            Daten nach mehreren Spalten/Zeilen sortieren

            +

            Um Daten nach mehreren Spalten/Zeilen zu sortieren, können Sie mit der Funktion Benutzerdefinierte Sortierung mehrere Sortierebenen erstellen.

            +
              +
            1. Wählen Sie einen Zellbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle auswählen, um den gesamten Bereich zu sortieren).
            2. +
            3. Klicken Sie auf das Symbol Benutzerdefinierte Sortierung
              , das sich oben auf der Registerkarte Daten befindet Symbolleiste,
            4. +
            5. + Das Fenster Sortieren wird angezeigt. Die Sortierung nach Spalten ist standardmäßig ausgewählt. +

              Custom Sort window

              +

              Um die Sortierausrichtung zu ändern (d. h. Daten nach Zeilen statt nach Spalten zu sortieren), klicken Sie oben auf die Schaltfläche Optionen. Das Fenster Sortieroptionen wird geöffnet:

              +

              Sort Options window

              +
                +
              1. Aktivieren Sie bei Bedarf das Kontrollkästchen Meine Daten haben Kopfzeilen.
              2. +
              3. Wählen Sie die erforderliche Ausrichtung: Von oben nach unten sortieren, um Daten nach Spalten zu sortieren, oder Von links nach rechts sortieren, um Daten nach Zeilen zu sortieren.
              4. +
              5. Klicken Sie auf OK, um die Änderungen zu übernehmen und das Fenster zu schließen.
              6. +
              +
            6. +
            7. + Legen Sie die erste Sortierebene im Feld Sortieren nach fest: +

              Custom Sort window

              +
                +
              • Wählen Sie im Abschnitt Spalte / Zeile die erste Spalte / Zeile aus, die Sie sortieren möchten.
              • +
              • Wählen Sie in der Liste Sortieren nach eine der folgenden Optionen: Werte, Zellenfarbe oder Schriftfarbe,
              • +
              • + Geben Sie in der Liste Reihenfolge die erforderliche Sortierreihenfolge an. Die verfügbaren Optionen unterscheiden sich je nach der in der Liste Sortieren nach ausgewählten Option: +
                  +
                • wenn die Option Werte ausgewählt ist, wählen Sie die Option Aufsteigend / Absteigend, wenn der Zellbereich Zahlen enthält oder A bis Z / Z bis A Option, wenn der Zellbereich Textwerte enthält,
                • +
                • wenn die Option Zellenfarbe ausgewählt ist, wählen Sie die erforderliche Zellenfarbe und wählen Sie die Option Oben / Unten für Spalten oder Links / Rechts Option für Zeilen,
                • +
                • wenn die Option Schriftfarbe ausgewählt ist, wählen Sie die erforderliche Schriftfarbe und wählen Sie die Option Oben / Unten für Spalten oder Links / Rechts Option für Zeilen.
                • +
                +
              • +
              +
            8. +
            9. Fügen Sie die nächste Sortierebene hinzu, indem Sie auf die Schaltfläche Ebene hinzufügen klicken, wählen Sie die zweite Spalte / Zeile aus, die Sie sortieren möchten, und geben Sie andere Sortierparameter im Feld Dann nach wie oben beschrieben an. Fügen Sie bei Bedarf auf die gleiche Weise weitere Ebenen hinzu.
            10. +
            11. Verwalten Sie die hinzugefügten Ebenen mit den Schaltflächen oben im Fenster: Ebene löschen, Ebene kopieren oder ändern Sie die Reihenfolge der Ebenen mit den Pfeilschaltflächen Ebene nach oben verschieben / Ebene nach unten verschieben.
            12. +
            13. Klicken Sie auf OK, um die Änderungen zu übernehmen und das Fenster zu schließen.
            14. +
            +

            Die Daten werden nach den angegebenen Sortierebenen sortiert.

            + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UndoRedo.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UndoRedo.htm index 48829b484..8305f913a 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UndoRedo.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UndoRedo.htm @@ -1,7 +1,7 @@  - Vorgänge rückgängig machen/wiederholen + Ihre Aktionen rückgängig machen oder wiederholen @@ -14,14 +14,16 @@
            -

            Vorgänge rückgängig machen/wiederholen

            -

            Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile des Tabelleneditor, um Vorgänge rückgängig zu machen/zu wiederholen:

            +

            Ihre Aktionen rückgängig machen oder wiederholen

            +

            Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile der Tabellenkalkulation, um Vorgänge rückgängig zu machen/zu wiederholen:

            • Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen
              , um den zuletzt durchgeführten Vorgang rückgängig zu machen.
            • Wiederholen – klicken Sie auf das Symbol Wiederholen
              , um den zuletzt rückgängig gemachten Vorgang zu wiederholen.

            Diese Vorgänge können auch mithilfe der entsprechenden Tastenkombinationen durchgeführt werden.

            -

            Hinweis: Wenn Sie eine Kalkulationstabelle im Modus Schnell gemeinsam bearbeiten, ist die Option letzten Vorgang Rückgängig machen/Wiederholen nicht verfügbar.

            +

            + Wenn Sie eine Kalkulationstabelle im Modus Schnell gemeinsam bearbeiten, ist die Option letzten Vorgang Rückgängig machen/Wiederholen nicht verfügbar. +

            - \ No newline at end of file + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UseNamedRanges.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UseNamedRanges.htm index 13c9d9d3b..f6ac0ebc4 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UseNamedRanges.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/UseNamedRanges.htm @@ -10,70 +10,87 @@ -
            -
            - -
            -

            Namensbereiche verwenden

            +
            +
            + +
            +

            Namensbereiche verwenden

            Namen sind sinnvolle Kennzeichnungen, die für eine Zelle oder einen Zellbereich zugewiesen werden können und die das Arbeiten mit Formeln vereinfachen im Tabelleneditor. Wenn Sie eine Formel erstellen, können Sie einen Namen als Argument eingeben, anstatt einen Verweis auf einen Zellbereich zu erstellen. Wenn Sie z. B. den Namen Jahreseinkommen für einen Zellbereich vergeben, können Sie SUMME(Jahreseinkommen) eingeben, anstelle von SUMME (B1:B12). Auf diese Art werden Formeln übersichtlicher. Diese Funktion kann auch nützlich sein, wenn viele Formeln auf ein und denselben Zellbereich verweisen. Wenn die Bereichsadresse geändert wird, können Sie die Korrektur mithilfe des Namensverwaltung vornehmen, anstatt alle Formeln einzeln zu bearbeiten.

            -

            Es gibt zwei Arten von Namen, die verwendet werden können:

            +

            Es gibt zwei Arten von Namen, die verwendet werden können:

            • Definierter Name - ein beliebiger Name, den Sie für einen bestimmten Zellbereich angeben können. Definierte Namen umfassen auch die Namen die automatisch bei der Einrichtung eines Druckbereichs erstellt werden.
            • Tabellenname - ein Standardname, der einer neu formatierten Tabelle automatisch zugewiesen wird (Tabelle1, Tabelle2 usw.). Sie können den Namen später bearbeiten.
            +

            Wenn Sie einen Slicer für eine formatierte Tabelle erstellt haben, wird ein automatisch zugewiesener Slicer-Name auch im Namensanager angezeigt (Slicer_Column1, Slicer_Column2 usw. Dieser Name besteht aus dem Teil Slicer_ und dem Feldnamen, der der Spaltenüberschrift aus den Quelldaten entspricht). Sie können diesen Namen später bearbeiten.

            Namen werden auch nach Bereich klassifiziert, d. h. der Ort, an dem ein Name erkannt wird. Ein Name kann für die gesamte Arbeitsmappe (wird für jedes Arbeitsblatt in dieser Arbeitsmappe erkannt) oder für ein separates Arbeitsblatt (wird nur für das angegebene Arbeitsblatt erkannt) verwendet werden. Jeder Name muss innerhalb eines Geltungsbereichs eindeutig sein, dieselben Namen können innerhalb verschiedener Bereiche verwendet werden.

            Neue Namen erstellen

            -

            So erstellen Sie einen neuen definierten Namen für eine Auswahl:

            -
              -
            1. Wählen Sie eine Zelle oder einen Zellbereich aus, dem Sie einen Namen zuweisen möchten.
            2. -
            3. Öffnen Sie ein neues Namensfenster:
                -
              • Klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie die Option Namen definieren im Kontextmenü aus.
              • -
              • klicken Sie auf das Symbol Benannte Bereiche
                auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Neuer Name aus dem Menü aus.
              • -
              -

              Das Fenster Neuer Name wird geöffnet:

              -

              Neuer Name

              -
            4. -
            5. Geben Sie den gewünschten Namen in das dafür vorgesehene Texteingabefeld ein.

              Hinweis: ein Name darf nicht von einer Nummer ausgehen und keine Leerzeichen oder Satzzeichen enthalten. Unterstriche (_) sind erlaubt. Groß- und Kleinschreibung wird nicht beachtet.

              -
            6. -
            7. Legen Sie den Bereich für den Namen fest. Der Bereich Arbeitsmappe ist standardmäßig ausgewählt, Sie können jedoch auch ein einzelnes Arbeitsblatt aus der Liste auswählen.
            8. -
            9. Überprüfen Sie die Angabe für den ausgewählten Datenbereich. Nehmen Sie Änderungen vor, falls erforderlich. Klicken Sie auf die Schaltfläche Daten auswählen - das Fenster Datenbereich auswählen wird geöffnet.

              Datenbereich auswählen

              -

              Ändern Sie im Eingabefeld die Verknüpfung zum Zellbereich oder wählen Sie mit der Maus einen neuen Bereich im Arbeitsblatt aus und klicken Sie dann auf OK

              -
            10. -
            11. Klicken Sie auf OK, um den Namen zu speichern.
            12. -
            +

            So erstellen Sie einen neuen definierten Namen für eine Auswahl:

            +
              +
            1. Wählen Sie eine Zelle oder einen Zellbereich aus, dem Sie einen Namen zuweisen möchten.
            2. +
            3. Öffnen Sie ein neues Namensfenster: +
                +
              • Klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie die Option Namen definieren im Kontextmenü aus.
              • +
              • oder klicken Sie auf das Symbol Benannte Bereiche
                auf der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie im Menü die Option Namen definieren.
              • +
              • oder klicken Sie auf die Schaltfläche Benannte Bereiche
                auf der Registerkarte Formel in der oberen Symbolleiste und wählen Sie den Namens-Manger aus dem Menü. Wählen Sie im geöffneten Fenster die Option Neu.
              • +
              +

              Das Fenster Neuer Name wird geöffnet:

              +

              Neuer Name

              +
            4. +
            5. Geben Sie den gewünschten Namen in das dafür vorgesehene Texteingabefeld ein. +

              Ein Name darf nicht von einer Nummer ausgehen und keine Leerzeichen oder Satzzeichen enthalten. Unterstriche (_) sind erlaubt. Groß- und Kleinschreibung wird nicht beachtet.

              +
            6. +
            7. Legen Sie den Bereich für den Namen fest. Der Bereich Arbeitsmappe ist standardmäßig ausgewählt, Sie können jedoch auch ein einzelnes Arbeitsblatt aus der Liste auswählen.
            8. +
            9. Überprüfen Sie die Angabe für den ausgewählten Datenbereich. Nehmen Sie Änderungen vor, falls erforderlich. Klicken Sie auf die Schaltfläche Daten auswählen - das Fenster Datenbereich auswählen wird geöffnet. +

              Datenbereich auswählen

              +

              Ändern Sie im Eingabefeld die Verknüpfung zum Zellbereich oder wählen Sie mit der Maus einen neuen Bereich im Arbeitsblatt aus und klicken Sie dann auf OK

              +
            10. +
            11. Klicken Sie auf OK, um den Namen zu speichern.
            12. +

            Um schnell einen neuen Namen für den ausgewählten Zellenbereich zu erstellen, können Sie auch den gewünschten Namen in das Namensfeld links neben der Bearbeitungsleiste eingeben und die EINGABETASTE drücken. Ein solchermaßen erstellter Name wird der Arbeitsmappe zugeordnet.

            Namensfeld

            -

            Namen verwalten

            -

            Über den Namens-Manger können Sie die vorhandenen Namen einsehen und verwalten. Namens-Manager öffnen:

            +

            Namen verwalten

            +

            Über den Name-Manager können Sie die vorhandenen Namen einsehen und verwalten. Um den Name-Manager zu öffnen:

              -
            • Klicken Sie auf das Symbol Benannte Bereiche
              auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Namens-Manger aus dem Menü aus,
            • -
            • oder klicken Sie auf den Pfeil im Namensfeld und wählen Sie die Option Namens-Manager.
            • +
            • Klicken Sie auf das Symbol Benannte Bereiche
              auf der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Name-Manager aus dem Menü aus,
            • +
            • oder klicken Sie auf den Pfeil im Namensfeld und wählen Sie die Option Name-Manager.
            -

            Das Fenster Namens-Manger wird geöffnet:

            -

            Namens-Manger

            +

            Das Fenster Name-Manager wird geöffnet:

            +

            Namens-Manager

            Zu Ihrer Bequemlichkeit können Sie die Namen filtern, indem Sie die Namenskategorie auswählen, die angezeigt werden soll. Dazu stehen Ihnen folgende Optionen zur Verfügung: Alle, Definierte Namen, Tabellennamen, Im Arbeitsblatt festgelegte Namensbereiche oder In der Arbeitsmappe festgelegte Namensbereiche. Die Namen, die zu der ausgewählten Kategorie gehören, werden in der Liste angezeigt, die anderen Namen werden ausgeblendet.

            Um die Sortierreihenfolge für die angezeigte Liste zu ändern, klicken Sie im Fenster auf die Optionen Benannte Bereiche oder Bereich.

            Namen bearbeiten: wählen Sie den entsprechenden Namen aus der Liste aus und klicken Sie auf Bearbeiten. Das Fenster Namen bearbeiten wird geöffnet:

            Namen bearbeiten

            Für einen definierten Namen können Sie den Namen und den Datenbereich (Bezug) ändern. Bei Tabellennamen können Sie nur den Namen ändern. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Ok, um die Änderungen anzuwenden. Um die Änderungen zu verwerfen, klicken Sie auf Abbrechen. Wenn der bearbeitete Name in einer Formel verwendet wird, wird die Formel automatisch entsprechend geändert.

            Namen löschen: wählen Sie den entsprechenden Namen aus der Liste aus und klicken Sie auf Löschen.

            -

            Hinweis: wenn Sie einen Namen löschen, der in einer Formel verwendet wird, kann die Formel nicht länger funktionieren (die Formel gibt den Fehlerwert #NAME? zurück).

            -

            Sie können im Fenster Names-Manager auch einen neuen Namen erstellen, klicken Sie dazu auf die Schaltfläche Neu.

            -

            Namen bei die Bearbeitung der Tabelle verwenden

            +

            Wenn Sie einen Namen löschen, der in einer Formel verwendet wird, kann die Formel nicht länger funktionieren (die Formel gibt den Fehlerwert #NAME? zurück).

            +

            Sie können im Fenster Name-Manager auch einen neuen Namen erstellen, klicken Sie dazu auf die Schaltfläche Neu.

            +

            Namen bei die Bearbeitung der Tabelle verwenden

            Um schnell zwischen Zellenbereichen zu wechseln, klicken Sie auf den Pfeil im Namensfeld und wählen Sie den gewünschten Namen aus der Namensliste aus - der Datenbereich, der diesem Namen entspricht, wird auf dem Arbeitsblatt ausgewählt.

            Namensliste

            -

            Hinweis: in der Namensliste werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind.

            +

            In der Namensliste werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind.

            In einer Formel einen Namen als Argument hinzufügen:

            1. Platzieren Sie die Einfügemarke an der Stelle, an der Sie einen Namen hinzufügen möchten.
            2. -
            3. Wählen Sie eine der folgenden Optionen:
                +
              • Wählen Sie eine der folgenden Optionen: +
                • Geben Sie den Namen des erforderlichen benannten Bereichs manuell über die Tastatur ein. Sobald Sie die Anfangsbuchstaben eingegeben haben, wird die Liste Formel automatisch vervollständigen angezeigt. Während der Eingabe werden die Elemente (Formeln und Namen) angezeigt, die den eingegebenen Zeichen entsprechen. Um den gewünschten Namen aus der Liste auszuwählen und diesen in die Formel einzufügen, klicken Sie mit einem Doppelklick auf den Namen oder drücken Sie die TAB-Taste,
                • -
                • oder klicken Sie auf das Symbol Benannte Bereiche
                  auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Namen einfügen aus dem Menü aus, wählen Sie den gewünschten Namen im Fenster Namen einfügen aus und klicken Sie auf OK.

                  Namen einfügen

                  +
                • + oder klicken Sie auf das Symbol Benannte Bereiche
                  auf der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Namen einfügen aus dem Menü aus, wählen Sie den gewünschten Namen im Fenster Namen einfügen aus und klicken Sie auf OK. +

                  Namen einfügen

            -

            Hinweis: im Fenster Namen einfügen werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind.

            -
            +

            Im Fenster Namen einfügen werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind.

            + +
              +
            1. Platzieren Sie die Einfügemarke dort, wo Sie einen Hyperlink hinzufügen möchten.
            2. +
            3. Gehen Sie zur Registerkarte Einfügen und klicken Sie auf die Schaltfläche Hyperlink.
            4. +
            5. Wählen Sie im geöffneten Fenster Hyperlink-Einstellungen die Registerkarte Interner Datenbereich und wählen Sie einen benannten Bereich aus. +

              Hyperlink Settings

              +
            6. +
            7. Klicken Sie auf OK.
            8. +
            +
            \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm index eb2b061a0..fc4a6830e 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/ViewDocInfo.htm @@ -28,19 +28,18 @@

          Wenn Sie die Dateieigenschaften geändert haben, klicken Sie auf die Schaltfläche Anwenden, um die Änderungen zu übernehmen.

          -

          Hinweis: Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen..., geben Sie den neuen Dateinamen an und klicken Sie auf OK.

          +

          Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen, geben Sie den neuen Dateinamen an und klicken Sie auf OK.

          -

          Zugriffsrechte

          In der Online-Version können Sie die Informationen zu Berechtigungen für die in der Cloud gespeicherten Dateien einsehen.

          -

          Hinweis: Diese Option steht im schreibgeschützten Modus nicht zur Verfügung.

          -

          Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte... in der linken Seitenleiste.

          +

          Diese Option steht im schreibgeschützten Modus nicht zur Verfügung.

          +

          Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte in der linken Seitenleiste.

          Sie können die aktuell ausgewählten Zugriffsrechte auch ändern, klicken Sie dazu im Abschnitt Personen mit Berechtigungen auf die Schaltfläche Zugriffsrechte ändern.

          Um den Bereich Datei zu schließen und zu Ihrer Tabelle zurückzukehren, wählen Sie die Option Menü schließen.

          Versionsverlauf

          In der Online-Version können Sie den Versionsverlauf der in der Cloud gespeicherten Dateien einsehen.

          -

          Hinweis: Diese Option ist für Benutzer mit Schreibgeschützt-Berechtigungen nicht verfügbar.

          +

          Diese Option ist für Benutzer mit Schreibgeschützt-Berechtigungen nicht verfügbar.

          Um alle an dieser Kalkulationstabelle vorgenommenen Änderungen anzuzeigen, wählen Sie in der linken Seitenleiste die Option Versionsverlauf. Es ist auch möglich, den Versionsverlauf über das Symbol Versionsverlauf auf der Registerkarte Zusammenarbeit der oberen Symbolleiste anzuzeigen. Sie sehen die Liste dieser Dokumentversionen (größere Änderungen) und Revisionen (kleinere Änderungen) mit Angabe der einzelnen Versionen/Revisionsautoren sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird zusätzlich die Versionsnummer angegeben (z. B. Ver. 2). Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Änderung anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Versions-/Revisionsautor vorgenommenen Änderungen sind mit der Farbe gekennzeichnet, die neben dem Autorennamen in der linken Seitenleiste angezeigt wird. Sie können den Link Wiederherstellen unter der ausgewählten Version/Revision verwenden, um sie wiederherzustellen.

          Versionsverlauf

          Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste.

          diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/YouTube.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/YouTube.htm index fe071cd26..8f2196043 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/YouTube.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/YouTube.htm @@ -15,7 +15,7 @@

          Video einfügen

          -

          Sie können ein Video im Tabelleneditor in Ihre Tabelle einfügen. Es wird als Bild angezeigt. Durch Doppelklick auf das Bild wird der Videodialog geöffnet. Hier können Sie das Video starten.

          +

          Sie können ein Video in der Tabellenkalkulation in Ihre Tabelle einfügen. Es wird als Bild angezeigt. Durch Doppelklick auf das Bild wird der Videodialog geöffnet. Hier können Sie das Video starten.

          1. Kopieren Sie die URL des Videos, das Sie einbetten möchten.
            diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/bulletedlistsettings.png b/apps/spreadsheeteditor/main/resources/help/de/images/bulletedlistsettings.png new file mode 100644 index 000000000..a84039c44 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/bulletedlistsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_color.png b/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_color.png new file mode 100644 index 000000000..a12004e94 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_color.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_gradient.png b/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_gradient.png new file mode 100644 index 000000000..a8f91820a Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_gradient.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_pattern.png b/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_pattern.png new file mode 100644 index 000000000..5c8e4ac2c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/cell_fill_pattern.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/chartsettings.png b/apps/spreadsheeteditor/main/resources/help/de/images/chartsettings.png index c09cc1006..ce80c2961 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/chartsettings.png and b/apps/spreadsheeteditor/main/resources/help/de/images/chartsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/create_pivot.png b/apps/spreadsheeteditor/main/resources/help/de/images/create_pivot.png index dd2263c41..ed7e51892 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/create_pivot.png and b/apps/spreadsheeteditor/main/resources/help/de/images/create_pivot.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/customsortwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/customsortwindow.png new file mode 100644 index 000000000..8668a03c7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/customsortwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/customsortwindow2.png b/apps/spreadsheeteditor/main/resources/help/de/images/customsortwindow2.png new file mode 100644 index 000000000..2c7c968e0 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/customsortwindow2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/deletecellwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/deletecellwindow.png new file mode 100644 index 000000000..ea99789a0 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/deletecellwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window.png b/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window.png index 81058ed69..6287a222f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window.png and b/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window2.png b/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window2.png index daf40846e..35cda5ec5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window2.png and b/apps/spreadsheeteditor/main/resources/help/de/images/insert_symbol_window2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/insertcellwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/insertcellwindow.png new file mode 100644 index 000000000..3a9beaec9 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/insertcellwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/insertfunctionwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/insertfunctionwindow.png new file mode 100644 index 000000000..eb0939088 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/insertfunctionwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png index b18075e73..86dc8473f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png index a1155d50a..36c0e0820 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/datatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png index 02be35ac4..cf87260b1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_collaborationtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png index 7302654d9..d64639e9f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_datatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png index 1fd5cfb02..46fe65d34 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png index 2344e1e82..4cf0563c2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png index 40ac1a3e7..3d2565011 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_formulatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png index d2a244eaf..9b3ac7ee7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png index 6b9372b72..7d2ca164b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png index 4a7f623a4..4cd882eb0 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png index e25e5d064..68d23eace 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png index 492a1fd0c..4df45f984 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png index 8202e803d..2d5aa36fe 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png index c487baa48..940af8b9f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/desktop_viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png index cf1bd6460..88c9ce932 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/editorwindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png index 98108e277..9f65a5895 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/filetab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png index 2d187e60b..5eba5918c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/formulatab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png index 9eba8c382..6a2ad5fc3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/hometab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png index 15249c9a4..b6f9abb8d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/inserttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png index 65a80986b..7229aabb8 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/layouttab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png index 1b34240d5..138c4084b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/leftpart.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png index 34f0d3282..72d0a4021 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pivottabletab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png index 5aef0e91e..c05493b74 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png index 0b61fa1ca..4105b1ef2 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png index bdbde6e64..46251ca80 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png and b/apps/spreadsheeteditor/main/resources/help/de/images/interface/viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/merge_across.png b/apps/spreadsheeteditor/main/resources/help/de/images/merge_across.png new file mode 100644 index 000000000..e95eab169 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/merge_across.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/merge_across_menu.png b/apps/spreadsheeteditor/main/resources/help/de/images/merge_across_menu.png new file mode 100644 index 000000000..b9534b6c3 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/merge_across_menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/merge_and_center.png b/apps/spreadsheeteditor/main/resources/help/de/images/merge_and_center.png new file mode 100644 index 000000000..30b639765 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/merge_and_center.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/merge_menu.png b/apps/spreadsheeteditor/main/resources/help/de/images/merge_menu.png new file mode 100644 index 000000000..183d631df Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/merge_menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/merged_area.png b/apps/spreadsheeteditor/main/resources/help/de/images/merged_area.png new file mode 100644 index 000000000..b0b94f638 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/merged_area.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/name_hyperlink.png b/apps/spreadsheeteditor/main/resources/help/de/images/name_hyperlink.png new file mode 100644 index 000000000..dd4913244 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/name_hyperlink.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/numberedlistsettings.png b/apps/spreadsheeteditor/main/resources/help/de/images/numberedlistsettings.png new file mode 100644 index 000000000..1e73ee60c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/numberedlistsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial.png b/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial.png index 28f8d7e16..c16ae61bd 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial.png and b/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial_window.png b/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial_window.png new file mode 100644 index 000000000..2d84f9c2c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/pastespecial_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/pivot_advanced.png b/apps/spreadsheeteditor/main/resources/help/de/images/pivot_advanced.png index a2e655611..def757c6f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/pivot_advanced.png and b/apps/spreadsheeteditor/main/resources/help/de/images/pivot_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/pivot_filter_field_layout.png b/apps/spreadsheeteditor/main/resources/help/de/images/pivot_filter_field_layout.png index e1c3fdd5e..d947c4367 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/pivot_filter_field_layout.png and b/apps/spreadsheeteditor/main/resources/help/de/images/pivot_filter_field_layout.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/pivot_values_field_settings.png b/apps/spreadsheeteditor/main/resources/help/de/images/pivot_values_field_settings.png index 21df215c9..5fbbd38e1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/pivot_values_field_settings.png and b/apps/spreadsheeteditor/main/resources/help/de/images/pivot_values_field_settings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/removeduplicates_window.png b/apps/spreadsheeteditor/main/resources/help/de/images/removeduplicates_window.png index 231500ca1..78036d1fd 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/removeduplicates_window.png and b/apps/spreadsheeteditor/main/resources/help/de/images/removeduplicates_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/right_slicer.png b/apps/spreadsheeteditor/main/resources/help/de/images/right_slicer.png index 7d575019e..c1a3e9925 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/right_slicer.png and b/apps/spreadsheeteditor/main/resources/help/de/images/right_slicer.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/search_window.png b/apps/spreadsheeteditor/main/resources/help/de/images/search_window.png index 6b197d481..e10bd197d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/search_window.png and b/apps/spreadsheeteditor/main/resources/help/de/images/search_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/select_cell_range.png b/apps/spreadsheeteditor/main/resources/help/de/images/select_cell_range.png new file mode 100644 index 000000000..4ae921164 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/select_cell_range.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/select_cell_range2.png b/apps/spreadsheeteditor/main/resources/help/de/images/select_cell_range2.png new file mode 100644 index 000000000..6764b1fe8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/select_cell_range2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/separator.png b/apps/spreadsheeteditor/main/resources/help/de/images/separator.png new file mode 100644 index 000000000..8324943f0 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/separator.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/severalsheets.png b/apps/spreadsheeteditor/main/resources/help/de/images/severalsheets.png new file mode 100644 index 000000000..c0e167166 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/severalsheets.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties.png b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties.png index d8831c157..a0cd5ab09 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties.png and b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties2.png b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties2.png index 816b4719b..852814cc6 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties2.png and b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties3.png b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties3.png index 4280db35c..08d31c744 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties3.png and b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties3.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties4.png b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties4.png index e3beb7cb9..8b3a251ab 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties4.png and b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties4.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties5.png b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties5.png index 8e27e9161..bb4c0b8b4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties5.png and b/apps/spreadsheeteditor/main/resources/help/de/images/slicer_properties5.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/sortoptionswindow.png b/apps/spreadsheeteditor/main/resources/help/de/images/sortoptionswindow.png new file mode 100644 index 000000000..7297bc361 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/sortoptionswindow.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/textimportwizard.png b/apps/spreadsheeteditor/main/resources/help/de/images/textimportwizard.png index 03f47211e..70b28b1da 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/textimportwizard.png and b/apps/spreadsheeteditor/main/resources/help/de/images/textimportwizard.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/unmerge.png b/apps/spreadsheeteditor/main/resources/help/de/images/unmerge.png new file mode 100644 index 000000000..c650d88f7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/de/images/unmerge.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js index 59038422c..cbc7fd6f4 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js @@ -2308,17 +2308,17 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "Über den Kalkulationstabelleneditor", - "body": "Der Tabelleneditor ist eine Online-Anwendung , mit der Sie Ihre Kalkulationstabellen direkt in Ihrem Browser betrachten und bearbeiten können. Mit dem Tabellenkalkulationseditor können Sie Editiervorgänge durchführen, wie bei einem beliebigen Desktopeditor, editierte Tabellenkalkulationen unter Beibehaltung aller Formatierungsdetails drucken oder sie auf der Festplatte Ihres Rechners als XLSX-, PDF-, ODS-, CSV, XLTX, PDF/A- oder OTS-Dateien speichern. Wenn Sie in der Online-Version mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, klicken Sie auf das Symbol in der linken Seitenleiste. Wenn Sie in der Desktop-Version für Windows mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, wählen Sie das Menü Über in der linken Seitenleiste des Hauptfensters. Öffnen Sie in der Desktop-Version für Mac OS das Menü ONLYOFFICE oben auf dem Bildschirm und wählen Sie den Menüpunkt Über ONLYOFFICE." + "body": "Der Tabelleneditor ist eine Online-Anwendung , mit der Sie Ihre Kalkulationstabellen direkt in Ihrem Browser betrachten und bearbeiten können. Mit dem Tabellenkalkulationseditor können Sie Editiervorgänge durchführen, wie bei einem beliebigen Desktopeditor, editierte Tabellenkalkulationen unter Beibehaltung aller Formatierungsdetails drucken oder sie auf der Festplatte Ihres Rechners als XLSX-, PDF-, ODS-, CSV, XLTX, PDF/A- oder OTS-Dateien speichern. Wenn Sie in der Online-Version mehr über die aktuelle Softwareversion, das Build und den Lizenzgeber erfahren möchten, klicken Sie auf das Symbol in der linken Seitenleiste. Wenn Sie in der Desktop-Version für Windows mehr über die aktuelle Softwareversion und den Lizenzgeber erfahren möchten, wählen Sie das Menü Über in der linken Seitenleiste des Hauptfensters. Öffnen Sie in der Desktop-Version für Mac OS das Menü ONLYOFFICE oben auf dem Bildschirm und wählen Sie den Menüpunkt Über ONLYOFFICE." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Erweiterte Einstellungen der Tabellenkalkulation", - "body": "Über die Funktion erweiterte Einstellungen können Sie die Grundeinstellungen in der Tabellenkalkulation ä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. Über AutoSpeichern können Sie in der Online-Version die Funktion zum automatischen Speichern von Änderungen während der Bearbeitung ein-/ausschalten. Über Wiederherstellen können Sie in der Desktop-Version die Funktion zum automatischen Wiederherstellen von Dokumenten für den Fall eines unerwarteten Programmabsturzes ein-/ausschalten. Autowiederherstellen - wird in der Desktop-Version verwendet, um die Option zu aktivieren/deaktivieren, mit der Sie Tabellenkalkulationen automatisch wiederherstellen können, wenn das Programm unerwartet geschlossen wird. 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 Formal 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. Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Hell enthält Standardfarben - grün, weiß und hellgrau mit weniger Kontrast in den Elementen der Benutzeroberfläche, die für die Arbeit tagsüber komfortabel sind. Die Option Klassisch Hell enthält Standardfarben - grün, weiß und hellgrau. Die Option Dunkel enthält schwarze, dunkelgraue und hellgraue Farben, die für die Arbeit in der Nacht komfortabel sind. Hinweis: Abgesehen von den verfügbaren Oberflächenfarbschemas Hell, Klassisch Hell und Dunkel können ONLYOFFICE Editoren jetzt mit Ihrem eigenen Farbdesign angepasst werden. Bitte befolgen Sie diese Anleitung, um zu erfahren, wie Sie das tun können. Standard-Zoomwert - Einrichten des Standard-Zoomwerts aus der Liste der verfügbaren Optionen von 50 % bis 500 %. Hinting - Auswahl der Schriftartdarstellung in der Tabellenkalkulation: 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. Die Einstellungen Standard-Cache-Modus wird verwendet, um den Cache-Modus für die Schriftzeichen auszuwählen. Es wird nicht empfohlen, ihn ohne Grund zu wechseln. Dies kann nur in einigen Fällen hilfreich sein, beispielsweise wenn ein Problem mit der aktivierten Hardwarebeschleunigung im Google Chrome-Browser auftritt. Die Tabellenkalkulation hat 2 Cache-Modi: Im ersten Cache-Modus wird jeder Buchstabe als separates Bild zwischengespeichert. Im zweiten Cache-Modus wird ein Bild einer bestimmten Größe ausgewählt, in dem Buchstaben dynamisch platziert werden, und ein Mechanismus zum Zuweisen/Entfernen von Speicher in diesem Bild wird ebenfalls implementiert. Wenn nicht genügend Speicher vorhanden ist, wird ein zweites Bild erstellt usw. Die Einstellung Standard-Cache-Modus wendet zwei der oben genannten Cache-Modi separat für verschiedene Browser an: Wenn die Einstellung Standard-Cache-Modus aktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den zweiten Cache-Modus, andere Browser verwenden den ersten Cache-Modus. Wenn die Einstellung Standard-Cache-Modus deaktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den ersten Cache-Modus, andere Browser verwenden den zweiten Cache-Modus. 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. Die Option Formelsprache wird verwendet, um die Sprache für die Anzeige und Eingabe von Formelnamen, Argumentnamen und Beschreibungen festzulegen. Formelsprache wird für 32 Sprachen unterstützt: Weißrussisch, Bulgarisch, Katalanisch, Chinesisch, Tschechisch, Dänisch, Niederländisch, Englisch, Finnisch, Französisch, Deutsch, Griechisch, Ungarisch, Indonesisch, Italienisch, Japanisch, Koreanisch, Lao, Lettisch, Norwegisch, Polnisch, Portugiesisch (Brasilien), Portugiesisch (Portugal), Rumänisch, Russisch, Slowakisch, Slowenisch, Spanisch, Schwedisch, Türkisch, Ukrainisch, Vietnamesisch. Regionale Einstellungen - Standardanzeigeformat für Währung und Datum und Uhrzeit auswählen. Die Option Trennzeichen wird verwendet, um die Zeichen anzugeben, die Sie als Trennzeichen für Dezimalen und Tausender verwenden möchten. Die Option Trennzeichen basierend auf regionalen Einstellungen verwenden ist standardmäßig ausgewählt. Wenn Sie benutzerdefinierte Trennzeichen verwenden möchten, deaktivieren Sie dieses Kontrollkästchen und geben Sie die erforderlichen Zeichen in die Felder Dezimaltrennzeichen und Tausendertrennzeichen unten ein. Die Option Ausschneiden, Kopieren und Einfügen wird verwendet, um die Schaltfläche Einfügeoptionen anzuzeigen, wenn Inhalt eingefügt wird. Aktivieren Sie das Kontrollkästchen, um diese Funktion zu aktivieren. Die Option Makro-Einstellungen wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. Wählen Sie die Option Alle deaktivieren aus, um alle Makros in der Tabelle zu deaktivieren; Wählen Sie die Option Benachrichtigungen anzeigen aus, um Benachrichtigungen über Makros in der Tabelle zu erhalten; Wählen Sie die Option Alle aktivieren aus, um alle Makros in der Tabelle automatisch auszuführen. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." + "body": "Über die Funktion erweiterte Einstellungen können Sie die Grundeinstellungen in der Tabellenkalkulation ändern. Klicken Sie dazu in der oberen Symbolleiste auf die Registerkarte Datei und wählen Sie die Option Erweiterte Einstellungen. Die erweiterten Einstellungen sind wie folgt gruppiert: Bearbeitung und Speicherung Die Option Automatisches speichern wird in der Online-Version verwendet, um das automatische Speichern von Änderungen, die Sie während der Bearbeitung vornehmen, ein-/auszuschalten. Die Option Wiederherstellen wird in der Desktop-Version verwendet, um die Option ein-/auszuschalten, die die automatische Wiederherstellung von Kalkulationstabellen ermöglicht, falls das Programm unerwartet geschlossen wird. Die Schaltfläche Einfügeoptionen beim Einfügen von Inhalten anzeigen. Das entsprechende Symbol wird angezeigt, wenn Sie Inhalte in die Kalkulationstabelle einfügen. Zusammenarbeit Im Unterabschnitt Modus \"Gemeinsame Bearbeitung\" können Sie den bevorzugten Modus zum Anzeigen von Änderungen an der Kalkulationstabelle festlegen, wenn Sie gemeinsam arbeiten. Schnell (standardmäßig). Die Benutzer, die an der gemeinsamen Bearbeitung von Dokumenten teilnehmen, sehen die Änderungen in Echtzeit, sobald sie von anderen Benutzern vorgenommen wurden. Formal. Alle von Mitbearbeitern vorgenommenen Änderungen werden erst angezeigt, nachdem Sie auf das Symbol Speichern geklickt haben, das Sie über neue Änderungen informiert. Kommentare im Text anzeigen. Wenn Sie diese Funktion deaktivieren, werden die kommentierten Passagen nur dann hervorgehoben, wenn Sie auf das Symbol Kommentare in der linken Seitenleiste klicken. Gelöste Kommentare anzeigen. Diese Funktion ist standardmäßig deaktiviert, sodass die aufgelösten Kommentare in der Kalkulationstabelle ausgeblendet werden. Sie können solche Kommentare nur anzeigen, wenn Sie in der linken Seitenleiste auf das Symbol Kommentare klicken. Aktivieren Sie diese Option, wenn Sie aufgelöste Kommentare in der Kalkulationstabelle anzeigen möchten. Arbeitsbereich Die Option Z1S1-Bezugsart wird verwendet, um den Z1S1-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 Z1S1 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: Z3S2. Buchstabe Z gibt die Zeilennummer und Buchstabe S 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 Z[-2]S[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 Z[2]S, d. h. die Zielzelle ist 2 Zeilen tiefer aber in der gleichen Spalte wie die aktive Zelle. Die Option Verwenden Sie die Alt-Taste, um über die Tastatur in der Benutzeroberfläche zu navigieren wird verwendet, um die Verwendung der Alt-Taste in Tastaturkürzeln zu aktivieren. Die Option Thema der Benutzeroberfläche wird verwendet, um das Farbschema der Benutzeroberfläche des Editors zu ändern. Die Option Wie im System sorgt dafür, dass der Editor dem Oberflächendesign Ihres Systems folgt. Das Farbschema Hell umfasst die Standardfarben Blau, Weiß und Hellgrau mit weniger Kontrast in UI-Elementen, die für die Arbeit tagsüber geeignet sind. Das Farbschema Klassisch Hell umfasst die Standardfarben Blau, Weiß und Hellgrau. Das Farbschema Dunkel umfasst schwarze, dunkelgraue und hellgraue Farben, die für Arbeiten bei Nacht geeignet sind. Das Farbschema Dunkler Kontrast umfasst schwarze, dunkelgraue und weiße Farben mit mehr Kontrast in UI-Elementen, die den Arbeitsbereich der Datei hervorheben. Abgesehen von den verfügbaren Benutzeroberflächendesigns Hell, Klassisch Hell, Dunkel und Dunkler Kontrast können jetzt ONLYOFFICE-Editoren mit Ihrem eigenen Farbschema angepasst werden. Bitte befolgen Sie diese Anleitung, um zu erfahren, wie Sie das tun können. Die Option Maßeinheit wird verwendet, um anzugeben, welche Einheiten auf den Linealen und in Eigenschaften von Objekten verwendet werden, wenn Parameter wie Breite, Höhe, Abstand, Ränder usw. eingestellt werden. Die verfügbaren Einheiten sind Zentimeter, Punkt und Zoll. Die Option Standard-Zoom-Wert wird verwendet, um den Standard-Zoom-Wert festzulegen, indem Sie ihn in der Liste der verfügbaren Optionen zwischen 50 % und 500 % auswählen. Die Option Schriftglättung wird verwendet, um auszuwählen, wie Schriftarten in der Tabellenkalkulation angezeigt werden. 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. Die Einstellungen Standard-Cache-Modus wird verwendet, um den Cache-Modus für die Schriftzeichen auszuwählen. Es wird nicht empfohlen, ihn ohne Grund zu wechseln. Dies kann nur in einigen Fällen hilfreich sein, beispielsweise wenn ein Problem mit der aktivierten Hardwarebeschleunigung im Google Chrome-Browser auftritt. Die Tabellenkalkulation hat 2 Cache-Modi: Im ersten Cache-Modus wird jeder Buchstabe als separates Bild zwischengespeichert. Im zweiten Cache-Modus wird ein Bild einer bestimmten Größe ausgewählt, in dem Buchstaben dynamisch platziert werden, und ein Mechanismus zum Zuweisen/Entfernen von Speicher in diesem Bild wird ebenfalls implementiert. Wenn nicht genügend Speicher vorhanden ist, wird ein zweites Bild erstellt usw. Die Einstellung Standard-Cache-Modus wendet zwei der oben genannten Cache-Modi separat für verschiedene Browser an: Wenn die Einstellung Standard-Cache-Modus aktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den zweiten Cache-Modus, andere Browser verwenden den ersten Cache-Modus. Wenn die Einstellung Standard-Cache-Modus deaktiviert ist, verwendet Internet Explorer (v. 9, 10, 11) den ersten Cache-Modus, andere Browser verwenden den zweiten Cache-Modus. Die Option Einstellungen von Makros wird verwendet, um die Anzeige von Makros mit einer Benachrichtigung einzustellen. Wählen Sie Alle deaktivieren, um alle Makros im Dokument zu deaktivieren. Wählen Sie Benachrichtigung anzeigen, um Benachrichtigungen über Makros im Dokument zu erhalten. Wählen Sie Alle aktivieren, um automatisch alle Makros im Dokument auszuführen. Regionale Einstellungen Die Option Formelsprache wird verwendet, um die Sprache für die Anzeige und Eingabe von Formelnamen, Argumentnamen und Beschreibungen auszuwählen. Formelsprache wird für 32 Sprachen unterstützt: Weißrussisch, Bulgarisch, Katalanisch, Chinesisch, Tschechisch, Dänisch, Niederländisch, Englisch, Finnisch, Französisch, Deutsch, Griechisch, Ungarisch, Indonesisch, Italienisch, Japanisch, Koreanisch, Lao, Lettisch, Norwegisch, Polnisch, Portugiesisch (Brasilien), Portugiesisch (Portugal), Rumänisch, Russisch, Slowakisch, Slowenisch, Spanisch, Schwedisch, Türkisch, Ukrainisch, Vietnamesisch. Mit der Option Region wird der Anzeigemodus für Währung, Datum und Uhrzeit eingestellt. Die Option Trennzeichen basierend auf regionalen Einstellungen verwenden ist standardmäßig aktiviert, die Trennzeichen der eingestellten Region entsprechen. Um benutzerdefinierte Trennzeichen festzulegen, deaktivieren Sie diese Option und geben Sie die erforderlichen Trennzeichen in die Felder Dezimaltrennzeichen und Tausendertrennzeichen ein. Rechtschreibprüfung Die Option Sprache des Wörterbuchs wird verwendet, um das bevorzugte Wörterbuch für die Rechtschreibprüfung festzulegen. Wörter in GROSSBUCHSTABEN ignorieren. In Großbuchstaben eingegebene Wörter werden bei der Rechtschreibprüfung ignoriert. Wörter mit Zahlen ignorieren. Wörter mit Zahlen werden bei der Rechtschreibprüfung ignoriert. Über das Menü Optionen von AutoKorrektur können Sie auf die Autokorrektur-Einstellungen zugreifen, z. B. Text während der Eingabe ersetzen, Funktionen erkennen, automatische Formatierung usw. Berechnung Die Option 1904-Datumswerte verwenden wird verwendet, um Datumsangaben mit dem 1. Januar 1904 als Ausgangspunkt zu berechnen. Dies kann nützlich sein, wenn Sie mit Tabellenkalkulationen arbeiten, die in MS Excel 2008 für Mac und früheren Versionen von MS Excel für Mac erstellt wurden. Um die vorgenommenen Änderungen zu speichern, klicken Sie auf Übernehmen." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Gemeinsame Bearbeitung von Kalkulationstabellen in Echtzeit", - "body": "Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt in der Tabellenkalkulation kommunizieren; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern. In der Tabellenkalkulation können Sie mithilfe von zwei Modi in Echtzeit an Kalkulationstabellen zusammenarbeiten: Schnell oder Formal. Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den erforderlichen Modus über das Symbol Modus \"Gemeinsame Bearbeitung\" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen: Die Anzahl der Benutzer, die an der aktuellen Kalkulationstabelle arbeiten, wird auf der rechten Seite der Kopfzeile des Editors angegeben - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen. Modus \"Schnell\" Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie in diesem Modus eine Kalkulationstabelle gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. Dieser Modus zeigt die Aktionen und die Namen der Mitbearbeiter, wenn sie die Daten in Zellen bearbeiten. Unterschiedliche Rahmenfarben heben auch die Zellbereiche hervor, die gerade von jemand anderem ausgewählt wurden. Bewegen Sie Ihren Mauszeiger über die Auswahl, um den Namen des Benutzers anzuzeigen, der sie bearbeitet. Modus \"Formal\" Der Modus Formal wird ausgewählt, um von anderen Benutzern vorgenommene Änderungen auszublenden, bis Sie auf das Symbol Speichern  klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn eine Tabelle von mehreren Benutzern gleichzeitig im Modus Formal bearbeitet wird, werden die bearbeiteten Zellen mit gestrichelten Linien in verschiedenen Farben markiert. Die Registerkarten der Tabelle, auf denen sich diese Zellen befinden, sind mit einer roten Markierung markiert. Bewegen Sie den Mauszeiger über eine der bearbeiteten Zellen, um den Namen des Benutzers anzuzeigen, der sie gerade bearbeitet. Sobald einer der Benutzer seine Änderungen speichert, indem er auf das Symbol klickt, sehen die anderen einen Hinweis in der oberen linken Ecke, der darauf informiert, das es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen, und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abzurufen, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten." + "body": "Die Tabellenkalkulation ermöglicht es Ihnen, einen konstanten teamweiten Ansatz für den Arbeitsablauf beizubehalten: Sie können die Dateien und Ordner freigeben; direkt in der Tabellenkalkulation kommunizieren; bestimmte Teile Ihrer Kalkulationstabellen, die zusätzliche Eingaben von Drittanbietern erfordern, kommentieren; Kalkulationstabellenversionen für die zukünftige Verwendung speichern. In der Tabellenkalkulation können Sie mithilfe von zwei Modi in Echtzeit an Kalkulationstabellen zusammenarbeiten: Schnell oder Formal. Die Modi können in den erweiterten Einstellungen ausgewählt werden. Es ist auch möglich, den erforderlichen Modus über das Symbol Modus \"Gemeinsame Bearbeitung\" auf der Registerkarte Zusammenarbeit in der oberen Symbolleiste auswählen: Die Anzahl der Benutzer, die an der aktuellen Kalkulationstabelle arbeiten, wird auf der rechten Seite der Kopfzeile des Editors angegeben - . Wenn Sie sehen möchten, wer genau die Datei gerade bearbeitet, können Sie auf dieses Symbol klicken oder das Chat-Bedienfeld mit der vollständigen Liste der Benutzer öffnen. Modus \"Schnell\" Der Modus Schnell wird standardmäßig verwendet und zeigt die von anderen Benutzern vorgenommenen Änderungen in Echtzeit an. Wenn Sie in diesem Modus eine Kalkulationstabelle gemeinsam bearbeiten, ist die Möglichkeit zum Wiederholen des letzten rückgängig gemachten Vorgangs nicht verfügbar. Dieser Modus zeigt die Aktionen und die Namen der Mitbearbeiter, wenn sie die Daten in Zellen bearbeiten. Unterschiedliche Rahmenfarben heben auch die Zellbereiche hervor, die gerade von jemand anderem ausgewählt wurden. Bewegen Sie Ihren Mauszeiger über die Auswahl, um den Namen des Benutzers anzuzeigen, der sie bearbeitet. Modus \"Formal\" Der Modus Formal wird ausgewählt, um von anderen Benutzern vorgenommene Änderungen auszublenden, bis Sie auf das Symbol Speichern   klicken, um Ihre Änderungen zu speichern und die von Co-Autoren vorgenommenen Änderungen anzunehmen. Wenn eine Tabelle von mehreren Benutzern gleichzeitig im Modus Formal bearbeitet wird, werden die bearbeiteten Zellen mit gestrichelten Linien in verschiedenen Farben markiert. Die Registerkarten der Tabelle, auf denen sich diese Zellen befinden, sind mit einer roten Markierung markiert. Bewegen Sie den Mauszeiger über eine der bearbeiteten Zellen, um den Namen des Benutzers anzuzeigen, der sie gerade bearbeitet. Sobald einer der Benutzer seine Änderungen speichert, indem er auf das Symbol klickt, sehen die anderen einen Hinweis in der oberen linken Ecke, der darauf informiert, das es Aktualisierungen gibt. Um die von Ihnen vorgenommenen Änderungen zu speichern, damit andere Benutzer sie sehen, und die von Ihren Mitbearbeitern gespeicherten Aktualisierungen abzurufen, klicken Sie auf das Symbol in der linken oberen Ecke der oberen Symbolleiste. Modus \"Live Viewer\" Der Modus Live Viewer wird verwendet, um die von anderen Benutzern vorgenommenen Änderungen in Echtzeit anzuzeigen, wenn die Kalkulationstabelle von einem Benutzer mit den Zugriffsrechten Schreibgeschützt geöffnet wird. Damit der Modus richtig funktioniert, stellen Sie sicher, dass das Kontrollkästchen Änderungen von anderen Benutzer anzeigen in den Erweiterten Einstellungen des Editors aktiviert ist. Anonym Portalbenutzer, die nicht registriert sind und kein Profil haben, gelten als anonym, können jedoch weiterhin an Dokumenten zusammenarbeiten. Um ihnen einen Namen zuzuweisen, muss der anonyme Benutzer beim ersten Öffnen des Dokuments einen Namen in das entsprechende Feld in der rechten oberen Ecke des Bildschirms eingeben. Aktivieren Sie das Kontrollkästchen \"Nicht mehr anzeigen\", um den Namen beizubehalten." }, { "id": "HelpfulHints/Commenting.htm", @@ -2338,12 +2338,12 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Tastenkombinationen", - "body": "Tastenkombinationen für Key-Tipps Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen der Tabellenkalkulation ohne eine Maus zu verwenden. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten. Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen. Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte. Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren. In der folgenden Liste finden Sie die gängigsten Tastenkombinationen: Windows/Linux Mac OS Kalkulationstabelle bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie die aktuelle Tabelle speichern, drucken, herunterladen, Informationen einsehen, eine neue Tabelle erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Dialogbox Suchen und Ersetzen öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Das Dialogfeld Suchen und Ersetzen wird geöffnet. Hier können Sie nach einer Zelle mit den gewünschten Zeichen suchen. Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnen STRG+H ^ STRG+H Öffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Tabelle speichern STRG+S ^ STRG+S, ⌘ Cmd+S Alle Änderungen in der aktuell mit dem Tabelleneditor bearbeiteten Tabelle werden gespeichert. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Tabelle drucken STRG+P ^ STRG+P, ⌘ Cmd+P Tabelle mit einem verfügbaren Drucker ausdrucken oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Tabelle in einem der unterstützten Dateiformate auf der Festplatte zu speichern: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Vollbild F11 Der Tabelleneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfemenü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Das aktuelle Tabellenfenster in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Arbeitsblatt duplizieren Strg drücken und halten + den Blatt-Tab ziehen ⌥ Option drücken und halten + den Blatt-Tab ziehen Ein gesamtes Arbeitsblatt in eine Arbeitsmappe kopieren und es an die gewünschte Registerkartenposition verschieben. Navigation Eine Zelle nach oben, unten links oder rechts ← → ↑ ↓ ← → ↑ ↓ Eine Zelle über/unter der aktuell ausgewählten Zelle oder links/rechts davon skizzieren. Zum Rand des aktuellen Datenbereichs springen STRG+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Eine Zelle am Rand des aktuellen Datenbereichs in einem Arbeitsblatt skizzieren. Zum Anfang einer Zeile springen POS1 POS1 Eine Zelle in Spalte A der aktuellen Zeile skizzieren. Zum Anfang der Tabelle springen STRG+POS1 ^ STRG+POS1 Zelle A1 skizzieren. Zum Ende der Zeile springen ENDE, STRG+→ ENDE, ⌘ Cmd+→ Markiert die letzte Zelle der aktuellen Zeile. Zum Ende der Tabelle wechseln STRG+ENDE ^ STRG+ENDE Markiert die Zelle am unteren rechten Ende der Tabelle. Befindet sich der Cursor in der Bearbeitungsleiste wird der Cursor am Ende des Texts positioniert. Zum vorherigen Blatt übergehen ALT+BILD oben ⌥ Option+BILD oben Zum vorherigen Blatt in der Tabelle übergehen. Zum nächsten Blatt übergehen ALT+BILD unten ⌥ Option+BILD unten Zum nächsten Blatt in der Tabelle übergehen. Eine Reihe nach oben ↑, ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Markiert die Zelle über der aktuellen Zelle in derselben Spalte. Eine Reihe nach unten ↓, ↵ Eingabetaste ↵ Zurück Markiert die Zelle unter der aktuellen Zelle in derselben Spalte. Eine Spalte nach links ←, ⇧ UMSCHALT+↹ Tab ←, ⇧ UMSCHALT+↹ Tab Markiert die vorherige Zelle der aktuellen Reihe. Eine Spalte nach rechts →, ↹ Tab →, ↹ Tab Markiert die nächste Zelle der aktuellen Reihe. Einen Bildschirm nach unten BILD unten BILD unten Im aktuellen Arbeitsblatt einen Bildschirm nach unten wechseln. Einen Bildschirm nach oben BILD oben BILD oben Im aktuellen Arbeitsblatt einen Bildschirm nach oben wechseln. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht der aktuellen Tabelle wird vergrößert. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht der aktuelle bearbeiteten Tabelle wird verkleinert. Datenauswahl Alles auswählen STRG+A, STRG+⇧ UMSCHALT+␣ Leertaste ⌘ Cmd+A Das ganze Blatt wird ausgewählt. Spalte auswählen STRG+␣ Leertaste ^ STRG+␣ Leertaste Eine ganze Spalte im Arbeitsblatt auswählen. Zeile auswählen ⇧ UMSCHALT+␣ Leertaste ⇧ UMSCHALT+␣ Leertaste Eine ganze Reihe im Arbeitsblatt auswählen. Fragment wählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Zelle für Zelle auswählen. Ab Cursorposition zum Anfang der Zeile auswählen ⇧ UMSCHALT+POS1 ⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Ab Cursorposition zum Ende der Zeile ⇧ UMSCHALT+ENDE ⇧ UMSCHALT+ENDE Einen Abschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Auswahl zum Anfang des Arbeitsblatts erweitern STRG+⇧ UMSCHALT+POS1 ^ STRG+⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuell ausgewählten Zelle bis zum Anfang des Blatts auswählen. Auswahl bis auf die letzte aktive Zelle erweitern STRG+⇧ UMSCHALT+ENDE ^ STRG+⇧ UMSCHALT+ENDE Ein Fragment aus den aktuell ausgewählten Zellen bis zur zuletzt verwendeten Zelle im Arbeitsblatt auswählen (in der untersten Zeile mit Daten in der Spalte ganz rechts mit Daten). Befindet sich der Cursor in der Bearbeitungsleiste, wird der gesamte Text in der Bearbeitungsleistevon der Cursorposition bis zum Ende ausgewählt, ohne dass sich dies auf die Höhe der Bearbeitungsleiste auswirkt. Eine Zelle nach links auswählen ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Eine Zelle nach links in einer Tabelle auswählen. Eine Zelle nach rechts auswählen ↹ Tab ↹ Tab Eine Zelle nach rechts in einer Tabelle auswählen. Auswahl bis auf die letzte nicht leere Zelle nach rechts erweitern ⇧ UMSCHALT+ALT+ENDE, STRG+⇧ UMSCHALT+→ ⇧ UMSCHALT+⌥ Option+ENDE Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile rechts von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Auswahl bis auf die letzte nicht leere Zelle nach links erweitern ⇧ UMSCHALT+ALT+POS1, STRG+⇧ UMSCHALT+← ⇧ UMSCHALT+⌥ Option+POS1 Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl auf die nächste nicht leere Zelle in der Spalte nach oben/unten erweitern STRG+⇧ UMSCHALT+↑ ↓ Auswahl bis auf die nächste nicht leere Zelle in derselben Spalte oben/unten links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl um einen Bildschirm nach unten erweitern. ⇧ UMSCHALT+BILD unten ⇧ UMSCHALT+BILD unten Die Auswahl so erweitern, dass alle Zellen einen Bildschirm tiefer von der aktiven Zelle aus eingeschlossen werden. Die Auswahl um einen Bildschirm nach oben erweitern. ⇧ UMSCHALT+BILD oben ⇧ UMSCHALT+BILD oben Die Auswahl so erweitern, dass alle Zellen einen Bildschirm nach oben von der aktiven Zelle aus eingeschlossen werden. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ⌘ Cmd+J Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Die ausgeschnittenen Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Die gewählten Daten werden kopiert und in der Zwischenablage des Rechners abgelegt. Die kopierten Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Die zuvor kopierten Daten werden aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Die Daten können zuvor aus derselben Tabelle, einer anderen Tabelle bzw. einem anderen Programm, kopiert worden sein. Datenformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett bzw. Formatierung Fett entfernen im gewählten Textfragment. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hyperlink hinzufügen STRG+K ⌘ Cmd+K Ein Hyperlink zu einer externen Website oder einem anderen Arbeitsblatt wird eingefügt. Aktive Zelle bearbeiten F2 F2 Bearbeiten Sie die aktive Zelle und positionieren Sie den Einfügepunkt am Ende des Zelleninhalts. Ist die Bearbeitung in einer Zelle deaktiviert, wird die Einfügemarke in die Bearbeitungsleiste verschoben. Datenfilterung Filter aktivieren/entfernen STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Für einen ausgewählten Zellbereich wird ein Filter eingerichtet, bzw. entfernt. Wie Tabellenvorlage formatieren STRG+L ^ STRG+L, ⌘ Cmd+L Eine Tabellenvorlage auf einen gewählte Zellenbereich anwenden Dateneingabe Zelleintrag abschließen und in der Tabelle nach unten bewegen. ↵ Eingabetaste ↵ Zurück Die Eingabe der Zeichen in die Zelle oder Bearbeitungsleiste wird abgeschlossen und die Eingabemarke wandert abwärts in die nachfolgende Zelle. Zelleintrag abschließen und in der Tabelle nach oben bewegen. ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Die Eingabe der Zeichen in die Zelle wird abgeschlossen und die Eingabemarke wandert aufwärts in die vorherige Zelle. Neue Zeile beginnen ALT+↵ Eingabetaste Eine neue Zeile in derselben Zelle beginnen. Abbrechen ESC ESC Die Eingabe in die gewählte Zelle oder Bearbeitungsleiste wird abgebrochen. Nach links entfernen ← Rücktaste ← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach links entfernt. Dient außerdem dazu den Inhalt der aktiven Zelle zu löschen. Nach rechts entfernen ENTF ENTF, Fn+← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach rechts entfernt. Dient außerdem dazu die Zellinhalte (Daten und Formeln) ausgewählter Zellen zu löschen, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleninhalt entfernen ENTF, ← Rücktaste ENTF, ← Rücktaste Der Inhalt der ausgewählten Zellen (Daten und Formeln) wird gelöscht, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleintrag abschließen und eine Zelle nach rechts wechseln ↹ Tab ↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach rechts wechseln. Zelleintrag abschließen und eine Zelle nach links wechseln ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach links wechseln . Funktionen SUMME-Funktion ALT+= ⌥ Option+= Die Funktion SUMME wird in die gewählte Zelle eingefügt. Dropdown-Liste öffnen ALT+↓ Eine ausgewählte Dropdown-Liste öffnen. Kontextmenü öffnen ≣ Menü Kontextmenü für die ausgewählte Zelle oder den ausgewählten Zellbereich auswählen. Datenformate Dialogfeld „Zahlenformat“ öffnen STRG+1 ^ STRG+1 Dialogfeld Zahlenformat öffnen Standardformat anwenden STRG+⇧ UMSCHALT+~ ^ STRG+⇧ UMSCHALT+~ Das Format Standardzahl wird angewendet. Format Währung anwenden STRG+⇧ UMSCHALT+$ ^ STRG+⇧ UMSCHALT+$ Das Format Währung mit zwei Dezimalstellen wird angewendet (negative Zahlen in Klammern). Prozentformat anwenden STRG+⇧ UMSCHALT+% ^ STRG+⇧ UMSCHALT+% Das Format Prozent wird ohne Dezimalstellen angewendet. Das Format Exponential wird angewendet STRG+⇧ UMSCHALT+^ ^ STRG+⇧ UMSCHALT+^ Das Format Exponential mit zwei Dezimalstellen wird angewendet. Datenformat anwenden STRG+⇧ UMSCHALT+# ^ STRG+⇧ UMSCHALT+# Das Format Datum mit Tag, Monat und Jahr wird angewendet. Zeitformat anwenden STRG+⇧ UMSCHALT+@ ^ STRG+⇧ UMSCHALT+@ Das Format Zeit mit Stunde und Minute und AM oder PM wird angewendet. Nummernformat anwenden STRG+⇧ UMSCHALT+! ^ STRG+⇧ UMSCHALT+! Das Format Nummer mit zwei Dezimalstellen, Tausendertrennzeichen und Minuszeichen (-) für negative Werte wird angewendet. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Begrenzt den Drehungswinkel auf 15-Grad-Stufen. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Bewegung in 1-Pixel-Stufen STRG+← → ↑ ↓ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben." + "body": "Tastenkombinationen für Key-Tipps Verwenden Sie Tastenkombinationen für einen schnelleren und einfacheren Zugriff auf die Funktionen der Tabellenkalkulation ohne eine Maus zu verwenden. Drücken Sie die Alt-Taste, um alle wichtigen Tipps für die Kopfzeile des Editors, die obere Symbolleiste, die rechte und linke Seitenleiste und die Statusleiste einzuschalten. Drücken Sie den Buchstaben, der dem Element entspricht, das Sie verwenden möchten. Die zusätzlichen Tastentipps können je nach gedrückter Taste angezeigt werden. Die ersten Tastentipps werden ausgeblendet, wenn zusätzliche Tastentipps angezeigt werden. Um beispielsweise auf die Registerkarte Einfügen zuzugreifen, drücken Sie Alt, um alle Tipps zu den Primärtasten anzuzeigen. Drücken Sie den Buchstaben I, um auf die Registerkarte Einfügen zuzugreifen, und Sie sehen alle verfügbaren Verknüpfungen für diese Registerkarte. Drücken Sie dann den Buchstaben, der dem zu konfigurierenden Element entspricht. Drücken Sie Alt, um alle Tastentipps auszublenden, oder drücken Sie Escape, um zur vorherigen Gruppe von Tastentipps zurückzukehren. In der folgenden Liste finden Sie die gängigsten Tastenkombinationen: Windows/Linux Mac OS Kalkulationstabelle bearbeiten Dateimenü öffnen ALT+F ⌥ Option+F Über das Dateimenü können Sie die aktuelle Tabelle speichern, drucken, herunterladen, Informationen einsehen, eine neue Tabelle erstellen oder eine vorhandene öffnen, auf die Hilfefunktion zugreifen oder die erweiterten Einstellungen öffnen. Dialogbox „Suchen und Ersetzen“ öffnen STRG+F ^ STRG+F, ⌘ Cmd+F Das Dialogfeld Suchen und Ersetzen wird geöffnet. Hier können Sie nach einer Zelle mit den gewünschten Zeichen suchen. Dialogbox „Suchen und Ersetzen“ mit dem Ersetzungsfeld öffnen STRG+H ^ STRG+H Öffnen Sie das Fenster Suchen und Ersetzen, um ein oder mehrere Ergebnisse der gefundenen Zeichen zu ersetzen. Kommentarleiste öffnen STRG+⇧ UMSCHALT+H ^ STRG+⇧ UMSCHALT+H, ⌘ Cmd+⇧ UMSCHALT+H Über die Kommentarleiste können Sie Kommentare hinzufügen oder auf bestehende Kommentare antworten. Kommentarfeld öffnen ALT+H ⌥ Option+H Ein Textfeld zum Eingeben eines Kommentars öffnen. Chatleiste öffnen ALT+Q ⌥ Option+Q Chatleiste öffnen, um eine Nachricht zu senden. Tabelle speichern STRG+S ^ STRG+S, ⌘ Cmd+S Alle Änderungen in der aktuell mit dem Tabelleneditor bearbeiteten Tabelle werden gespeichert. Die aktive Datei wird mit dem aktuellen Dateinamen, Speicherort und Dateiformat gespeichert. Tabelle drucken STRG+P ^ STRG+P, ⌘ Cmd+P Tabelle mit einem verfügbaren Drucker ausdrucken oder speichern als Datei. Herunterladen als... STRG+⇧ UMSCHALT+S ^ STRG+⇧ UMSCHALT+S, ⌘ Cmd+⇧ UMSCHALT+S Öffnen Sie das Menü Herunterladen als..., um die aktuell bearbeitete Tabelle in einem der unterstützten Dateiformate auf der Festplatte zu speichern: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Vollbild F11 Der Tabelleneditor wird an Ihren Bildschirm angepasst und im Vollbildmodus ausgeführt. Hilfemenü F1 F1 Das Hilfemenü wird geöffnet. Vorhandene Datei öffnen (Desktop-Editoren) STRG+O Auf der Registerkarte Lokale Datei öffnen unter Desktop-Editoren wird das Standarddialogfeld geöffnet, in dem Sie eine vorhandene Datei auswählen können. Datei schließen (Desktop-Editoren) STRG+W, STRG+F4 ^ STRG+W, ⌘ Cmd+W Das aktuelle Tabellenfenster in Desktop-Editoren schließen. Element-Kontextmenü ⇧ UMSCHALT+F10 ⇧ UMSCHALT+F10 Öffnen des ausgewählten Element-Kontextmenüs. Den Parameter „Zoom“ zurücksetzen STRG+0 ^ STRG+0 oder ⌘ Cmd+0 Setzen Sie den „Zoom“-Parameter der aktuellen Tabelle auf einen Standardwert von 100% zurück. Arbeitsblatt duplizieren Strg drücken und halten + den Blatt-Tab ziehen ⌥ Option drücken und halten + den Blatt-Tab ziehen Ein gesamtes Arbeitsblatt in eine Arbeitsmappe kopieren und es an die gewünschte Registerkartenposition verschieben. Navigation Eine Zelle nach oben, unten links oder rechts ← → ↑ ↓ ← → ↑ ↓ Eine Zelle über/unter der aktuell ausgewählten Zelle oder links/rechts davon skizzieren. Zum Rand des aktuellen Datenbereichs springen STRG+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Eine Zelle am Rand des aktuellen Datenbereichs in einem Arbeitsblatt skizzieren. Zum Anfang einer Zeile springen POS1 POS1 Eine Zelle in Spalte A der aktuellen Zeile skizzieren. Zum Anfang der Tabelle springen STRG+POS1 ^ STRG+POS1 Zelle A1 skizzieren. Zum Ende der Zeile springen ENDE, STRG+→ ENDE, ⌘ Cmd+→ Markiert die letzte Zelle der aktuellen Zeile. Zum Ende der Tabelle wechseln STRG+ENDE ^ STRG+ENDE Markiert die Zelle am unteren rechten Ende der Tabelle. Befindet sich der Cursor in der Bearbeitungsleiste wird der Cursor am Ende des Texts positioniert. Zum vorherigen Blatt übergehen ALT+BILD auf ⌥ Option+BILD auf Zum vorherigen Blatt in der Tabelle übergehen. Zum nächsten Blatt übergehen ALT+BILD ab ⌥ Option+BILD ab Zum nächsten Blatt in der Tabelle übergehen. Eine Reihe nach oben ↑, ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Markiert die Zelle über der aktuellen Zelle in derselben Spalte. Eine Reihe nach unten ↓, ↵ Eingabetaste ↵ Zurück Markiert die Zelle unter der aktuellen Zelle in derselben Spalte. Eine Spalte nach links ←, ⇧ UMSCHALT+↹ Tab ←, ⇧ UMSCHALT+↹ Tab Markiert die vorherige Zelle der aktuellen Reihe. Eine Spalte nach rechts →, ↹ Tab →, ↹ Tab Markiert die nächste Zelle der aktuellen Reihe. Einen Bildschirm nach unten BILD ab BILD ab Im aktuellen Arbeitsblatt einen Bildschirm nach unten wechseln. Einen Bildschirm nach oben BILD auf BILD auf Im aktuellen Arbeitsblatt einen Bildschirm nach oben wechseln. Die vertikale Bildlaufleiste nach oben/unten bewegen Mit der Maus nach oben/unten scrollen Mit der Maus nach oben/unten scrollen Bewegen Sie die vertikale Bildlaufleiste nach oben/unten. Die horizontale Bildlaufleiste nach links/rechts bewegen ⇧ UMSCHALT+Mit der Maus nach oben/unten scrollen ⇧ UMSCHALT+Mit der Maus nach oben/unten scrollen Bewegen Sie die horizontale Bildlaufleiste nach links/rechts. Um die Bildlaufleiste nach rechts zu verschieben, scrollen Sie mit dem Mausrad nach unten. Um die Bildlaufleiste nach links zu verschieben, scrollen Sie das Mausrad nach oben. Vergrößern STRG++ ^ STRG+=, ⌘ Cmd+= Die Ansicht der aktuellen Tabelle wird vergrößert. Verkleinern STRG+- ^ STRG+-, ⌘ Cmd+- Die Ansicht der aktuelle bearbeiteten Tabelle wird verkleinert. Zwischen Steuerelementen in modalen Dialogen navigieren ↹ Tab/⇧ UMSCHALT+↹ Tab ↹ Tab/⇧ UMSCHALT+↹ Tab Navigieren Sie zwischen Steuerelementen, um den Fokus auf das nächste oder vorherige Steuerelement in modalen Dialogen zu legen. Datenauswahl Alles auswählen STRG+A, STRG+⇧ UMSCHALT+␣ Leertaste ⌘ Cmd+A Das ganze Blatt wird ausgewählt. Spalte auswählen STRG+␣ Leertaste ^ STRG+␣ Leertaste Eine ganze Spalte im Arbeitsblatt auswählen. Zeile auswählen ⇧ UMSCHALT+␣ Leertaste ⇧ UMSCHALT+␣ Leertaste Eine ganze Reihe im Arbeitsblatt auswählen. Fragment wählen ⇧ UMSCHALT+→ ← ⇧ UMSCHALT+→ ← Zelle für Zelle auswählen. Ab Cursorposition zum Anfang der Zeile auswählen ⇧ UMSCHALT+POS1 ⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuellen Cursorposition bis zum Anfang der aktuellen Zeile auswählen. Ab Cursorposition zum Ende der Zeile ⇧ UMSCHALT+ENDE ⇧ UMSCHALT+ENDE Einen Abschnitt von der aktuellen Cursorposition bis zum Ende der aktuellen Zeile auswählen. Auswahl zum Anfang des Arbeitsblatts erweitern STRG+⇧ UMSCHALT+POS1 ^ STRG+⇧ UMSCHALT+POS1 Einen Abschnitt von der aktuell ausgewählten Zelle bis zum Anfang des Blatts auswählen. Auswahl bis auf die letzte aktive Zelle erweitern STRG+⇧ UMSCHALT+ENDE ^ STRG+⇧ UMSCHALT+ENDE Ein Fragment aus den aktuell ausgewählten Zellen bis zur zuletzt verwendeten Zelle im Arbeitsblatt auswählen (in der untersten Zeile mit Daten in der Spalte ganz rechts mit Daten). Befindet sich der Cursor in der Bearbeitungsleiste, wird der gesamte Text in der Bearbeitungsleistevon der Cursorposition bis zum Ende ausgewählt, ohne dass sich dies auf die Höhe der Bearbeitungsleiste auswirkt. Eine Zelle nach links auswählen ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Eine Zelle nach links in einer Tabelle auswählen. Eine Zelle nach rechts auswählen ↹ Tab ↹ Tab Eine Zelle nach rechts in einer Tabelle auswählen. Auswahl bis auf die letzte nicht leere Zelle nach rechts erweitern ⇧ UMSCHALT+ALT+ENDE, STRG+⇧ UMSCHALT+→ ⇧ UMSCHALT+⌥ Option+ENDE Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile rechts von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Auswahl bis auf die letzte nicht leere Zelle nach links erweitern ⇧ UMSCHALT+ALT+POS1, STRG+⇧ UMSCHALT+← ⇧ UMSCHALT+⌥ Option+POS1 Auswahl bis auf die letzte nicht leere Zelle in derselben Zeile links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl auf die nächste nicht leere Zelle in der Spalte nach oben/unten erweitern STRG+⇧ UMSCHALT+↑ ↓ Auswahl bis auf die nächste nicht leere Zelle in derselben Spalte oben/unten links von der aktiven Zelle erweitern. Ist die nächste Zelle leer, wird die Auswahl auf die nächste nicht leere Zelle erweitert. Die Auswahl um einen Bildschirm nach unten erweitern. ⇧ UMSCHALT+BILD ab ⇧ UMSCHALT+BILD ab Die Auswahl so erweitern, dass alle Zellen einen Bildschirm tiefer von der aktiven Zelle aus eingeschlossen werden. Die Auswahl um einen Bildschirm nach oben erweitern. ⇧ UMSCHALT+BILD auf ⇧ UMSCHALT+BILD auf Die Auswahl so erweitern, dass alle Zellen einen Bildschirm nach oben von der aktiven Zelle aus eingeschlossen werden. Rückgängig machen und Wiederholen Rückgängig machen STRG+Z ⌘ Cmd+Z Die zuletzt durchgeführte Aktion wird rückgängig gemacht. Wiederholen STRG+J ⌘ Cmd+J Die zuletzt durchgeführte Aktion wird wiederholt. Ausschneiden, Kopieren, Einfügen Ausschneiden STRG+X, ⇧ UMSCHALT+ENTF ⌘ Cmd+X Das gewählte Objekt wird ausgeschnitten und in der Zwischenablage des Rechners abgelegt. Die ausgeschnittenen Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Kopieren STRG+C, STRG+EINFG ⌘ Cmd+C Die gewählten Daten werden kopiert und in der Zwischenablage des Rechners abgelegt. Die kopierten Daten können später an eine andere Stelle in dasselbe Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen STRG+V, ⇧ UMSCHALT+EINFG ⌘ Cmd+V Die zuvor kopierten Daten werden aus der Zwischenablage des Rechners an der aktuellen Cursorposition eingefügt. Die Daten können zuvor aus derselben Tabelle, einer anderen Tabelle bzw. einem anderen Programm, kopiert worden sein. Datenformatierung Fett STRG+B ^ STRG+B, ⌘ Cmd+B Zuweisung der Formatierung Fett bzw. Formatierung Fett entfernen im gewählten Textfragment. Kursiv STRG+I ^ STRG+I, ⌘ Cmd+I Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen STRG+U ^ STRG+U, ⌘ Cmd+U Zuweisung der Formatierung Kursiv, der gewählte Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen STRG+5 ^ STRG+5, ⌘ Cmd+5 Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Hyperlink hinzufügen STRG+K ⌘ Cmd+K Ein Hyperlink zu einer externen Website oder einem anderen Arbeitsblatt wird eingefügt. Aktive Zelle bearbeiten F2 F2 Bearbeiten Sie die aktive Zelle und positionieren Sie den Einfügepunkt am Ende des Zelleninhalts. Ist die Bearbeitung in einer Zelle deaktiviert, wird die Einfügemarke in die Bearbeitungsleiste verschoben. Datenfilterung Filter aktivieren/entfernen STRG+⇧ UMSCHALT+L ^ STRG+⇧ UMSCHALT+L, ⌘ Cmd+⇧ UMSCHALT+L Für einen ausgewählten Zellbereich wird ein Filter eingerichtet, bzw. entfernt. Wie Tabellenvorlage formatieren STRG+L ^ STRG+L, ⌘ Cmd+L Eine Tabellenvorlage auf einen gewählte Zellenbereich anwenden Dateneingabe Zelleintrag abschließen und in der Tabelle nach unten bewegen ↵ Eingabetaste ↵ Zurück Die Eingabe der Zeichen in die Zelle oder Bearbeitungsleiste wird abgeschlossen und die Eingabemarke wandert abwärts in die nachfolgende Zelle. Zelleintrag abschließen und in der Tabelle nach oben bewegen ⇧ UMSCHALT+↵ Eingabetaste ⇧ UMSCHALT+↵ Zurück Die Eingabe der Zeichen in die Zelle wird abgeschlossen und die Eingabemarke wandert aufwärts in die vorherige Zelle. Zelleintrag abschließen und zur nächsten Zelle in einer Reihe wechseln ↹ Tab ↹ Tab Complete a cell entry in the selected cell or the formula bar, and move to the cell to the right. Neue Zeile beginnen ALT+↵ Eingabetaste Eine neue Zeile in derselben Zelle beginnen. Abbrechen ESC ESC Die Eingabe in die gewählte Zelle oder Bearbeitungsleiste wird abgebrochen. Nach links entfernen ← Rücktaste ← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach links entfernt. Dient außerdem dazu den Inhalt der aktiven Zelle zu löschen. Nach rechts entfernen ENTF ENTF, Fn+← Rücktaste Wenn der Bearbeitungsmodus für die Zellen aktiviert ist, wird in der Bearbeitungsleiste oder in der ausgewählten Zelle immer das nächste Zeichen nach rechts entfernt. Dient außerdem dazu die Zellinhalte (Daten und Formeln) ausgewählter Zellen zu löschen, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleninhalt entfernen ENTF, ← Rücktaste ENTF, ← Rücktaste Der Inhalt der ausgewählten Zellen (Daten und Formeln) wird gelöscht, Zellformatierungen und Kommentare werden davon nicht berührt. Zelleintrag abschließen und eine Zelle nach rechts wechseln ↹ Tab ↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach rechts wechseln. Zelleintrag abschließen und eine Zelle nach links wechseln ⇧ UMSCHALT+↹ Tab ⇧ UMSCHALT+↹ Tab Zelleintrag in der ausgewählten Zelle oder der Bearbeitungsleiste vervollständigen und eine Zelle nach links wechseln . Zellen einfügen STRG+⇧ UMSCHALT+= STRG+⇧ UMSCHALT+= Öffnen Sie das Dialogfeld zum Einfügen neuer Zellen in das aktuelle Arbeitsblatt mit einem hinzugefügten Parameter einer Verschiebung nach rechts, einer Verschiebung nach unten, dem Einfügen einer ganzen Zeile oder einer ganzen Spalte. Zellen löschen STRG+⇧ UMSCHALT+- STRG+⇧ UMSCHALT+- Öffnen Sie das Dialogfeld zum Löschen von Zellen in der aktuellen Tabelle mit einem hinzugefügten Parameter einer Verschiebung nach links, einer Verschiebung nach oben, dem Löschen einer ganzen Zeile oder einer ganzen Spalte. Aktuelles Datum einfügen STRG+; STRG+; Fügen Sie das heutige Datum in eine aktive Zelle ein. Aktuelle Uhrzeit einfügen STRG+⇧ UMSCHALT+; STRG+⇧ UMSCHALT+; Fügen Sie die aktuelle Uhrzeit in eine aktive Zelle ein. Aktuelles Datum und Uhrzeit einfügen STRG+; dann ␣ Leerzeichen dann STRG+⇧ UMSCHALT+; STRG+; dann ␣ Leerzeichen dann STRG+⇧ UMSCHALT+; Fügen Sie das aktuelle Datum und die Uhrzeit in eine aktive Zelle ein. Funktionen Funktion einfügen ⇧ UMSCHALT+F3 ⇧ UMSCHALT+F3 Öffnen Sie das Dialogfenster zum Einfügen einer neuen Funktion durch Auswahl aus der bereitgestellten Liste. SUMME-Funktion ALT+= ⌥ Option+= Die Funktion SUMME wird in die gewählte Zelle eingefügt. Dropdown-Liste öffnen ALT+↓ Eine ausgewählte Dropdown-Liste öffnen. Kontextmenü öffnen ≣ Menü Kontextmenü für die ausgewählte Zelle oder den ausgewählten Zellbereich auswählen. Funktionen neu berechnen F9 F9 Berechnen Sie die gesamte Arbeitsmappe neu. Funktionen neu berechnen ⇧ UMSCHALT+F9 ⇧ UMSCHALT+F9 Berechnen Sie das aktuelle Arbeitsblatt neu. Datenformate Dialogfeld „Zahlenformat“ öffnen STRG+1 ^ STRG+1 Dialogfeld Zahlenformat öffnen Standardformat anwenden STRG+⇧ UMSCHALT+~ ^ STRG+⇧ UMSCHALT+~ Das Format Standardzahl wird angewendet. Format Währung anwenden STRG+⇧ UMSCHALT+$ ^ STRG+⇧ UMSCHALT+$ Das Format Währung mit zwei Dezimalstellen wird angewendet (negative Zahlen in Klammern). Prozentformat anwenden STRG+⇧ UMSCHALT+% ^ STRG+⇧ UMSCHALT+% Das Format Prozent wird ohne Dezimalstellen angewendet. Das Format Exponential wird angewendet STRG+⇧ UMSCHALT+^ ^ STRG+⇧ UMSCHALT+^ Das Format Exponential mit zwei Dezimalstellen wird angewendet. Datenformat anwenden STRG+⇧ UMSCHALT+# ^ STRG+⇧ UMSCHALT+# Das Format Datum mit Tag, Monat und Jahr wird angewendet. Zeitformat anwenden STRG+⇧ UMSCHALT+@ ^ STRG+⇧ UMSCHALT+@ Das Format Zeit mit Stunde und Minute und AM oder PM wird angewendet. Nummernformat anwenden STRG+⇧ UMSCHALT+! ^ STRG+⇧ UMSCHALT+! Das Format Nummer mit zwei Dezimalstellen, Tausendertrennzeichen und Minuszeichen (-) für negative Werte wird angewendet. Objekte ändern Verschiebung begrenzen ⇧ UMSCHALT + ziehen ⇧ UMSCHALT + ziehen Die Verschiebung des gewählten Objekts wird horizontal oder vertikal begrenzt. 15-Grad-Drehung einschalten ⇧ UMSCHALT + ziehen (beim Drehen) ⇧ UMSCHALT + ziehen (beim Drehen) Begrenzt den Drehungswinkel auf 15-Grad-Stufen. Seitenverhältnis sperren ⇧ UMSCHALT + ziehen (beim Ändern der Größe) ⇧ UMSCHALT + ziehen (beim Ändern der Größe) Das Seitenverhältnis des gewählten Objekts wird bei der Größenänderung beibehalten. Gerade Linie oder Pfeil zeichnen ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) ⇧ UMSCHALT + ziehen (beim Ziehen von Linien/Pfeilen) Zeichnen einer geraden vertikalen/horizontalen/45-Grad Linie oder eines solchen Pfeils. Bewegung in 1-Pixel-Stufen STRG+← → ↑ ↓ Halten Sie die Taste STRG gedrückt und nutzen Sie die Pfeile auf der Tastatur, um das gewählte Objekt jeweils um ein Pixel zu verschieben." }, { "id": "HelpfulHints/Navigation.htm", "title": "Ansichtseinstellungen und Navigationswerkzeuge", - "body": "Um Ihnen das Ansehen und Auswählen von Zellen in einem großen Tabellenblatt zu erleichtern, bietet Ihnen der Tabelleneditor verschiedene Navigationswerkzeuge: verstellbare Leisten, Bildlaufleisten, Navigationsschaltflächen, Blattregister und Zoom. Ansichtseinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Tabelle festzulegen, klicken Sie auf das Symbol Ansichtseinstellungen im rechten Bereich der Kopfzeile des Editors und wählen Sie, welche Oberflächenelemente ein- oder ausgeblendet werden sollen. Folgende Optionen stehen Ihnen im Menü Ansichtseinstellungen zur Verfügung: Symbolleiste ausblenden - die obere Symbolleiste und die zugehörigen Befehle werden ausgeblendet, während die Registerkarten weiterhin angezeigt werden. Ist diese Option aktiviert, können Sie jede beliebige Registerkarte anklicken, um die Symbolleiste anzuzeigen. Die Symbolleiste wird angezeigt bis Sie in einen Bereich außerhalb der Leiste klicken. Um den Modus zu deaktivieren, klicken Sie auf das Symbol Ansichtseinstellungen und klicken Sie erneut auf Symbolleiste ausblenden. Die Symbolleiste ist wieder fixiert. Hinweis: Alternativ können Sie einen Doppelklick auf einer beliebigen Registerkarte ausführen, um die obere Symbolleiste zu verbergen oder wieder einzublenden. Formelleiste ausblenden - die unter der oberen Symbolleiste angezeigte Bearbeitungsleiste für die Eingabe und Vorschau von Formeln und Inhalten wird ausgeblendet. Um die ausgeblendete Bearbeitungsleiste wieder einzublenden, klicken Sie erneut auf diese Option. Durch Ziehen der unteren Zeile der Formelleiste zum Erweitern wird die Höhe der Formelleiste geändert, um eine Zeile anzuzeigen. Statusleiste verbergen - zeigt alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile an. Standardmäßig ist diese Option aktiv. Wenn Sie es deaktivieren, wird die Statusleiste in zwei Zeilen angezeigt. Überschriften ausblenden - die Spaltenüberschrift oben und die Zeilenüberschrift auf der linken Seite im Arbeitsblatt, werden ausgeblendet. Um die ausgeblendeten Überschriften wieder einzublenden, klicken Sie erneut auf diese Option. Rasterlinien ausblenden - die Linien um die Zellen werden ausgeblendet. Um die ausgeblendeten Rasterlinien wieder einzublenden, klicken Sie erneut auf diese Option. Zellen fixieren - alle Zellen oberhalb der aktiven Zeile und alle Spalten links von der aktiven Zeile werden eingefroren, so dass sie beim Scrollen sichtbar bleiben. Um die Fixierung aufzuheben, klicken Sie mit der rechten Maustaste an eine beliebige Stelle im Tabellenblatt und wählen Sie die Option Fixierung aufheben aus dem Menü aus. Schatten für fixierte Bereiche anzeigen zeigt an, dass Spalten und/oder Zeilen fixiert sind (eine subtile Linie wird angezeigt). Zoom - verwenden Sie die oder Schaltflächen zum Vergrößern oder Verkleinern des Blatts. Nullen anzeigen - ermöglicht, dass „0“ sichtbar ist, wenn es in eine Zelle eingegeben wird. Um diese Option zu aktivieren/deaktivieren, suchen Sie das Kontrollkästchen Nullen anzeigen auf der Registerkarte Tabellenansicht. Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Sie haben die Möglichkeit die Größe eines geöffneten Kommentarfensters oder Chatfensters zu verändern. Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, bis der Cursor als Zweirichtungs-Pfeil angezeigt wird und ziehen Sie den Rand nach rechts, um das Feld zu verbreitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihr Tabellenblatt navigieren: Mit den Bildlaufleisten (unten oder auf der rechten Seite) können Sie im aktuellen Tabellenblatt nach oben und unten und nach links und rechts scrollen. Mithilfe der Bildlaufleisten durch ein Tabellenblatt navigieren: Klicken Sie auf die oben/unten oder rechts/links Pfeile auf den Bildlaufleisten. Ziehen Sie das Bildlauffeld. Klicken Sie in einen beliebigen Bereich auf der jeweiligen Bildlaufleiste. Sie können auch mit dem Scrollrad auf Ihrer Maus durch das Dokument scrollen. Die Schaltflächen für die Blattnavigation befinden sich in der linken unteren Ecke und dienen dazu zwischen den einzelnen Tabellenblättern in der aktuellen Kalkulationstabelle zu wechseln. Klicken Sie auf die Schaltfläche Zum ersten Blatt scrollen, um das erste Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum vorherigen Blatt scrollen , um das vorherige Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum nächsten Blatt scrollen, um das nächste Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Letztes Blatt , um das letzte Blatt der aktuellen Tabelle zu aktivieren. Verwenden Sie die Schaltfläche in der Statusleiste, um ein neues Arbeitsblatt hinzuzufügen. Um das erforderliche Blatt auszuwählen, klicken Sie in der Statusleiste auf die Schaltfläche , um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, oder klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche . klicken Sie in der Statusleiste auf die Schaltfläche , um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, oder klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche . Die Schaltflächen Zoom befinden sich in der unteren rechten Ecke und dienen zum Vergrößern und Verkleinern des aktuellen Blatts. Um den aktuell ausgewählten Zoomwert, der in Prozent angezeigt wird, zu ändern, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen aus der Liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) oder verwenden Sie die Schaltflächen Vergrößern oder Verkleinern . Die Zoom-Einstellungen sind auch in der Drop-Down-Liste Ansichtseinstellungen verfügbar." + "body": "Um Ihnen das Ansehen und Auswählen von Zellen in einem großen Tabellenblatt zu erleichtern, bietet Ihnen die Tabellenkalkulation verschiedene Navigationswerkzeuge: verstellbare Leisten, Bildlaufleisten, Navigationsschaltflächen, Blattregister und Zoom. Ansichtseinstellungen anpassen Um die Standardanzeigeeinstellung anzupassen und den günstigsten Modus für die Arbeit mit der Tabelle festzulegen, gehen Sie zur Registerkarte Tabellenansicht und wählen Sie aus, welche Elemente der Benutzeroberfläche ausgeblendet oder angezeigt werden sollen. Auf der Registerkarte Tabellenansicht können Sie die folgenden Optionen auswählen: Tabellenansicht, um die Tabellenansichten zu verwalten. Um mehr über Tabellenansichten zu erfahren, lesen Sie bitte den folgenden Artikel. Zoom, um den erforderlichen Zoomwert von 50 % bis 500 % aus der Drop-Down-Liste einzustellen. Thema der Benutzeroberfläche - wählen Sie eines der verfügbaren Oberflächenthemen aus dem Drop-Down-Menü: Wie im System, Hell, Klassisch Hell, Dunkel, Dunkler Kontrast. Fensterausschnitt fixieren - fixiert alle Zeilen über der aktiven Zelle und alle Spalten links von der aktiven Zelle ein, sodass sie sichtbar bleiben, wenn Sie in der Tabelle nach rechts oder unten scrollen. Um die Fensterfixierung aufzuheben, klicken Sie einfach erneut auf diese Option oder klicken Sie mit der rechten Maustaste auf eine beliebige Stelle im Arbeitsblatt und wählen Sie die Option Fixierung aufheben aus dem Menü. Formelleiste - wenn diese Option deaktiviert ist, wird die Leiste unter der oberen Symbolleiste ausgeblendet, die zum Eingeben und Überprüfen der Formeln und ihrer Inhalte verwendet wird. Um die ausgeblendete Formelleiste anzuzeigen, klicken Sie erneut auf diese Option. Wenn Sie die untere Linie der Formelleiste ziehen, um sie zu erweitern, wird die Höhe der Formelleiste umgeschaltet, um eine Zeile anzuzeigen. Überschriften - wenn diese Option deaktiviert ist, werden die Spaltenüberschrift oben und die Zeilenüberschrift auf der linken Seite des Arbeitsblatts ausgeblendet. Um die ausgeblendeten Überschriften anzuzeigen, klicken Sie erneut auf diese Option. Gitternetzlinien - wenn diese Option deaktiviert ist, werden die Linien um die Zellen ausgeblendet. Um die ausgeblendeten Gitternetzlinien anzuzeigen, klicken Sie erneut auf diese Option. Nullen anzeigen - diese Option ermöglicht, dass „0“ sichtbar ist, wenn sie in eine Zelle eingegeben wird. Um diese Option zu deaktivieren, deaktivieren Sie das Kontrollkästchen. Symbolleiste immer anzeigen - wenn diese Option deaktiviert ist, wird die obere Symbolleiste, die Befehle enthält, ausgeblendet, während die Registerkartennamen sichtbar bleiben. Alternativ können Sie einfach auf eine beliebige Registerkarte doppelklicken, um die obere Symbolleiste auszublenden oder wieder anzuzeigen. Statusleiste verbergen - zeigt alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile an. Standardmäßig ist diese Option aktiv. Wenn Sie sie deaktivieren, wird die Statusleiste in zwei Zeilen angezeigt. Die rechte Seitenleiste ist standartmäßig verkleinert. Um sie zu erweitern, wählen Sie ein beliebiges Objekt (z. B. Bild, Diagramm, Form) oder eine Textpassage aus und klicken Sie auf das Symbol des aktuell aktivierten Tabs auf der rechten Seite. Um die Seitenleiste wieder zu minimieren, klicken Sie erneut auf das Symbol. Sie haben die Möglichkeit die Größe eines geöffneten Kommentarfensters oder Chatfensters zu verändern. Bewegen Sie den Mauszeiger über den Rand der linken Seitenleiste, bis der Cursor als Zweirichtungs-Pfeil angezeigt wird und ziehen Sie den Rand nach rechts, um das Feld zu verbreitern. Um die ursprüngliche Breite wiederherzustellen, ziehen Sie den Rand nach links. Verwendung der Navigationswerkzeuge Mithilfe der folgenden Werkzeuge können Sie durch Ihr Tabellenblatt navigieren: Verwenden Sie die Tabulatortaste auf Ihrer Tastatur, um zu der Zelle rechts neben der ausgewählten Zelle zu wechseln. Mit den Bildlaufleisten (unten oder auf der rechten Seite) können Sie im aktuellen Tabellenblatt nach oben und unten und nach links und rechts scrollen. Mithilfe der Bildlaufleisten durch ein Tabellenblatt navigieren: klicken Sie auf die Pfeile nach oben/unten oder rechts/links auf den Bildlaufleisten; ziehen Sie das Bildlauffeld; scrollen Sie mit dem Mausrad, um sich vertikal zu bewegen; verwenden Sie die Kombination aus der Umschalttaste und dem Scrollrad der Maus, um sich horizontal zu bewegen; klicken Sie auf einen beliebigen Bereich links/rechts oder über/unter dem Bildlauffeld auf der Bildlaufleiste. Sie können auch mit dem Scrollrad auf Ihrer Maus durch das Dokument scrollen. Die Schaltflächen für die Blattnavigation befinden sich in der linken unteren Ecke und dienen dazu zwischen den einzelnen Tabellenblättern in der aktuellen Kalkulationstabelle zu wechseln. Klicken Sie auf die Schaltfläche Zum vorherigen Blatt scrollen , um das vorherige Blatt der aktuellen Tabelle zu aktivieren. Klicken Sie auf die Schaltfläche Zum nächsten Blatt scrollen , um das nächste Blatt der aktuellen Tabelle zu aktivieren. Verwenden Sie die Schaltfläche in der Statusleiste, um ein neues Arbeitsblatt hinzuzufügen. Um das erforderliche Blatt auszuwählen, klicken Sie in der Statusleiste auf die Schaltfläche , um die Liste aller Arbeitsblätter zu öffnen und das gewünschte Arbeitsblatt auszuwählen. Die Liste der Blätter zeigt auch den Blattstatus an, oder klicken Sie auf die entsprechende Tabellenregisterkarte neben der Schaltfläche . Die Schaltflächen Zoom befinden sich in der unteren rechten Ecke und dienen zum Vergrößern und Verkleinern des aktuellen Blatts. Um den aktuell ausgewählten Zoomwert zu ändern, der in Prozent angezeigt wird, klicken Sie darauf und wählen Sie eine der verfügbaren Zoomoptionen aus der Liste aus (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) oder verwenden Sie die Schaltfläche Vergrößern oder Verkleinern . Die Zoom-Einstellungen sind auch auf der Registerkarte Tabellenansicht verfügbar." }, { "id": "HelpfulHints/Password.htm", @@ -2352,18 +2352,18 @@ var indexes = }, { "id": "HelpfulHints/Search.htm", - "title": "Such- und Ersatzfunktion", - "body": "Um in der aktuellen Tabelleneditor nach Zeichen, Wörtern oder Phrasen suchen wollen, klicken Sie auf das Symbol in der linken Seitenlaste oder nutzen Sie die Tastenkombination STRG+F. Wenn Sie nur auf dem aktuellen Blatt nach Werten innerhalb eines bestimmten Bereichs suchen / diese ersetzen möchten, wählen Sie den erforderlichen Zellbereich aus und klicken Sie dann auf das Symbol . Die Dialogbox Suchen und Ersetzen wird geöffnet: Geben Sie Ihre Suchanfrage in das entsprechende Eingabefeld ein. Legen Sie die Suchoptionen fest, klicken Sie dazu auf das Symbol und markieren Sie die gewünschten Optionen: Groß-/Kleinschreibung beachten - ist diese Funktion aktiviert, werden nur Ergebnisse mit derselben Schreibweise wie in Ihrer Suchanfrage gefiltert (lautet Ihre Anfrage z. B. 'Editor' und diese Option ist markiert, werden Wörter wie 'editor' oder 'EDITOR' usw. nicht gesucht). Nur gesamter Zelleninhalt - ist diese Funktion aktiviert, werden nur Zellen gesucht, die außer den in Ihrer Anfrage angegebenen Zeichen keine weiteren Zeichen enthalten (lautet Ihre Anfrage z. B. '56' und diese Option ist aktiviert, werden Zellen die Daten wie '0,56' oder '156' usw. enthalten nicht gefunden). Ergebnisse markieren - alle gefundenen Vorkommen auf einmal markiert. Um diese Option auszuschalten und die Markierung zu entfernen, deaktivieren Sie das Kontrollkästchen. Durchsuchen - legen Sie fest, ob Sie nur das aktive Blatt durchsuchen wollen oder die ganze Arbeitsmappe. Wenn Sie einen ausgewählten Datenbereich auf dem aktuellen Blatt durchsuchen wollen, achten Sie darauf, dass die Option Blatt ausgewählt ist. Suchen - geben Sie an, in welche Richtung Sie suchen wollen, in Zeilen oder in Spalten. Suchen in - legen Sie fest ob Sie den Wert der Zellen durchsuchen wollen oder die zugrundeliegenden Formeln. Navigieren Sie durch Ihre Suchergebnisse über die Pfeiltasten. Die Suche wird entweder in Richtung Tabellenanfang (klicken Sie auf ) oder in Richtung Tabellenende (klicken Sie auf ) durchgeführt. Das erste Ergebnis der Suchanfrage in der ausgewählten Richtung, wird markiert. Falls es sich dabei nicht um das gewünschte Wort handelt, klicken Sie erneute auf den Pfeil, um das nächste Vorkommen der eingegebenen Zeichen zu finden. Um ein oder mehrere der gefundenen Ergebnisse zu ersetzen, klicken Sie auf den Link Ersetzen unter dem Eingabefeld oder nutzen Sie die Tastenkombination STRG+H. Die Dialogbox Suchen und Ersetzen öffnet sich: Geben Sie den gewünschten Ersatztext in das untere Eingabefeld ein. Klicken Sie auf Ersetzen, um das aktuell ausgewählte Ergebnis zu ersetzen oder auf Alle ersetzen, um alle gefundenen Ergebnisse zu ersetzen. Um das Feld Ersetzen zu verbergen, klicken Sie auf den Link Ersetzen verbergen." + "title": "Suchen und Ersetzen", + "body": "Um in der aktuellen Tabellenkalkulation nach Zeichen, Wörtern oder Phrasen suchen wollen, klicken Sie auf das Symbol in der linken Seitenleiste, das Symbol in der oberen rechten Ecke, oder verwenden Sie die Tastenkombination Strg+F (Command+F für MacOS), um das kleine Suchfeld zu öffnen, oder die Tastenkombination Strg+H, um das vollständige Suchfenster zu öffnen. Ein kleiner Suchen-Bereich öffnet sich in der oberen rechten Ecke des Arbeitsbereichs. Um auf die erweiterten Einstellungen zuzugreifen, klicken Sie auf das Symbol . Die Dialogbox Suchen und ersetzen wird geöffnet: Geben Sie Ihre Anfrage in das entsprechende Dateneingabefeld Suchen ein. Um zwischen den gefundenen Vorkommen zu navigieren, klicken Sie auf eine der Pfeilschaltflächen. Die Schaltfläche zeigt das nächste Vorkommen an, während die Schaltfläche das vorherige Vorkommen anzeigt. Wenn Sie ein oder mehrere Vorkommen der gefundenen Zeichen ersetzen müssen, geben Sie den Ersetzungstext in das entsprechende Dateneingabefeld Ersetzen durch ein. Sie können wählen, ob Sie ein einzelnes derzeit markiertes Vorkommen oder alle Vorkommen ersetzen möchten, indem Sie auf die entsprechenden Schaltflächen Ersetzen und Alle ersetzen klicken. Geben Sie Suchoptionen an, indem Sie die erforderlichen Optionen unter den Eingabefeldern aktivieren: Die Option Innerhalb wird verwendet, um nur das aktive Blatt, die gesamte Arbeitsmappe oder den benutzerdefinierten Bereich zu durchsuchen. Im letzteren Fall wird das Feld Datenbereich auswählen aktiv, in dem Sie den erforderlichen Bereich angeben können. Die Option Suchen wird verwendet, um die Richtung anzugeben, in der Sie suchen möchten: nach rechts nach Zeilen oder nach unten nach Spalten. Die Option Suchen in wird verwendet, um anzugeben, ob Sie den Wert der Zellen oder die zugrunde liegenden Formeln suchen möchten. Geben Sie Suchparameter an, indem Sie die erforderlichen Optionen unter den Eingabefeldern aktivieren: Die Option Groß-/Kleinschreibung beachten wird verwendet, um nur die Vorkommen zu finden, die in der gleichen Groß-/Kleinschreibung wie Ihre Anfrage eingegeben wurden (z. B. wenn Ihre Anfrage „Editor“ lautet und diese Option ausgewählt ist, werden Wörter wie „Editor“ oder „EDITOR“ usw. nicht gefunden). Die Option Gesamter Zellinhalt wird verwendet, um nur die Zellen zu finden, die keine anderen Zeichen als die in Ihrer Anfrage angegebenen enthalten (z. B. wenn Ihre Anfrage „56“ lautet und diese Option ausgewählt ist, werden die Zellen mit Daten wie „0,56“ oder „156“ usw. nicht gefunden). Alle Vorkommen werden in der Datei hervorgehoben und als Liste im Bereich Suchen auf der linken Seite angezeigt. Verwenden Sie die Liste, um zum gewünschten Vorkommen zu springen, oder verwenden Sie die Navigationsschaltflächen und ." }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Rechtschreibprüfung", - "body": "Der Tabelleneditor kann die Rechtschreibung des Textes in einer bestimmten Sprache überprüfen und Fehler beim Bearbeiten korrigieren. In der Desktop-Version können Sie auch Wörter in ein benutzerdefiniertes Wörterbuch einfügen, das für alle drei Editoren gemeinsam ist. Klicken Sie die Schaltfläche Rechtschreibprüfung in der linken Randleiste an, um das Rechtschreibprüfungspanel zu öffnen. Die obere linke Zelle hat den falschgeschriebenen Textwert, der automatisch in dem aktiven Arbeitsblatt ausgewählt ist. Das erste falsch geschriebene Wort wird in dem Rechtschreibprüfungsfeld angezeigt. Die Wörter mit der rechten Rechtschreibung werden im Feld nach unten angezeigt. Verwenden Sie die Schaltfläche Zum nächsten Wort wechseln, um zum nächsten falsch geschriebenen Wort zu übergehen. Falsh geschriebene Wörter ersetzen Um das falsch geschriebene Wort mit dem korrekt geschriebenen Wort zu ersetzen, wählen Sie das korrekt geschriebene Wort aus der Liste aus und verwenden Sie die Option Ändern: klicken Sie die Schaltfläche Ändern an, oder klicken Sie den Abwärtspfeil neben der Schaltfläche Ändern an und wählen Sie die Option Ändern aus. Das aktive Wort wird ersetzt und Sie können zum nächsten falsch geschriebenen Wort wechseln. Um alle identischen falsch geschriebenen Wörter im Arbeitsblatt scnhell zu ersetzen, klicken Sie den Abwärtspfeil neben der Schaltfläche Ändern an und wählen Sie die Option Alles ändern aus. Wörter ignorieren Um das aktive Wort zu ignorieren: klicken Sie die Schaltfläche Ignorieren an, oder klicken Sie den Abwärtspfeil neben der Schaltfläche Ignorieren an und wählen Sie die Option Ignorieren aus. Das aktive Wort wird ignoriert und Sie können zum nächsten falsch geschriebenen Wort wechseln. Um alle identischen falsch geschriebenen Wörter im Arbeitsblatt zu ignorieren, klicken Sie den Abwärtspfeil neben der Schaltfläche Ignorieren an und wählen Sie die Option Alles ignorieren aus. Falls das aktive Wort im Wörterbuch fehlt, können Sie es manuell mithilfe der Schaltfläche Hinzufügen zu dem benutzerdefinierten Wörterbuch hinfügen. Dieses Wort wird kein Fehler mehr. Diese Option steht nur in der Desktop-Version zur Verfügung. Die aktive Sprache des Wörterbuchs ist nach unten angezeigt. Sie können sie ändern. Wenn Sie alle Wörter auf dem Arbeitsblatt überprüfen, wird die Meldung Die Rechtschreibprüfung wurde abgeschlossen auf dem Panel angezeigt. Um das Panel zu schließen, klicken Sie die Schaltfläche Rechtschreibprüfung in der linken Randleiste an. Die Einstellungen für die Rechtschreibprüfung konfigurieren Um die Einstellungen der Rechtschreibprüfung zu ändern, öffnen Sie die erweiterten Einstellungen des Tabelleneditors (die Registerkarte Datei -> Erweiterte Einstellungen) und öffnen Sie den Abschnitt Rechtschreibprüfung. Hier können Sie die folgenden Einstellungen konfigurieren: Sprache des Wörterbuchs - wählen Sie eine der verfügbaren Sprachen aus der Liste aus. Die Wörterbuchsprache in der Rechtschreibprüfung wird geändert. Wörter in GROSSBUCHSTABEN ignorieren - aktivieren Sie diese Option, um in Großbuchstaben geschriebene Wörter zu ignorieren, z.B. Akronyme wie SMB. Wörter mit Zahlen ignorieren - aktivieren Sie diese Option, um Wörter mit Zahlen zu ignorieren, z.B. Akronyme wie B2B. Autokorrektur wird verwendet, um automatisch ein Wort oder Symbol zu ersetzen, das in das Feld Ersetzen: eingegeben oder aus der Liste durch ein neues Wort oder Symbol ausgewählt wurde, das im Feld Nach: angezeigt wird. Um die Änderungen anzunehmen, klicken Sie die Schaltfläche Anwenden an." + "body": "Die Tabellenkalkulation kann die Rechtschreibung des Textes in einer bestimmten Sprache überprüfen und Fehler beim Bearbeiten korrigieren. In der Desktop-Version können Sie auch Wörter in ein benutzerdefiniertes Wörterbuch einfügen, das für alle drei Editoren gemeinsam ist. Ab Version 6.3 unterstützen die ONLYOFFICE-Editoren die SharedWorker-Benutzeroberfläche für einen reibungsloseren Betrieb ohne nennenswerten Speicherverbrauch. Wenn Ihr Browser SharedWorker nicht unterstützt, ist nur Worker aktiv. Weitere Informationen zu SharedWorker finden Sie in diesem Artikel. Klicken Sie die Schaltfläche Rechtschreibprüfung in der linken Randleiste an, um das Rechtschreibprüfungspanel zu öffnen. Die obere linke Zelle hat den falschgeschriebenen Textwert, der automatisch in dem aktiven Arbeitsblatt ausgewählt ist. Das erste falsch geschriebene Wort wird in dem Rechtschreibprüfungsfeld angezeigt. Die Wörter mit der rechten Rechtschreibung werden im Feld nach unten angezeigt. Verwenden Sie die Schaltfläche Zum nächsten Wort wechseln, um zum nächsten falsch geschriebenen Wort zu übergehen. Falsh geschriebene Wörter ersetzen Um das falsch geschriebene Wort mit dem korrekt geschriebenen Wort zu ersetzen, wählen Sie das korrekt geschriebene Wort aus der Liste aus und verwenden Sie die Option Ändern: klicken Sie die Schaltfläche Ändern an, oder klicken Sie den Abwärtspfeil neben der Schaltfläche Ändern an und wählen Sie die Option Ändern aus. Das aktive Wort wird ersetzt und Sie können zum nächsten falsch geschriebenen Wort wechseln. Um alle identischen falsch geschriebenen Wörter im Arbeitsblatt scnhell zu ersetzen, klicken Sie den Abwärtspfeil neben der Schaltfläche Ändern an und wählen Sie die Option Alles ändern aus. Wörter ignorieren Um das aktive Wort zu ignorieren: klicken Sie die Schaltfläche Ignorieren an, oder klicken Sie den Abwärtspfeil neben der Schaltfläche Ignorieren an und wählen Sie die Option Ignorieren aus. Das aktive Wort wird ignoriert und Sie können zum nächsten falsch geschriebenen Wort wechseln. Um alle identischen falsch geschriebenen Wörter im Arbeitsblatt zu ignorieren, klicken Sie den Abwärtspfeil neben der Schaltfläche Ignorieren an und wählen Sie die Option Alles ignorieren aus. Falls das aktive Wort im Wörterbuch fehlt, können Sie es manuell mithilfe der Schaltfläche Hinzufügen zu dem benutzerdefinierten Wörterbuch hinfügen. Dieses Wort wird kein Fehler mehr. Diese Option steht nur in der Desktop-Version zur Verfügung. Die aktive Sprache des Wörterbuchs ist nach unten angezeigt. Sie können sie ändern. Wenn Sie alle Wörter auf dem Arbeitsblatt überprüfen, wird die Meldung Die Rechtschreibprüfung wurde abgeschlossen auf dem Panel angezeigt. Um das Panel zu schließen, klicken Sie die Schaltfläche Rechtschreibprüfung in der linken Randleiste an. Die Einstellungen für die Rechtschreibprüfung konfigurieren Um die Einstellungen der Rechtschreibprüfung zu ändern, öffnen Sie die erweiterten Einstellungen des Tabelleneditors (die Registerkarte Datei -> Erweiterte Einstellungen) und öffnen Sie den Abschnitt Rechtschreibprüfung. Hier können Sie die folgenden Einstellungen konfigurieren: Sprache des Wörterbuchs - wählen Sie eine der verfügbaren Sprachen aus der Liste aus. Die Wörterbuchsprache in der Rechtschreibprüfung wird geändert. Wörter in GROSSBUCHSTABEN ignorieren - aktivieren Sie diese Option, um in Großbuchstaben geschriebene Wörter zu ignorieren, z.B. Akronyme wie SMB. Wörter mit Zahlen ignorieren - aktivieren Sie diese Option, um Wörter mit Zahlen zu ignorieren, z.B. Akronyme wie B2B. Autokorrektur wird verwendet, um automatisch ein Wort oder Symbol zu ersetzen, das in das Feld Ersetzen: eingegeben oder aus der Liste durch ein neues Wort oder Symbol ausgewählt wurde, das im Feld Nach: angezeigt wird. Um die Änderungen anzunehmen, klicken Sie die Schaltfläche Anwenden an." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Unterstützte Formate für Kalkulationstabellen", - "body": "Eine Tabelleneditor ist eine Tabelle mit Daten, die in Zeilen und Spalten organisiert sind. Sie wird am häufigsten zur Speicherung von Finanzinformationen verwendet, da nach Änderungen an einer einzelnen Zelle automatisch das gesamte Blatt neu berechnet wird. Der Tabellenkalkulationseditor ermöglicht das Öffnen, Anzeigen und Bearbeiten der gängigsten Dateiformate für Tabellenkalkulationen. Formate Beschreibung Anzeige Bearbeitung Download XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + + XLSX Standard-Dateiendung für eine Tabellendatei, die mit Microsoft Office Excel 2007 (oder späteren Versionen) erstellt wurde + + + XLTX Excel Open XML Tabellenvorlage Gezipptes, XML-basiertes, von Microsoft für Tabellenvorlagen entwickeltes Dateiformat. Eine XLTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + + ODS Dateiendung für eine Tabellendatei die in Paketen OpenOffice und StarOffice genutzt wird, ein offener Standard für Kalkulationstabellen + + + OTS OpenDocument-Tabellenvorlage OpenDocument-Dateiformat für Tabellenvorlagen. Eine OTS-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + + CSV Comma Separated Values (durch Komma getrennte Werte) Dateiformat das zur Speicherung tabellarischer Daten (Zahlen und Text) im Klartext genutzt wird. + + + PDF Portable Document Format Dateiformat, mit dem Dokumente unabhängig vom ursprünglichen Anwendungsprogramm, Betriebssystem und der Hardware originalgetreu wiedergegeben werden können. + PDF/A Portable Document Format / A Eine ISO-standardisierte Version des Portable Document Format (PDF), die auf die Archivierung und Langzeitbewahrung elektronischer Dokumente spezialisiert ist. +" + "body": "Eine Kalkulationstabelle ist eine Tabelle mit Daten, die in Zeilen und Spalten organisiert sind. Sie wird am häufigsten zur Speicherung von Finanzinformationen verwendet, da nach Änderungen an einer einzelnen Zelle automatisch das gesamte Blatt neu berechnet wird. Die Tabellenkalkulation ermöglicht das Öffnen, Anzeigen und Bearbeiten der gängigsten Dateiformate für Kalkulationstabellen. Beim Hochladen oder Öffnen der Datei für die Bearbeitung wird sie ins Office-Open-XML-Format (XLSX) konvertiert. Dies wird gemacht, um die Dateibearbeitung zu beschleunigen und die Interfunktionsfähigkeit zu erhöhen. Die folgende Tabelle enthält die Formate, die zum Anzeigen und/oder zur Bearbeitung geöffnet werden können. Formate Beschreibung Nativ anzeigen Anzeigen nach Konvertierung in OOXML Nativ bearbeiten Bearbeitung nach Konvertierung in OOXML CSV Comma Separated Values (durch Komma getrennte Werte) Dateiformat das zur Speicherung tabellarischer Daten (Zahlen und Text) im Klartext genutzt wird. + + ODS Dateiendung für eine Tabellendatei die in Paketen OpenOffice und StarOffice genutzt wird, ein offener Standard für Kalkulationstabellen + + OTS OpenDocument-Tabellenvorlage OpenDocument-Dateiformat für Tabellenvorlagen. Eine OTS-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + XLS Dateiendung für eine Tabellendatei, die mit Microsoft Excel erstellt wurde + + XLSX Standard-Dateiendung für eine Tabellendatei, die mit Microsoft Office Excel 2007 (oder späteren Versionen) erstellt wurde + + XLTX Excel Open XML Tabellenvorlage Gezipptes, XML-basiertes, von Microsoft für Tabellenvorlagen entwickeltes Dateiformat. Eine XLTX-Vorlage enthält Formatierungseinstellungen, Stile usw. und kann zum Erstellen mehrerer Tabellen mit derselben Formatierung verwendet werden. + + Die folgende Tabelle enthält die Formate, in denen Sie eine Tabelle über das Menü Datei -> Herunterladen als herunterladen können. Eingabeformat Kann herunterladen werden als CSV CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX ODS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX OTS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLSX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLTX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX Sie können sich auch auf die Conversion-Matrix auf api.onlyoffice.com beziehen, um die Möglichkeiten zu sehen, Ihre Kalkulationstabellen in die bekanntesten Dateiformate zu konvertieren." }, { "id": "HelpfulHints/VersionHistory.htm", @@ -2383,7 +2383,7 @@ var indexes = { "id": "ProgramInterface/FileTab.htm", "title": "Registerkarte Datei", - "body": "Über die Registerkarte Datei in der Tabellenkalkulation können Sie einige grundlegende Vorgänge in der aktuellen Datei durchführen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: in der Online-Version können Sie die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern der Tabelle im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie der Tabelle im Portal im ausgewählten Format), drucken oder umbenennen. In der Desktop-Version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken, die Datei mit einem Kennwort schützen, das Kennwort ändern oder löschen, die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar), weiter können Sie eine neue Tabelle erstellen oder eine kürzlich bearbeitete Tabelle öffnen (nur in der Online-Version verfügbar), allgemeine Informationen über die Kalkulationstabelle einsehen, den Versionsverlauf verfolgen (nur in der Online-Version verfügbar), Zugriffsrechte verwalten (nur in der Online-Version verfügbar), auf die erweiterten Einstellungen des Editors zugreifen, in der Desktop-Version den Ordner öffnen, wo die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit, den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen." + "body": "Über die Registerkarte Datei in der Tabellenkalkulation können Sie einige grundlegende Vorgänge in der aktuellen Datei durchführen. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Sie können: in der Online-Version können Sie die aktuelle Datei speichern (falls die Option Automatisch speichern deaktiviert ist), herunterladen als (Speichern der Tabelle im ausgewählten Format auf der Festplatte des Computers), eine Kopie speichern als (Speichern einer Kopie der Tabelle im Portal im ausgewählten Format), drucken oder umbenennen. In der Desktop-Version können Sie die aktuelle Datei mit der Option Speichern unter Beibehaltung des aktuellen Dateiformats und Speicherorts speichern oder Sie können die aktuelle Datei unter einem anderen Namen, Speicherort oder Format speichern. Nutzen Sie dazu die Option Speichern als. Weiter haben Sie die Möglichkeit die Datei zu drucken, die Datei mit einem Kennwort schützen, das Kennwort ändern oder löschen, die Datei mit einer digitalen Signatur schützen (nur in der Desktop-Version verfügbar), eine neue Tabelle erstellen oder eine kürzlich bearbeitete Tabelle öffnen (nur in der Online-Version verfügbar), allgemeine Informationen über die Kalkulationstabelle einsehen, den Versionsverlauf verfolgen (nur in der Online-Version verfügbar), Zugriffsrechte verwalten (nur in der Online-Version verfügbar), auf die erweiterten Einstellungen des Editors zugreifen, in der Desktop-Version den Ordner öffnen, wo die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit, den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen." }, { "id": "ProgramInterface/FormulaTab.htm", @@ -2403,12 +2403,12 @@ var indexes = { "id": "ProgramInterface/LayoutTab.htm", "title": "Registerkarte Layout", - "body": "Was ist die Registerkarte Layout? Über die Registerkarte Layout in der Tabellenkalkulation, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Funktionen der Registerkarte Layout Sie können: Seitenränder, Seitenausrichtung und Seitengröße anpassen, einen Druckbereich festlegen, Objekte ausrichten und anordnen (Bilder, Diagramme, Formen)." + "body": "Was ist die Registerkarte Layout? Über die Registerkarte Layout in der Tabellenkalkulation, können Sie die Darstellung der Tabelle anpassen: Legen Sie die Seitenparameter fest und definieren Sie die Anordnung der visuellen Elemente. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Funktionen der Registerkarte Layout Sie können: Seitenränder, Seitenausrichtung und Seitengröße anpassen, einen Druckbereich festlegen, Kopf- oder Fußzeilen einfügen, ein Arbeitsblatt skalieren, auf einer Seite Titel drucken, Objekte ausrichten und anordnen (Bilder, Diagramme, Formen), Farbschema ändern." }, { "id": "ProgramInterface/PivotTableTab.htm", "title": "Registerkarte Pivot-Tabelle", - "body": "Unter der Registerkarte Pivot-Tabelle in der Tabellenkalkulation können Sie die Darstellung einer vorhandenen Pivot-Tabelle ändern. Die entsprechende Dialogbox im Online-Tabellenkalkulation: Die entsprechende Dialogbox im Desktop-Tabellenkalkulation: Sie können: eine vollständige Pivot-Tabelle mit einem einzigen Klick auswählen, eine bestimmte Formatierung anwenden, um bestimmte Reihen/Spalten hervorzuheben, einen vordefinierten Tabellenstil auswählen." + "body": "Unter der Registerkarte Pivot-Tabelle in der Tabellenkalkulation können Sie die Darstellung einer vorhandenen Pivot-Tabelle ändern. Die entsprechende Dialogbox im Online-Tabellenkalkulation: Die entsprechende Dialogbox im Desktop-Tabellenkalkulation: Sie können: eine neue Pivot-Tabelle erstellen, das erforderliche Layout für Ihre Pivot-Tabelle wählen, die Pivot-Tabelle aktualisieren, wenn Sie die Daten in Ihrem Quelldatensatz ändern, eine vollständige Pivot-Tabelle mit einem einzigen Klick auswählen, bestimmte Zeilen/Spalten markieren, indem Sie ihnen einen bestimmten Formatierungsstil zuweisen, einen vordefinierten Tabellenstil auswählen." }, { "id": "ProgramInterface/PluginsTab.htm", @@ -2418,7 +2418,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Einführung in die Benutzeroberfläche der Tabellenkalkulation", - "body": "Die Tabellenkalkulation verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Arbeitsblätter, der Name der Arbeitsmappe sowie die Menü-Registerkarten angezeigt. Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. - hier können Sie die Ansichtseinstellungen anpassen und auf die Erweiterten Einstellungen des Editors zugreifen. Zugriffsrechte verwalten (nur in der Online-Version verfügbar - Zugriffsrechte für die in der Cloud gespeicherten Dokumente festlegen. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. 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, Schützen, Tabellenansicht, Plugins. Die Befehle Kopieren und Einfügen 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, Schaltfläche \"Arbeitsblatt hinzufügen\", Schaltfläche \"Liste der Blätter\", Blattregister und Zoom-Schaltflächen. In der Statusleiste werden außerdem den Hintergrundspeicherstatus und Verbindungsstatus, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen, und 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. Symbole in der linken Seitenleiste: - die Funktion Suchen und Ersetzen, - Kommentarfunktion öffnen, (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, - ermöglicht es, die Rechtschreibung Ihres Textes in einer bestimmten Sprache zu überprüfen und Fehler beim Bearbeiten zu korrigieren, - (nur in der Online-Version verfügbar) ermöglicht die Kontaktaufnahme mit unserem Support-Team, - (nur in der Online-Version verfügbar) ermöglicht die Anzeige der Informationen über das Programm. Ü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." + "body": "Die Tabellenkalkulation verfügt über eine Benutzeroberfläche mit Registerkarten, in der Bearbeitungsbefehle nach Funktionalität in Registerkarten gruppiert sind. Dialogbox Online-Tabellenkalkulation: Dialogbox Desktop-Tabellenkalkulation: Die Oberfläche des Editors besteht aus folgenden Hauptelementen: In der Kopfzeile des Editors werden das Logo, geöffnete Arbeitsblätter, der Name der Arbeitsmappe sowie die Menü-Registerkarten angezeigt. Im linken Bereich der Kopfzeile des Editors finden Sie die Schaltflächen Speichern, Datei drucken, Rückgängig machen und Wiederholen. Im rechten Bereich der Kopfzeile des Editors werden der Benutzername und die folgenden Symbole angezeigt: Dateispeicherort öffnen - In der Desktiop-Version können Sie den Ordner öffnen in dem die Datei gespeichert ist; nutzen Sie dazu das Fenster Datei-Explorer. In der Online-Version haben Sie außerdem die Möglichkeit den Ordner des Moduls Dokumente, in dem die Datei gespeichert ist, in einem neuen Browser-Fenster zu öffnen. Freigeben - (nur in der Online-Version verfügbar). Es ermöglicht die Anpassung von Zugriffsrechten für die in der Cloud gespeicherten Dokumente. Als Favorit kennzeichnen - klicken Sie auf den Stern, um eine Datei zu den Favoriten hinzuzufügen, damit Sie sie leichter finden können. Die hinzugefügte Datei ist nur eine Verknüpfung, sodass die Datei selbst am ursprünglichen Speicherort gespeichert bleibt. Durch das Löschen einer Datei aus den Favoriten wird die Datei nicht an ihrem ursprünglichen Speicherort entfernt. Suchen - ermöglicht das Durchsuchen der Kalkulationstabelle nach einem bestimmten Wort oder Symbol usw. 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, Schützen, Tabellenansicht, Plugins. Die Befehle Kopieren, Einfügen, Ausschneiden und Alles auswählen 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, Schaltfläche \"Arbeitsblatt hinzufügen\", Schaltfläche \"Liste der Blätter\", Blattregister und Zoom-Schaltflächen. In der Statusleiste werden außerdem den Hintergrundspeicherstatus und Verbindungsstatus, wenn keine Verbindung besteht und der Editor versucht, die Verbindung wiederherzustellen, und 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. Symbole in der linken Seitenleiste: - die Funktion Suchen und Ersetzen, - Kommentarfunktion öffnen, (nur in der Online-Version verfügbar) - hier können Sie das Chatfenster öffnen, - ermöglicht es, die Rechtschreibung Ihres Textes in einer bestimmten Sprache zu überprüfen und Fehler beim Bearbeiten zu korrigieren, - (nur in der Online-Version verfügbar) ermöglicht die Kontaktaufnahme mit unserem Support-Team, - (nur in der Online-Version verfügbar) ermöglicht die Anzeige der Informationen über das Programm. Ü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": "ProgramInterface/ProtectionTab.htm", @@ -2428,22 +2428,22 @@ var indexes = { "id": "ProgramInterface/ViewTab.htm", "title": "Registerkarte Tabellenansicht", - "body": "Die Registerkarte Ansicht in der Tabellenkalkulation ermöglicht Ihnen die Verwaltung von Voreinstellungen für die Blattansicht basierend auf angewendeten Filteransichtsoptionen. Die entsprechende Dialogbox in der Online-Tabellenkalkulation: Die entsprechende Dialogbox in der Desktop-Tabellenkalkulation: Sie können: Tabellenansichten verwalten. Zoom anpassen. die Benutzeroberfläche auswählen: Hell, Klassisch Hell oder Dunkel. Fensterausschnitt fixieren. die Anzeige von Formelleisten, Überschriften, Gitternetzlinien und Nullen verwalten. die folgenden Ansichtsoptionen aktivieren und deaktivieren: Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen. Statusleiste verbergen, um alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile anzuzeigen. Die Statusleiste wird in zwei Zeilen angezeigt, wenn dieses Kontrollkästchen deaktiviert ist." + "body": "Die Registerkarte Ansicht in der Tabellenkalkulation ermöglicht Ihnen die Verwaltung von Voreinstellungen für die Blattansicht basierend auf angewendeten Filteransichtsoptionen. Die entsprechende Dialogbox in der Online-Tabellenkalkulation: Die entsprechende Dialogbox in der Desktop-Tabellenkalkulation: Sie können: Tabellenansichten verwalten, Zoom anpassen, die Benutzeroberfläche auswählen: Wie im System, Hell, Klassisch Hell, Dunkel, Dunkler Kontrast, Fensterausschnitt fixieren, die Anzeige von Formelleisten, Überschriften, Gitternetzlinien und Nullen verwalten, die folgenden Ansichtsoptionen aktivieren und deaktivieren: Symbolleiste immer anzeigen, um die obere Symbolleiste immer sichtbar zu machen. Statusleiste verbergen, um alle Blattnavigationswerkzeuge und die Statusleiste in einer einzigen Zeile anzuzeigen. Die Statusleiste wird in zwei Zeilen angezeigt, wenn dieses Kontrollkästchen deaktiviert ist." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Rahmenlinien hinzufügen", - "body": "Rahmenlinien in ein Arbeitsblatt einfügen oder formatieren im Tabelleneditor: 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 den gewünschten Rahmenstil aus: Öffnen Sie das Untermenü Rahmenstil und wählen Sie eine der verfügbaren Optionen. Öffnen Sie das Untermenü Rahmenfarbe oder nutzen Sie die Farbpalette auf der rechten Seitenleiste 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 ." + "body": "Einen Zellenhintergrund hinzufügen Um einen Zellenhintergrund in der Tabellenkalkulation anzuwenden und zu formatieren: Markieren Sie eine Zelle oder einen Zellbereich mit der Maus oder das gesamte Arbeitsblatt, indem Sie die Tastenkombination Strg+A drücken. Sie können auch mehrere nicht benachbarte Zellen oder Zellbereiche auswählen, indem Sie die Strg-Taste gedrückt halten, während Sie Zellen/Bereiche mit der Maus auswählen. Um eine einfarbige Füllung auf den Zellenhintergrund anzuwenden, klicken Sie auf das Symbol Hintergrundfarbe auf der Registerkarte Startseite der oberen Symbolleiste und wählen Sie die gewünschte Farbe aus. Um andere Füllungstypen zu verwenden, z. B. eine Füllung mit Farbverlauf oder ein Muster, klicken Sie auf das Symbol Zelleneinstellungen in der rechten Seitenleiste und verwenden Sie den Abschnitt Ausfüllen: Farbfüllung: Wählen Sie diese Option aus, um die Volltonfarbe anzugeben, mit der Sie die ausgewählten Zellen füllen möchten. Klicken Sie auf das farbige Kästchen unten und wählen Sie eine der folgenden Paletten aus: Designfarben - die Farben, die dem ausgewählten Farbschema der Tabelle entsprechen. Standardfarben - eine Reihe von Standardfarben. Das gewählte Farbschema wirkt sich nicht auf sie aus. Benutzerdefinierte Farbe - Klicken Sie auf diese Beschriftung, wenn die erforderliche Farbe in den verfügbaren Paletten fehlt. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler bewegen, und stellen Sie eine bestimmte Farbe ein, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler ausgewählt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch auf Basis des RGB-Farbmodells definieren, indem Sie die entsprechenden Zahlenwerte in die Felder R, G, B (red , grün, blau) oder geben Sie den sRGB-Hexadezimalcode in das mit dem #-Zeichen gekennzeichnete Feld ein. Die ausgewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt zuvor mit einer benutzerdefinierten Farbe gefüllt wurde, wird diese Farbe im Feld Aktuell angezeigt, sodass Sie die ursprünglichen und geänderten Farben vergleichen können. Wenn die Farbe definiert ist, klicken Sie auf die Schaltfläche Hinzufügen: Die benutzerdefinierte Farbe wird auf das ausgewählte Element angewendet und der Palette Benutzerdefinierte Farbe hinzugefügt. Füllung mit Farbverlauf: Füllen Sie die ausgewählten Zellen mit zwei Farben, die sanft ineinander übergehen. Winkel - geben Sie manuell einen genauen Wert in Grad an, der die Verlaufsrichtung definiert (Farben ändern sich in einer geraden Linie im angegebenen Winkel). Richtung - wählen Sie eine vordefinierte Vorlage aus dem Menü. Die folgenden Richtungen sind verfügbar: von oben links nach unten rechts (45°), von oben nach unten (90°), von oben rechts nach unten links (135°), von rechts nach links (180°), von unten rechts nach oben links (225°), von unten nach oben (270°), von links unten nach rechts oben (315°), von links nach rechts (0°). Farbverlauf ist ein spezifischer Punkt für den Übergang von einer Farbe zur anderen. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs einfügen oder Schieberegler, um einen Verlaufspunkt hinzuzufügen. Sie können bis zu 10 Verlaufspunkte hinzufügen. Jeder nächste hinzugefügte Verlaufspunkt wirkt sich in keiner Weise auf das aktuelle Erscheinungsbild der Verlaufsfüllung aus. Verwenden Sie die Schaltfläche Punkt des Farbverlaufs entfernen, um einen bestimmten Punkt des Farbverlaufs zu löschen. Verwenden Sie den Schieberegler, um die Stellung des Verlaufspunkts zu ändern, oder geben Sie die Stellung in Prozent für eine genaue Stellung an. Um eine Farbe auf einen Verlaufspunkt anzuwenden, klicken Sie auf einen Punkt auf der Schiebereglerleiste und dann auf Farbe , um die gewünschte Farbe auszuwählen. Muster: Wählen Sie diese Option, um die ausgewählten Zellen mit einem zweifarbigen Design zu füllen, das aus regelmäßig wiederholten Elementen besteht. Muster - wählen Sie eines der vordefinierten Designs aus dem Menü. Vordergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe der Musterelemente zu ändern. Hintergrundfarbe - klicken Sie auf dieses Farbfeld, um die Farbe des Musterhintergrunds zu ändern. Ohne Füllung - wählen Sie diese Option, wenn Sie keine Füllung verwenden möchten. Zellgrenzen hinzufügen Um Rahmen zu einem Arbeitsblatt hinzuzufügen und zu formatieren, Wählen Sie eine Zelle, einen Zellbereich mit der Maus oder das gesamte Arbeitsblatt aus, indem Sie die Tastenkombination Strg+A drücken. Sie können auch mehrere nicht benachbarte Zellen oder Zellbereiche auswählen, indem Sie die Strg-Taste gedrückt halten, während Sie Zellen/Bereiche mit der Maus auswählen. Klicken Sie auf das Symbol Rahmen auf der Registerkarte Startseite der oberen Symbolleiste oder klicken Sie auf das Symbol Zelleneinstellungen in der rechten Seitenleiste und verwenden Sie den Abschnitt Stil des Rahmens. Wählen Sie den gewünschten Rahmenstil aus: Öffnen Sie das Untermenü Rahmenstil und wählen Sie eine der verfügbaren Optionen. Öffnen Sie das Untermenü Rahmenfarbe oder nutzen Sie die Farbpalette auf der rechten Seitenleiste 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", "title": "Hyperlink einfügen", - "body": "Einfügen eines Hyperlinks im Tabelleneditor: Wählen Sie die Zelle, in der Sie einen Hyperlink einfügen wollen. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Hyperlink in der oberen Symbolleiste. Das Fenster Einstellungen Hyperlink öffnet sich und Sie können die Einstellungen für den Hyperlink festlegen: Wählen Sie den gewünschten Linktyp aus:Wenn Sie einen Hyperlink einfügen möchten, der auf eine externe Website verweist, wählen Sie Website und geben Sie eine URL im Format http://www.example.com in das Feld Link zu ein. Wenn Sie einen Hyperlink hinzufügen möchten, der zu einem bestimmten Zellenbereich in der aktuellen Tabellenkalkulation führt, wählen Sie die Option Interner Datenbereich und geben Sie das gewünschte Arbeitsblatt und den entsprechenden Zellenbereich an. Ansicht - geben Sie einen Text ein, der angeklickt werden kann und zu der angegebenen Webadresse führt.Hinweis: Wenn die gewählte Zelle bereits Daten beinhaltet, werden diese automatisch in diesem Feld angezeigt. QuickInfo - geben Sie einen Text ein, der in einem kleinen Dialogfenster angezeigt wird und den Nutzer über den Inhalt des Verweises informiert. Klicken Sie auf OK. Um einen Hyperlink einzufügen können Sie auch die Tastenkombination STRG+K nutzen oder klicken Sie mit der rechten Maustaste an die Stelle an der Sie den Hyperlink einfügen möchten und wählen Sie die Option Hyperlink im Rechtsklickmenü aus. Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo eingebene Text angezeigt. Einem in der Tabelle hinterlegten Link folgen: Um eine Zelle auszuwählen die einen Link enthält, ohne den Link zu öffnen, klicken Sie diese an und halten Sie die Maustaste gedrückt. Um den hinzugefügten Hyperlink zu entfernen, wählen Sie die Zelle mit dem entsprechenden Hyperlink aus und drücken Sie die Taste ENTF auf Ihrer Tastatur oder klicken Sie mit der rechten Maustaste auf die Zelle und wählen Sie die Option Alle löschen aus der Menüliste aus." + "body": "Um einen Hyperlink in der Tabellenkalkulation einzufügen: Wählen Sie die Zelle, in der Sie einen Hyperlink einfügen wollen. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf das Symbol Hyperlink in der oberen Symbolleiste. Das Fenster Einstellungen Hyperlink öffnet sich und Sie können die Einstellungen für den Hyperlink festlegen: Wählen Sie den gewünschten Linktyp aus: Verwenden Sie die Option Externer Link und geben Sie eine URL im Format http://www.example.com in das Feld Verknüpfen mit unten ein, wenn Sie möchten einen Hyperlink hinzufügen, der zu einer externen Website führt. Wenn Sie einen Hyperlink zu einer lokalen Datei hinzufügen müssen, geben Sie die URL in den Datei://Pfad/Kalkulationstabelle.xlsx (für Windows) oder Datei:///Pfad/Kalkulationstabelle.xlsx (für MacOS und Linux) Format in das Feld Verknüpfen mit unten ein. Der Hyperlink Datei://Pfad/Kalkulationstabelle.xlsx oder Datei:///Pfad/Kalkulationstabelle.xlsx kann nur in der Desktop-Version des Editors geöffnet werden. Im Web-Editor können Sie den Link nur hinzufügen, ohne ihn öffnen zu können. Verwenden Sie die Option Interner Datenbereich, wählen Sie ein Arbeitsblatt und einen Zellbereich in den Feldern unten oder einen zuvor hinzugefügten benannten Bereich aus, wenn Sie einen Hyperlink hinzufügen möchten, der zu einem bestimmten Zellbereich in derselben Tabelle führt. Sie können auch einen externen Link generieren, der zu einer bestimmten Zelle oder einem Zellbereich führt, indem Sie auf die Schaltfläche Link abrufen klicken, oder verwenden Sie dazu die Option Link zum diesen Bereich erhalten im Kontextmenü des gewünschten Zellbereichs. Anzeigen - geben Sie einen Text ein, der angeklickt werden kann und zu der angegebenen Webadresse führt. Wenn die gewählte Zelle bereits Daten beinhaltet, werden diese automatisch in diesem Feld angezeigt. QuickInfo-Text - geben Sie einen Text ein, der in einem kleinen Dialogfenster angezeigt wird und den Nutzer über den Inhalt des Verweises informiert. Klicken Sie auf OK. Um einen Hyperlink hinzuzufügen, können Sie auch die Tastenkombination STRG+K nutzen oder mit der rechten Maustaste an die Stelle klicken, an der Sie den Hyperlink einfügen möchten, und wählen Sie die Option Hyperlink im Rechtsklickmenü aus. Wenn Sie den Mauszeiger über den eingefügten Hyperlink bewegen, wird der von Ihnen im Feld QuickInfo-Text eingebene Text angezeigt. Um dem Link zu folgen, klicken Sie auf den Link in der Tabelle. Um eine Zelle auszuwählen, die einen Link enthält, ohne den Link zu öffnen, klicken und halten Sie die Maustaste gedrückt. Um den hinzugefügten Hyperlink zu entfernen, wählen Sie die Zelle mit dem entsprechenden Hyperlink aus und drücken Sie die Taste ENTF auf Ihrer Tastatur oder klicken Sie mit der rechten Maustaste auf die Zelle und wählen Sie die Option Alle löschen aus der Menüliste aus." }, { "id": "UsageInstructions/AlignText.htm", "title": "Daten in Zellen ausrichten", - "body": "Im Tabelleneditor sie können Ihre Daten horizontal und vertikal in einer Zelle ausrichten. Wählen Sie dazu eine Zelle oder einen Zellenbereich mit der Maus aus oder das ganze Blatt mithilfe der Tastenkombination STRG+A. 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. Führen Sie anschließend einen der folgenden Vorgänge aus. Nutzen Sie dazu die Symbole in der Registerkarte Start in der oberen Symbolleiste. Wählen Sie den horizontalen Ausrichtungstyp, den Sie auf die Daten in der Zelle anwenden möchten. Klicken Sie auf die Option Linksbündig ausrichten , um Ihre Daten am linken Rand der Zelle auszurichten (rechte Seite wird nicht ausgerichtet). Klicken Sie auf die Option Zentrieren , um Ihre Daten mittig in der Zelle auszurichten (rechte und linke Seiten werden nicht ausgerichtet). Klicken Sie auf die Option Rechtsbündig ausrichten , um Ihre Daten am rechten Rand der Zelle auszurichten (linke Seite wird nicht ausgerichtet). Klicken Sie auf die Option Blocksatz , um Ihre Daten am linken und rechten Rand der Zelle auszurichten (falls erforderlich, werden zusätzliche Leerräume eingefügt). Wählen Sie den vertikalen Ausrichtungstyp, den Sie auf die Daten in der Zelle anwenden möchten: Klicken Sie auf die Option Oben ausrichten , um die Daten am oberen Rand der Zelle auszurichten. Klicken Sie auf die Option Mittig ausrichten , um die Daten mittig in der Zelle auszurichten. Klicken Sie auf die Option Unten ausrichten , um die Daten am unteren Rand der Zelle auszurichten. Um den Winkel der Daten in einer Zelle zu ändern, klicken Sie auf das Symbol Ausrichtung und wählen Sie eine der Optionen: Horizontaler Text - Text horizontal platzieren (Standardoption) Gegen den Uhrzeigersinn drehen - Text von unten links nach oben rechts in der Zelle platzieren Im Uhrzeigersinn drehen - Text von oben links nach unten rechts in der Zelle platzieren Text nach oben drehen - der Text verläuft von unten nach oben. Text nach unten drehen - der Text verläuft von oben nach unten. Sie können den Text in einer Zelle mithilfe des Abschnitts Einzugen in der rechten Seitenleiste Zelleneinstellungen einrücken. Geben Sie den Wert (d.h. die Anzahl der Zeichen) an, um den der Inhalt nach rechts verschoben wird. Wenn Sie die Ausrichtung des Textes ändern, werden die Einzüge zurückgesetzt. Wenn Sie die Einzüge für den gedrehten Text ändern, wird die Ausrichtung des Textes zurückgesetzt. Einzüge können nur gesetzt werden, wenn die horizontale oder vertikale Textausrichtung ausgewählt ist. Drehen Sie den Text um einen genau festgelegten Winkel, klicken Sie auf das Symbol Zelleneinstellungen in der rechten Seitenleiste und verwenden Sie die Option Textausrichtung. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein oder passen Sie ihn mit den Pfeilen rechts an. Um Ihre Daten an die Zellenbreite anzupassen, klicken Sie auf das Symbol Zeilenumbruch auf der Registerkarte Startseite in der oberen Symbolleiste oder aktivieren Sie das Kästchen Text umbrechen in der rechten Seitenleiste. Wenn Sie die Breite der Spalte ändern, wird der Zeilenumbruch automatisch angepasst. Passen Sie Ihre Daten an die Zellenbreite an, indem Sie das Kontrollkästchen Passend schrumpfen in der rechten Seitenleiste aktivieren. Der Inhalt der Zelle wird so weit verkleinert, dass er hineinpasst." + "body": "In der Tabellenkalkulation sie können Ihre Daten horizontal und vertikal in einer Zelle ausrichten. Wählen Sie dazu eine Zelle oder einen Zellenbereich mit der Maus aus oder das ganze Blatt mithilfe der Tastenkombination STRG+A. 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. Führen Sie anschließend einen der folgenden Vorgänge aus. Nutzen Sie dazu die Symbole in der Registerkarte Startseite in der oberen Symbolleiste. Wählen Sie den horizontalen Ausrichtungstyp, den Sie auf die Daten in der Zelle anwenden möchten. Klicken Sie auf die Option Linksbündig ausrichten , um Ihre Daten am linken Rand der Zelle auszurichten (rechte Seite wird nicht ausgerichtet). Klicken Sie auf die Option Zentrieren , um Ihre Daten mittig in der Zelle auszurichten (rechte und linke Seiten werden nicht ausgerichtet). Klicken Sie auf die Option Rechtsbündig ausrichten , um Ihre Daten am rechten Rand der Zelle auszurichten (linke Seite wird nicht ausgerichtet). Klicken Sie auf die Option Blocksatz , um Ihre Daten am linken und rechten Rand der Zelle auszurichten (falls erforderlich, werden zusätzliche Leerräume eingefügt). Wählen Sie den vertikalen Ausrichtungstyp, den Sie auf die Daten in der Zelle anwenden möchten: Klicken Sie auf die Option Oben ausrichten , um die Daten am oberen Rand der Zelle auszurichten. Klicken Sie auf die Option Mittig ausrichten , um die Daten mittig in der Zelle auszurichten. Klicken Sie auf die Option Unten ausrichten , um die Daten am unteren Rand der Zelle auszurichten. Um den Winkel der Daten in einer Zelle zu ändern, klicken Sie auf das Symbol Ausrichtung und wählen Sie eine der Optionen: Horizontaler Text - Text horizontal platzieren (Standardoption) Gegen den Uhrzeigersinn drehen - Text von unten links nach oben rechts in der Zelle platzieren Im Uhrzeigersinn drehen - Text von oben links nach unten rechts in der Zelle platzieren Vertikaler Text - den Text vertikal platzieren Text nach oben drehen - der Text verläuft von unten nach oben Text nach unten drehen - der Text verläuft von oben nach unten Sie können den Text in einer Zelle mithilfe des Abschnitts Einzugen in der rechten Seitenleiste Zelleneinstellungen einrücken. Geben Sie den Wert (d.h. die Anzahl der Zeichen) an, um den der Inhalt nach rechts verschoben wird. Wenn Sie die Ausrichtung des Textes ändern, werden die Einzüge zurückgesetzt. Wenn Sie die Einzüge für den gedrehten Text ändern, wird die Ausrichtung des Textes zurückgesetzt. Einzüge können nur gesetzt werden, wenn die horizontale oder vertikale Textausrichtung ausgewählt ist. Drehen Sie den Text um einen genau festgelegten Winkel, klicken Sie auf das Symbol Zelleneinstellungen in der rechten Seitenleiste und verwenden Sie die Option Textausrichtung. Geben Sie den erforderlichen Wert in Grad in das Feld Winkel ein oder passen Sie ihn mit den Pfeilen rechts an. Um Ihre Daten an die Zellenbreite anzupassen, klicken Sie auf das Symbol Zeilenumbruch auf der Registerkarte Startseite in der oberen Symbolleiste oder aktivieren Sie das Kästchen Text umbrechen in der rechten Seitenleiste. Wenn Sie die Breite der Spalte ändern, wird der Zeilenumbruch automatisch angepasst. Passen Sie Ihre Daten an die Zellenbreite an, indem Sie das Kontrollkästchen Passend schrumpfen in der rechten Seitenleiste aktivieren. Der Inhalt der Zelle wird so weit verkleinert, dass er hineinpasst." }, { "id": "UsageInstructions/AllowEditRanges.htm", @@ -2453,12 +2453,17 @@ var indexes = { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Zahlenformat ändern", - "body": "Zahlenformat anwenden: Im Tabelleneditor sie können das Zahlenformat einfach ändern, also die Art, wie die eingegebenen Zahlen in Ihrer Tabelle angezeigt werden. Gehen Sie dazu vor wie folgt: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Arbeitsblatt mithilfe der Tastenkombination STRG+A aus. 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 auf die Menüleiste Zahlenformat in der Registerkarte Start auf der oberen Symbolleiste und wählen Sie das gewünschte Zahlenformat: Allgemein - die als Zahlen eingegebenen Daten möglichst kompakt ohne zusätzliche Zeichen darstellen. Zahl - die Zahlen werden mit 0-30 Stellen hinter dem Komma angezeigt, wobei zwischen jeder Gruppe von drei Stellen vor dem Komma ein Tausendertrennzeichen eingefügt wird. Wissenschaftlich (Exponent) - um die Zahlen bei der Umwandlung in eine Zahlenfolge im Format d.dddE+ddd oder d.dddE-ddd kurz zu halten, wobei jedes d eine Zahl von 0 bis 9 ist. Buchhaltungszahlenformat - Währungswerte werden mit dem Standardwährungssymbol und zwei Dezimalstellen angezeigt. Um ein anderes Währungssymbol zu verwenden oder die Anzahl der Dezimalstellen zu ändern, befolgen Sie die nachstehende Anleitung. Im Gegensatz zum Format Währung richtet das Format Buchhaltung Währungssymbole an der linken Seite der Zelle aus, stellt Nullwerte als Bindestriche dar und zeigt negative Werte in Klammern an. Sie können das Zahlenformat Buchhaltung auf die ausgewählten Daten anwenden, indem Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Buchhaltungungszahlenformat klicken und das erforderliche Währungszeichen auswählen: $ $ Dollar, &euro; Euro, &pound Pfund, &rubel Rubel, &yen Yen, kn Kroatische Kuna. Währung - dient zur Anzeige von Währungswerten mit dem Standardwährungssymbol und zwei Dezimalstellen. Um ein anderes Währungssymbol zu verwenden oder die Anzahl der Dezimalstellen zu ändern, befolgen Sie die nachstehende Anleitung. Im Gegensatz zum Format Buchhaltung platziert das Format Währung ein Währungssymbol direkt vor der ersten Ziffer und zeigt negative Werte mit dem negativen Vorzeichen (-) an. Datum - Daten anzeigen. Für die Anzeige von Daten stehen Ihnen die folgenden Formate zur Verfügung: MM-TT-JJ; MM-TT-JJJJ. Zeit - Uhrzeiten anzeigen. Für die Anzeige von Uhrzeiten stehen Ihnen die folgenden Formate zur Verfügung: HH:MM; HH:MM:ss. Prozent - wird genutzt, um die Daten als Prozentzahl mit dem Zeichen % darzustellen. Um Ihre Daten als Prozente zu formatieren, können Sie auch auf der oberen Symbolleiste in der Registerkarte Start auf das Symbol Prozent klicken. Bruch- Zahlen als gewöhnliche Brüche statt als Dezimalzahlen anzeigen. Text - nummerische Werte als Klartext mit der möglichsten Exaktheit darstellen. Weitere Formate - benutzerdefiniertes Format erstellen oder bereits verwendeten Zahlenformate anpassen und zusätzliche Parameter angeben (siehe Beschreibung unten). Benutzerdefiniert - ein benutzerdefiniertes Format erstellen: wählen Sie eine Zelle, einen Zellbereich oder das gesamte Arbeitsblatt für die Werte aus, die Sie formatieren möchten, wählen Sie die Option Benutzerdefiniert aus dem Menü Weitere Formate aus, geben Sie die erforderlichen Codes ein und überprüfen Sie das Ergebnis im Vorschaubereich oder wählen Sie eine der Vorlagen aus und/oder kombinieren Sie sie. Wenn Sie ein Format auf Basis des vorhandenen Formats erstellen möchten, wenden Sie zuerst das vorhandene Format an und bearbeiten Sie die Codes, klicken Sie auf OK. Anzahl der Dezimalstellen ändern: Über das Symbol Dezimalstelle hinzufügen auf der oberen Symbolleiste in der Registerkarte Startseite können Sie weitere Dezimalstellen hinzufügen. Über das Symbol Dezimalstelle löschen auf der oberen Symbolleiste in der Registerkarte Startseite können Sie Dezimalstellen löschen. Zahlenformat anpassen Sie können das angewendete Zahlenformat folgendermaßen anpassen: Wählen Sie die Zellen aus, für die Sie das Zahlenformat anpassen möchten. Klicken Sie in der Registerkarte Start auf das Symbol Zahlenformat , um die Liste mit verfügbaren Optionen zu öffnen. Wählen Sie die Option Weitere Formate. Passen Sie die verfügbaren Parameter im Fenster Zahlenformate an. Die Optionen unterscheiden sich abhängig vom jeweiligen Zahlenformat, das auf die ausgewählten Zellen angewendet wird. Über die Liste Kategorie können Sie das Zahlenformat ändern. Für das Zahlenformat können Sie die Anzahl der Dezimalpunkte bestimmen, festlegen, ob das verwendet werden soll oder nicht und eines der verfügbaren Formate zum Anzeigen negativer Werte auswählen. Für die Formate Wissenschaftlich und Prozent können Sie die Anzahl der Dezimalstellen festlegen. Für die Formate Buchhaltung und Währung können Sie die Anzahl der Dezimalstellen festlegen und eines der verfügbaren Währungssymbole und das Format für die Anzeige von negativen Werten auswählen. Für das Format von Datum stehen Ihnen folgende Optionen zur Verfügung: 4/15, 04/15, 4/15/06, 04/15/06, 4/15/2006, 04/15/2006, 4/15/06 0:00, 04/15/06 0:00, 4/15/06 12:00 AM, A, April 15 2006, 15-Apr, 15-Apr-06, Apr-06, April-06, A-06, 06-Apr, 15-Apr-2006, 2006-Apr-15, 06-Apr-15, 06-4-15, 06-04-15, 2006-4-15, 2006-04-15, 15/Apr, 15/Apr/06, Apr/06, April/06, A/06, 06/Apr, 15/Apr/2006, 2006/Apr/15, 06/Apr/15, 06/4/15, 06/04/15, 2006/4/15, 2006/04/15, 15 Apr, 15 Apr 06, Apr 06, April 06, A 06, 06 Apr, 15 Apr 2006, 2006 Apr 15, 06 Apr 15, 06 4 15, 06 04 15, 2006 4 15, 2006 04 15. Für das Format von Zeit stehen Ihnen folgende Optionen zur Verfügung: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57,6, 36:48:58. Für das Format von Bruch stehen Ihnen folgende Optionen zur Verfügung: Bis zu eine Ziffer (1/3), bis zu zwei Ziffern (12/25), bis zu drei Ziffern (131/135), als Halbe (1/2), als Viertel (2/4), als Achtel (4/8), als Sechzehntel (8/16), als Zehntel (5/10), als Hundertstel (50/100). Klicken Sie auf OK, um die Änderungen anzuwenden." + "body": "Zahlenformat anwenden: In der Tabellenkalkulation können Sie ganz einfach das Zahlenformat ändern, d. h. die Art und Weise, wie die Zahlen in einer Tabelle erscheinen. Dazu: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Arbeitsblatt mithilfe der Tastenkombination STRG+A aus. 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. Öffnen Sie die Drop-Down-Liste Zahlenformat auf der Registerkarte Startseite der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste auf die ausgewählten Zellen und verwenden Sie die Option Zahlenformat aus dem Kontextmenü. Wählen Sie das Zahlenformat aus, das Sie anwenden möchten: Allgemein - die als Zahlen eingegebenen Daten möglichst kompakt ohne zusätzliche Zeichen darstellen. Zahl - die Zahlen werden mit 0-30 Stellen hinter dem Komma angezeigt, wobei zwischen jeder Gruppe von drei Stellen vor dem Komma ein Tausendertrennzeichen eingefügt wird. Wissenschaftlich (Exponent) - um die Zahlen bei der Umwandlung in eine Zahlenfolge im Format d.dddE+ddd oder d.dddE-ddd kurz zu halten, wobei jedes d eine Zahl von 0 bis 9 ist. Rechnungswesen - Währungswerte werden mit dem Standardwährungssymbol und zwei Dezimalstellen angezeigt. Um ein anderes Währungssymbol zu verwenden oder die Anzahl der Dezimalstellen zu ändern, befolgen Sie die nachstehende Anleitung. Im Gegensatz zum Format Währung richtet das Format Buchhaltung Währungssymbole an der linken Seite der Zelle aus, stellt Nullwerte als Bindestriche dar und zeigt negative Werte in Klammern an. Sie können das Zahlenformat Rechnungswesen auf die ausgewählten Daten anwenden, indem Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Buchhaltungungszahlenformat klicken und das erforderliche Währungszeichen auswählen: $ $ Dollar, &euro; Euro, &pound Pfund, &rubel Rubel, &yen Yen, kn Kroatische Kuna. Währung - dient zur Anzeige von Währungswerten mit dem Standardwährungssymbol und zwei Dezimalstellen. Um ein anderes Währungssymbol zu verwenden oder die Anzahl der Dezimalstellen zu ändern, befolgen Sie die nachstehende Anleitung. Im Gegensatz zum Format Buchhaltung platziert das Format Währung ein Währungssymbol direkt vor der ersten Ziffer und zeigt negative Werte mit dem negativen Vorzeichen (-) an. Datum - Daten anzeigen. Für die Anzeige von Daten stehen Ihnen die folgenden Formate zur Verfügung: MM-TT-JJ; MM-TT-JJJJ. Zeit - Uhrzeiten anzeigen. Für die Anzeige von Uhrzeiten stehen Ihnen die folgenden Formate zur Verfügung: HH:MM; HH:MM:ss. Prozentsatz - wird genutzt, um die Daten als Prozentzahl mit dem Zeichen % darzustellen. Um Ihre Daten als Prozente zu formatieren, können Sie auch auf der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Prozent klicken. Bruch- Zahlen als gewöhnliche Brüche statt als Dezimalzahlen anzeigen. Text - nummerische Werte als Klartext mit der möglichsten Exaktheit darstellen. Weitere Formate - benutzerdefiniertes Format erstellen oder bereits verwendeten Zahlenformate anpassen und zusätzliche Parameter angeben (siehe Beschreibung unten). Benutzerdefiniert - ein benutzerdefiniertes Format erstellen: wählen Sie eine Zelle, einen Zellbereich oder das gesamte Arbeitsblatt für die Werte aus, die Sie formatieren möchten, wählen Sie die Option Benutzerdefiniert aus dem Menü Weitere Formate aus, geben Sie die erforderlichen Codes ein und überprüfen Sie das Ergebnis im Vorschaubereich oder wählen Sie eine der Vorlagen aus und/oder kombinieren Sie sie. Wenn Sie ein Format auf Basis des vorhandenen Formats erstellen möchten, wenden Sie zuerst das vorhandene Format an und bearbeiten Sie die Codes, klicken Sie auf OK. Anzahl der Dezimalstellen ändern: Über das Symbol Dezimalstelle hinzufügen auf der oberen Symbolleiste in der Registerkarte Startseite können Sie weitere Dezimalstellen hinzufügen. Über das Symbol Dezimalstelle löschen auf der oberen Symbolleiste in der Registerkarte Startseite können Sie Dezimalstellen löschen. Um das Zahlenformat zu ändern, können Sie auch Tastaturkürzel verwenden. Zahlenformat anpassen Sie können das angewendete Zahlenformat folgendermaßen anpassen: Wählen Sie die Zellen aus, für die Sie das Zahlenformat anpassen möchten. Öffnen Sie die Drop-Down-Liste Zahlenformat uf der Registerkarte Startseite von der oberen Symbolleiste oder klicken Sie mit der rechten Maustaste auf die ausgewählten Zellen und verwenden Sie die Option Zahlenformat aus dem Kontextmenü. Wählen Sie die Option Weitere Formate. Passen Sie im geöffneten Fenster Zahlenformat die verfügbaren Parameter an. Die Optionen unterscheiden sich je nach Zahlenformat, das auf die ausgewählten Zellen angewendet wird. Sie können die Liste Kategorie verwenden, um das Zahlenformat zu ändern. Für das Zahlenformat können Sie die Anzahl der Dezimalpunkte bestimmen, festlegen, ob das verwendet werden soll oder nicht und eines der verfügbaren Formate zum Anzeigen negativer Werte auswählen. Für die Formate Wissenschaftlich und Prozentsatz können Sie die Anzahl der Dezimalstellen festlegen. Für die Formate Rechnungswesen und Währung können Sie die Anzahl der Dezimalstellen festlegen und eines der verfügbaren Währungssymbole und das Format für die Anzeige von negativen Werten auswählen. Für das Format von Datum stehen Ihnen folgende Optionen zur Verfügung: 4/15, 04/15, 4/15/06, 04/15/06, 4/15/2006, 04/15/2006, 4/15/06 0:00, 04/15/06 0:00, 4/15/06 12:00 AM, A, April 15 2006, 15-Apr, 15-Apr-06, Apr-06, April-06, A-06, 06-Apr, 15-Apr-2006, 2006-Apr-15, 06-Apr-15, 06-4-15, 06-04-15, 2006-4-15, 2006-04-15, 15/Apr, 15/Apr/06, Apr/06, April/06, A/06, 06/Apr, 15/Apr/2006, 2006/Apr/15, 06/Apr/15, 06/4/15, 06/04/15, 2006/4/15, 2006/04/15, 15 Apr, 15 Apr 06, Apr 06, April 06, A 06, 06 Apr, 15 Apr 2006, 2006 Apr 15, 06 Apr 15, 06 4 15, 06 04 15, 2006 4 15, 2006 04 15. Für das Format von Zeit stehen Ihnen folgende Optionen zur Verfügung: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57,6, 36:48:58. Für das Format von Bruch stehen Ihnen folgende Optionen zur Verfügung: Bis zu eine Ziffer (1/3), bis zu zwei Ziffern (12/25), bis zu drei Ziffern (131/135), als Halbe (1/2), als Viertel (2/4), als Achtel (4/8), als Sechzehntel (8/16), als Zehntel (5/10), als Hundertstel (50/100). Klicken Sie auf OK, um die Änderungen anzuwenden." }, { "id": "UsageInstructions/ClearFormatting.htm", - "title": "Text oder Zellformatierung löschen,Zellenformat kopieren", - "body": "Formatierung löschen Im Tabelleneditor sie können den Text oder das Format einer bestimmten Zelle schnell löschen. Führen Sie dazu folgende Schritte aus: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Arbeitsblatt mithilfe der Tastenkombination STRG+A 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 auf das Symbol Löschen auf der oberen Symbolleiste in der Registerkarte Start und wählen Sie eine der verfügbaren Optionen: Alle - um alle Zelleninhalte zu löschen: Text, Format, Funktion usw. Text - um den Text im gewählten Zellenbereich zu löschen. Format - um die Formatierung im gewählten Zellenbereich zu löschen. Text und Funktionen bleiben erhalten. Kommentare - um die Kommentare im gewählten Zellenbereich zu löschen. Hyperlinks - um die Hyperlinks im gewählten Zellenbereich zu löschen. Hinweis: Die zuvor genannten Optionen sind auch im Rechtsklickmenü verfügbar. Zellformatierung kopieren Sie können ein bestimmtes Zellenformat schnell kopieren und auf andere Zellen anwenden. Eine kopierte Formatierung auf eine einzelne Zelle oder mehrere benachbarte Zellen anwenden: Wählen Sie die Zelle/den Zellbereich, dessen Formatierung Sie kopieren möchten, mit der Maus oder mithilfe der Tastatur aus. Klicken Sie in der oberen Symbolleiste unter der Registerkarte Start auf das Symbol Format übertragen (der Mauszeiger ändert sich wie folgt ). Wählen Sie die Zelle/den Zellbereich auf die/den Sie die Formatierung übertragen möchten. Eine kopierte Formatierung auf mehrere nicht benachbarte Zellen anwenden: Wählen Sie die Zelle/den Zellbereich, dessen Formatierung Sie kopieren möchten, mit der Maus oder mithilfe der Tastatur aus. Führen Sie in der oberen Symbolleiste unter der Registerkarte Start einen Doppelklick auf das Symbol Format übertragen aus (der Mauszeiger ändert sich wie folgt und das Symbol Format übertragen bleibt ausgewählt: KKlicken Sie auf einzelne Zellen oder wählen Sie Zellenbereiche nacheinander aus, um allen dasselbe Format zuzuweisen. Wenn Sie den Modus beenden möchten, klicken Sie erneut auf das Symbol Format übertragen oder drücken Sie die ESC-Taste auf Ihrer Tastatur." + "title": "Text oder Zellformatierung löschen, Zellenformat kopieren", + "body": "Text oder Zellformatierung löschen,Zellenformat kopieren Formatierung löschen In der Tabellenkalkulation können Sie den Text oder das Format einer bestimmten Zelle schnell löschen. Führen Sie dazu folgende Schritte aus: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Arbeitsblatt mithilfe der Tastenkombination STRG+A aus. 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 auf das Symbol Löschen auf der oberen Symbolleiste in der Registerkarte Startseite und wählen Sie eine der verfügbaren Optionen: Alle - um alle Zelleninhalte zu löschen: Text, Format, Funktion usw. Text - um den Text im gewählten Zellenbereich zu löschen. Format - um die Formatierung im gewählten Zellenbereich zu löschen. Text und Funktionen bleiben erhalten. Kommentare - um die Kommentare im gewählten Zellenbereich zu löschen. Hyperlinks - um die Hyperlinks im gewählten Zellenbereich zu löschen. Die zuvor genannten Optionen sind auch im Rechtsklickmenü verfügbar. Zellformatierung kopieren Sie können ein bestimmtes Zellenformat schnell kopieren und auf andere Zellen anwenden. Eine kopierte Formatierung auf eine einzelne Zelle oder mehrere benachbarte Zellen anwenden: Wählen Sie die Zelle/den Zellbereich, dessen Formatierung Sie kopieren möchten, mit der Maus oder mithilfe der Tastatur aus. Klicken Sie in der oberen Symbolleiste unter der Registerkarte Startseite auf das Symbol Format übertragen (der Mauszeiger ändert sich wie folgt ). Wählen Sie die Zelle/den Zellbereich auf die/den Sie die Formatierung übertragen möchten. Eine kopierte Formatierung auf mehrere nicht benachbarte Zellen anwenden: Wählen Sie die Zelle/den Zellbereich, dessen Formatierung Sie kopieren möchten, mit der Maus oder mithilfe der Tastatur aus. Führen Sie in der oberen Symbolleiste unter der Registerkarte Startseite einen Doppelklick auf das Symbol Format übertragen aus (der Mauszeiger ändert sich wie folgt und das Symbol Format übertragen bleibt ausgewählt: KKlicken Sie auf einzelne Zellen oder wählen Sie Zellenbereiche nacheinander aus, um allen dasselbe Format zuzuweisen. Wenn Sie den Modus beenden möchten, klicken Sie erneut auf das Symbol Format übertragen oder drücken Sie die ESC-Taste auf Ihrer Tastatur." + }, + { + "id": "UsageInstructions/CommunicationPlugins.htm", + "title": "Kommunikation während der Bearbeitung", + "body": "In der ONLYOFFICE Tabellenkalkulation können Sie immer mit Kollegen in Kontakt bleiben und beliebte Online-Messenger wie Telegram und Rainbow nutzen. Telegram- und Rainbow-Plugins werden standardmäßig nicht installiert. Informationen zur Installation finden Sie im entsprechenden Artikel: Hinzufügen von Plugins zu den ONLYOFFICE Desktop Editoren Hinzufügen von Plugins zu ONLYOFFICE Cloud oder Hinzufügen neuer Plugins zu Server-Editoren . Telegram Um mit dem Chatten im Telegram-Plugin zu beginnen: wechseln Sie zum Tab Plugins und klicken Sie auf Telegram, geben Sie Ihre Telefonnummer in das entsprechende Feld ein, aktivieren Sie das Kontrollkästchen Angemeldet bleiben, wenn Sie die Anmeldeinformationen für die aktuelle Sitzung speichern möchten, und klicken Sie auf die Schaltfläche Weiter, geben Sie den Code, den Sie erhalten haben, in Ihre Telegram-App ein, oder loggen Sie mit dem QR-Code ein, öffnen Sie die Telegram-App auf Ihrem Telefon, gehen Sie zu Einstellungen > Geräte > QR scannen, scannen Sie das Bild, um sich anzumelden. Jetzt können Sie Telegram für Instant Messaging innerhalb der Editor-Oberfläche von ONLYOFFICE verwenden. Rainbow Um mit dem Chatten im Rainbow-Plugin zu beginnen: wechseln Sie zum Tab Plugins und klicken Sie auf Rainbow, registrieren Sie ein neues Konto, indem Sie auf die Schaltfläche Anmelden klicken, oder melden Sie sich bei einem bereits erstellten Konto an. Geben Sie dazu Ihre E-Mail in das entsprechende Feld ein und klicken Sie auf Weiter, geben Sie dann Ihr Kontopasswort ein, aktivieren Sie das Kontrollkästchen Meine Sitzung am Leben erhalten, wenn Sie die Anmeldeinformationen für die aktuelle Sitzung speichern möchten, und klicken Sie auf die Schaltfläche Verbinden. Jetzt sind Sie fertig und können gleichzeitig in Rainbow chatten und in der ONLYOFFICE-Editor-Oberfläche arbeiten." }, { "id": "UsageInstructions/ConditionalFormatting.htm", @@ -2467,8 +2472,8 @@ var indexes = }, { "id": "UsageInstructions/CopyPasteData.htm", - "title": "Daten ausschneiden/kopieren/einfügen", - "body": "Zwischenablage verwenden Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole des Tabelleneditor, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie die entsprechenden Daten aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü, um die gewählten Daten zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Tabelle wieder eingefügt werden. Kopieren – wählen Sie die gewünschten Daten aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Die kopierten Daten können später an eine andere Stelle in demselben Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen - wählen Sie die gewünschte Stelle aus und klicken Sie in der oberen Symbolleiste auf Einfügen oder klicken Sie mit der rechten Maustaste auf die gewünschte Stelle und wählen Sie Einfügen aus der Menüleiste aus, um die vorher kopierten bzw. ausgeschnittenen Daten aus der Zwischenablage an der aktuellen Cursorposition einzufügen. Die Daten können vorher aus demselben Blatt, einer anderen Tabelle oder einem anderen Programm kopiert werden. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Tabelle oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+X - Ausschneiden; STRG+C - Kopieren; STRG+V - Einfügen. Hinweis: Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Inhalte einfügen mit Optionen Hinweis: Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar. Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Für das Eifügen von Zellen/Zellbereichen mit formatierten Daten sind die folgenden Optionen verfügbar: Einfügen - der Zellinhalt wird einschließlich Datenformatierung eingefügt. Diese Option ist standardmäßig ausgewählt. Wenn die kopierten Daten Formeln enthalten, stehen folgende Optionen zur Verfügung: Nur Formel einfügen - ermöglicht das Einfügen von Formeln ohne Einfügen der Datenformatierung. Formel + Zahlenformat - ermöglicht das Einfügen von Formeln mit der auf Zahlen angewendeten Formatierung. Formel + alle Formatierungen - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen. Formel ohne Rahmenlinien - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen außer Zellenrahmen. Formel + Spaltenbreite - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen einschließlich Breite der Quellenspalte für den Zellenbereich, in den Sie die Daten einfügen. Die folgenden Optionen ermöglichen das Einfügen des Ergebnisses der kopierten Formel, ohne die Formel selbst einzufügen: Nur Wert einfügen - ermöglicht das Einfügen der Formelergebnisse ohne Einfügen der Datenformatierung. Wert + Zahlenformat - ermöglicht das Einfügen der Formelergebnisse mit der auf Zahlen angewendeten Formatierung. Wert + alle Formatierungen - ermöglicht das Einfügen der Formelergebnisse mit allen Datenformatierungen. Nur Formatierung einfügen - ermöglicht das Einfügen der Zellenformatierung ohne Einfügen des Zelleninhalts. Transponieren - ermöglicht das Einfügen von Daten, die Spalten in Zeilen und Zeilen in Spalten ändern. Diese Option ist nur für normale Datenbereiche verfügbar und nicht für formatierte Tabellen. Wenn Sie den Inhalt einer einzelnen Zelle oder eines Textes in AutoFormen einfügen, sind die folgenden Optionen verfügbar: Quellenformatierung - die Quellformatierung der kopierten Daten wird beizubehalten. Zielformatierung - ermöglicht das Anwenden der bereits für die Zelle/AutoForm verwendeten Formatierung auf die eingefügten Daten. Zum Einfügen von durch Trennzeichen getrenntem Text, der aus einer .txt -Datei kopiert wurde, stehen folgende Optionen zur Verfügung: Der durch Trennzeichen getrennte Text kann mehrere Datensätze enthalten, wobei jeder Datensatz einer einzelnen Tabellenzeile entspricht. Jeder Datensatz kann mehrere durch Trennzeichen getrennte Textwerte enthalten (z. B. Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen oder ein anderes Zeichen). Die Datei sollte als Klartext-Datei .txt gespeichert werden. Nur Text beibehalten - Ermöglicht das Einfügen von Textwerten in eine einzelne Spalte, in der jeder Zelleninhalt einer Zeile in einer Quelltextdatei entspricht. Textimport-Assistent verwenden - Ermöglicht das Öffnen des Textimport-Assistenten, mit dessen Hilfe Sie die Textwerte auf einfache Weise in mehrere Spalten aufteilen können, wobei jeder durch ein Trennzeichen getrennte Textwert in eine separate Zelle eingefügt wird.Wählen Sie im Fenster Textimport-Assistent das Trennzeichen aus der Dropdown-Liste Trennzeichen aus, das für die durch Trennzeichen getrennten Daten verwendet wurde. Die in Spalten aufgeteilten Daten werden im Feld Vorschau unten angezeigt. Wenn Sie mit dem Ergebnis zufrieden sind, drücken Sie die Taste OK. Wenn Sie durch Trennzeichen getrennte Daten aus einer Quelle eingefügt haben die keine reine Textdatei ist (z. B. Text, der von einer Webseite kopiert wurde usw.), oder wenn Sie die Funktion Nur Text beibehalten angewendet haben und nun die Daten aus einer einzelnen Spalte in mehrere Spalten aufteilen möchten, können Sie die Option Text zu Spalten verwenden. Daten in mehrere Spalten aufteilen: Wählen Sie die gewünschte Zelle oder Spalte aus, die Daten mit Trennzeichen enthält. Klicken Sie auf der rechten Seitenleiste auf die Schaltfläche Text zu Spalten. Der Assistent Text zu Spalten wird geöffnet. Wählen Sie in der Dropdown-Liste Trennzeichen das Trennzeichen aus, das Sie für die durch Trennzeichen getrennten Daten verwendet haben, schauen Sie sich die Vorschau im Feld darunter an und klicken Sie auf OK. Danach befindet sich jeder durch das Trennzeichen getrennte Textwert in einer separaten Zelle. Befinden sich Daten in den Zellen rechts von der Spalte, die Sie teilen möchten, werden diese überschrieben. Auto-Ausfülloption Wenn Sie mehrere Zellen mit denselben Daten ausfüllen wollen, verwenden Sie die Option Auto-Ausfüllen: Wählen Sie eine Zelle/einen Zellenbereich mit den gewünschten Daten aus. Bewegen Sie den Mauszeiger über den Füllpunkt in der rechten unteren Ecke der Zelle. Der Cursor wird zu einem schwarzen Pluszeichen: Ziehen Sie den Ziehpunkt über die angrenzenden Zellen, die Sie mit den ausgewählten Daten füllen möchten. Hinweis: Wenn Sie eine Reihe von Zahlen (z. B. 1, 2, 3, 4...; 2, 4, 6, 8... usw.) oder Datumsangaben erstellen wollen, geben Sie mindestens zwei Startwerte ein und erweitern Sie die Datenreihe, indem Sie beide Zellen markieren und dann den Ziehpunkt ziehen bis Sie den gewünschten Maximalwert erreicht haben. Zellen in einer Spalte mit Textwerten füllen Wenn eine Spalte in Ihrer Tabelle einige Textwerte enthält, können Sie einfach jeden Wert in dieser Spalte ersetzen oder die nächste leere Zelle ausfüllen, indem Sie einen der bereits vorhandenen Textwerte auswählen. Klicken Sie mit der rechten Maustaste auf die gewünschte Zelle und wählen Sie im Kontextmenü die Option Aus Dropdown-Liste auswählen. Wählen Sie einen der verfügbaren Textwerte, um den aktuellen Text zu ersetzen oder eine leere Zelle auszufüllen." + "title": "Daten kopieren, einfügen, ausschneiden", + "body": "Zwischenablage verwenden Um die Daten in Ihrer aktuellen Kalkulationstabelle auszuschneiden, zu kopieren oder einzufügen, nutzen Sie die entsprechenden Optionen aus dem Rechtsklickmenü oder die Symbole der Tabellenkalkulation, die auf jeder beliebigen Registerkarte in der oberen Symbolleiste verfügbar sind: Ausschneiden - wählen Sie die entsprechenden Daten aus und nutzen Sie die Option Ausschneiden im Rechtsklickmenü oder das Symbol Ausschneiden in der oberen Symbolleiste, um die gewählten Daten zu löschen und in der Zwischenablage des Rechners zu speichern. Die ausgeschnittenen Daten können später an einer anderen Stelle in derselben Tabelle wieder eingefügt werden. Kopieren – wählen Sie die gewünschten Daten aus und klicken Sie im Rechtsklickmenü auf Kopieren oder klicken Sie in der oberen Symbolleiste auf das Symbol Kopieren, um die Auswahl in die Zwischenablage Ihres Computers zu kopieren. Die kopierten Daten können später an eine andere Stelle in demselben Blatt, in eine andere Tabelle oder in ein anderes Programm eingefügt werden. Einfügen - wählen Sie die gewünschte Stelle aus und klicken Sie in der oberen Symbolleiste auf Einfügen oder klicken Sie mit der rechten Maustaste auf die gewünschte Stelle und wählen Sie Einfügen aus der Menüleiste aus, um die vorher kopierten bzw. ausgeschnittenen Daten aus der Zwischenablage an der aktuellen Cursorposition einzufügen. Die Daten können vorher aus demselben Blatt, einer anderen Tabelle oder einem anderen Programm kopiert werden. In der Online-Version können nur die folgenden Tastenkombinationen zum Kopieren oder Einfügen von Daten aus/in eine andere Tabelle oder ein anderes Programm verwendet werden. In der Desktop-Version können sowohl die entsprechenden Schaltflächen/Menüoptionen als auch Tastenkombinationen für alle Kopier-/Einfügevorgänge verwendet werden: STRG+X - Ausschneiden; STRG+C - Kopieren; STRG+V - Einfügen. Wenn Sie Daten innerhalb einer Kalkulationstabelle ausschneiden und einfügen wollen, können Sie die gewünschte(n) Zelle(n) auch einfach auswählen. Wenn Sie nun den Mauszeiger über die Auswahl bewegen ändert sich der Zeiger in das Symbol und Sie können die Auswahl in die gewünschte Position ziehen. Um das automatische Erscheinen der Schaltfläche Spezielles Einfügen nach dem Einfügen zu aktivieren/deaktivieren, gehen Sie zur Registerkarte Datei > Erweiterte Einstellungen und aktivieren/deaktivieren Sie das Kontrollkästchen Die Schaltfläche Einfügeoptionen beim Einfügen von Inhalten anzeigen. Inhalte einfügen mit Optionen Für die gemeinsame Bearbeitung ist die Option Spezielles Einfügen ist nur im Co-Editing-Modus Formal verfügbar. Wenn Sie den kopierten Text eingefügt haben, erscheint neben der unteren rechten Ecke der eingefügten Zelle(n) das Menü Einfügeoptionen . Klicken Sie auf diese Schaltfläche, um die gewünschte Einfügeoption auszuwählen. Für das Eifügen von Zellen/Zellbereichen mit formatierten Daten sind die folgenden Optionen verfügbar: Einfügen (Strg+P) - der Zellinhalt wird einschließlich Datenformatierung eingefügt. Diese Option ist standardmäßig ausgewählt. Wenn die kopierten Daten Formeln enthalten, stehen folgende Optionen zur Verfügung: Nur Formel einfügen (Strg+F) - ermöglicht das Einfügen von Formeln ohne Einfügen der Datenformatierung. Formel + Zahlenformat (Strg+O) - ermöglicht das Einfügen von Formeln mit der auf Zahlen angewendeten Formatierung. Formel + alle Formatierungen (Strg+K) - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen. Formel ohne Rahmenlinien (Strg+B) - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen außer Zellenrahmen. Formel + Spaltenbreite (Strg+W) - ermöglicht das Einfügen von Formeln mit allen Datenformatierungen einschließlich Breite der Quellenspalte für den Zellenbereich, in den Sie die Daten einfügen. Vertauschen (Strg+T) - ermöglicht Ihnen, Daten einzufügen, indem Sie sie von Spalten zu Zeilen oder umgekehrt umschalten. Diese Option ist für reguläre Datenbereiche verfügbar, nicht jedoch für formatierte Tabellen. Die folgenden Optionen ermöglichen das Einfügen des Ergebnisses der kopierten Formel, ohne die Formel selbst einzufügen: Nur Wert einfügen (Strg+V) - ermöglicht das Einfügen der Formelergebnisse ohne Einfügen der Datenformatierung. Wert + Zahlenformat (Strg+A) - ermöglicht das Einfügen der Formelergebnisse mit der auf Zahlen angewendeten Formatierung. Wert + alle Formatierungen (Strg+E) - ermöglicht das Einfügen der Formelergebnisse mit allen Datenformatierungen. Nur Formatierung einfügen - ermöglicht das Einfügen der Zellenformatierung ohne Einfügen des Zelleninhalts. Einfügen Formeln - ermöglicht es Ihnen, Formeln einzufügen, ohne die Datenformatierung einzufügen. Werte - ermöglicht es Ihnen, die Formelergebnisse einzufügen, ohne die Datenformatierung einzufügen. Formate - ermöglicht es Ihnen, die Formatierung des kopierten Bereichs anzuwenden. Kommentare - ermöglicht es Ihnen, Kommentare zum kopierten Bereich hinzuzufügen. Spaltenbreite - ermöglicht es Ihnen, bestimmte Spaltenbreiten des kopierten Bereichs festzulegen. Alles außer Grenzen - ermöglicht das Einfügen von Formeln und Formelergebnissen mit all ihren Formatierungen außer Rahmen. Formeln & Formatierung - ermöglicht es Ihnen, Formeln einzufügen und aus dem kopierten Bereich zu formatieren. Formeln & Spaltenbreite - ermöglicht das Einfügen von Formeln und das Festlegen bestimmter Spaltenbreiten des kopierten Bereichs. Formeln & Zahlenformels - ermöglicht das Einfügen von Formeln und Zahlenformeln. Formeln & Zahlenformat - ermöglicht es Ihnen, Formelergebnisse einzufügen und die Zahlenformatierung des kopierten Bereichs anzuwenden. Werte & Formatierung - ermöglicht es Ihnen, Formelergebnisse einzufügen und die Formatierung des kopierten Bereichs anzuwenden. Aktion Hinzufügen - ermöglicht es Ihnen, automatisch numerische Werte in jede eingefügte Zelle einzufügen. Abziehen - ermöglicht es Ihnen, numerische Werte in jeder eingefügten Zelle automatisch abzuziehen. Multiplizieren - ermöglicht es Ihnen, numerische Werte in jeder eingefügten Zelle automatisch zu multiplizieren. Unterteilen - ermöglicht es Ihnen, numerische Werte in jeder eingefügten Zelle automatisch zu unterteilen. Vertauschen - ermöglicht das Einfügen von Daten, die Spalten in Zeilen und Zeilen in Spalten ändern. Diese Option ist nur für normale Datenbereiche verfügbar und nicht für formatierte Tabellen. Überspringe leere - ermöglicht es Ihnen, das Einfügen leerer Zellen und deren Formatierung zu überspringen. Wenn Sie den Inhalt einer einzelnen Zelle oder eines Textes in AutoFormen einfügen, sind die folgenden Optionen verfügbar: Quellenformatierung (Strg+K) - die Quellformatierung der kopierten Daten wird beizubehalten. Zielformatierung (Strg+M) - ermöglicht das Anwenden der bereits für die Zelle/AutoForm verwendeten Formatierung auf die eingefügten Daten. Durch Trennzeichen getrennten Text einfügen Zum Einfügen von durch Trennzeichen getrenntem Text, der aus einer .txt-Datei kopiert wurde, stehen folgende Optionen zur Verfügung: Der durch Trennzeichen getrennte Text kann mehrere Datensätze enthalten, wobei jeder Datensatz einer einzelnen Tabellenzeile entspricht. Jeder Datensatz kann mehrere durch Trennzeichen getrennte Textwerte enthalten (z. B. Komma, Semikolon, Doppelpunkt, Tabulator, Leerzeichen oder ein anderes Zeichen). Die Datei sollte als Klartext-Datei .txt gespeichert werden. Nur Text beibehalten (Strg+T) - ermöglicht das Einfügen von Textwerten in eine einzelne Spalte, in der jeder Zelleninhalt einer Zeile in einer Quelltextdatei entspricht. Textimport-Assistent verwenden - ermöglicht das Öffnen des Textimport-Assistenten, mit dessen Hilfe Sie die Textwerte auf einfache Weise in mehrere Spalten aufteilen können, wobei jeder durch ein Trennzeichen getrennte Textwert in eine separate Zelle eingefügt wird.Wählen Sie im Fenster Textimport-Assistent das Trennzeichen aus der Dropdown-Liste Trennzeichen aus, das für die durch Trennzeichen getrennten Daten verwendet wurde. Die in Spalten aufgeteilten Daten werden im Feld Vorschau unten angezeigt. Wenn Sie mit dem Ergebnis zufrieden sind, drücken Sie die Taste OK. Wenn Sie durch Trennzeichen getrennte Daten aus einer Quelle eingefügt haben die keine reine Textdatei ist (z. B. Text, der von einer Webseite kopiert wurde usw.), oder wenn Sie die Funktion Nur Text beibehalten angewendet haben und nun die Daten aus einer einzelnen Spalte in mehrere Spalten aufteilen möchten, können Sie die Option Text zu Spalten verwenden. Um die Daten in mehrere Spalten aufzuteilen: Wählen Sie die erforderliche Zelle oder Spalte aus, die Daten mit Trennzeichen enthält. Wechseln Sie auf die Registerkarte Daten. Klicken Sie in der oberen Symbolleiste auf die Schaltfläche Text in Spalten. Der Text-zu-Spalten-Assistent wird geöffnet. Wählen Sie in der Dropdown-Liste Trennzeichen das Trennzeichen aus, das in den getrennten Daten verwendet wird. Klicken Sie auf die Schaltfläche Erweitert, um das Fenster Erweiterte Einstellungen zu öffnen, in dem Sie die Dezimal- und Tausender-Trennzeichen festlegen können. Sehen Sie sich das Ergebnis im Feld unten an und klicken Sie auf OK. Danach befindet sich jeder durch das Trennzeichen getrennte Textwert in einer separaten Zelle. Befinden sich Daten in den Zellen rechts von der Spalte, die Sie teilen möchten, werden diese überschrieben. Auto-Ausfülloption Wenn Sie mehrere Zellen mit denselben Daten ausfüllen wollen, verwenden Sie die Option Auto-Ausfüllen: Wählen Sie eine Zelle/einen Zellenbereich mit den gewünschten Daten aus. Bewegen Sie den Mauszeiger über den Füllpunkt in der rechten unteren Ecke der Zelle. Der Cursor wird zu einem schwarzen Pluszeichen: Ziehen Sie den Ziehpunkt über die angrenzenden Zellen, die Sie mit den ausgewählten Daten füllen möchten. Wenn Sie eine Reihe von Zahlen (z. B. 1, 2, 3, 4...; 2, 4, 6, 8... usw.) oder Datumsangaben erstellen wollen, geben Sie mindestens zwei Startwerte ein und erweitern Sie die Datenreihe, indem Sie beide Zellen markieren und dann den Ziehpunkt ziehen bis Sie den gewünschten Maximalwert erreicht haben. Zellen in einer Spalte mit Textwerten füllen Wenn eine Spalte in Ihrer Tabelle einige Textwerte enthält, können Sie einfach jeden Wert in dieser Spalte ersetzen oder die nächste leere Zelle ausfüllen, indem Sie einen der bereits vorhandenen Textwerte auswählen. Klicken Sie mit der rechten Maustaste auf die gewünschte Zelle und wählen Sie im Kontextmenü die Option Aus Dropdown-Liste auswählen. Wählen Sie einen der verfügbaren Textwerte, um den aktuellen Text zu ersetzen oder eine leere Zelle auszufüllen." }, { "id": "UsageInstructions/DataValidation.htm", @@ -2478,12 +2483,12 @@ var indexes = { "id": "UsageInstructions/FontTypeSizeStyle.htm", "title": "Schriftart, -größe und -farbe festlegen", - "body": "In der Tabellenkalkulation mithilfe der entsprechenden Symbole in der Registerkarte Startseite auf der oberen Symbolleiste können Sie Schriftart und Größe auswählen, einen DekoStil auf die Schrift anwenden und die Farben der Schrift und des Hintergrunds ändern. Wenn Sie die Formatierung auf Daten anwenden möchten, die bereits im Tabellenblatt vorhanden sind, wählen Sie diese mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung für die ausgewählten Daten fest. Wenn Sie mehrere nicht angrenzende Zellen oder Zellbereiche formatieren wollen, halten Sie die Taste STRG gedrückt und wählen Sie die gewünschten Zellen/Zellenbereiche mit der Maus aus. Schriftart Wird verwendet, um eine Schriftart aus der Liste mit den verfügbaren Schriftarten zu wählen. Wenn eine gewünschte Schriftart nicht in der Liste verfügbar ist, können Sie diese runterladen und in Ihrem Betriebssystem speichern. Anschließend steht Ihnen diese Schrift in der Desktop-Version zur Nutzung zur Verfügung. Schriftgröße Über diese Option kann der gewünschte Wert für die Schriftgröße aus der Dropdown-List ausgewählt werden (die Standardwerte sind: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 und 96). Sie können auch manuell einen Wert in das Feld für die Schriftgröße eingeben und anschließend die Eingabetaste drücken. Schrift vergrößern Bei jedem Klick auf das Symbol wird die Schrift um 1 Punkt vergrößert. Schrift verkleinern Bei jedem Klick auf das Symbol wird die Schrift um 1 Punkt verkleinert. Fett Der gewählte Textabschnitt wird durch fette Schrift hervorgehoben. Kursiv Der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Tiefgestellt/Hochgestellt Auswählen der Option Hochgestellt oder Tiefgestellt. Hochgestellt - Text verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Text verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Schriftfarbe Die Farbe von Buchstaben/Zeichen in Zellen ändern. Füllfarbe Farbe des Zellenhintergrunds ändern. Die Füllfarbe der Zelle kann außerdem über die Palette Hintergrundfarbe auf der Registerkarte Zelleneinstellungen in der rechten Seitenleiste geändert werden. Farbschema ändern Wird verwendet, um die Standardfarbpalette für Arbeitsblattelemente (Schriftart, Hintergrund, Diagramme und Diagrammelemente) zu ändern, indem Sie eine der verfügbaren Schemata auswählen: Neues Office, Larissa, Graustufe, Apex, Aspekt, Cronus, Deimos, Dactylos, Fluss, Phoebe, Median, Metro, Modul, Lysithea, Nereus, Okeanos, Papier, Nyad, Haemera, Trek, Rhea, oder Telesto. Sie können auch eine der Formatierungsvoreinstellungen anwenden. Wählen Sie dazu die Zelle aus, die Sie formatieren möchten und wählen Sie dann die gewünschte Voreinstellung aus der Liste auf der Registerkarte Startseite in der oberen Symbolleiste: Schriftart/Hintergrundfarbe ändern: Wählen Sie eine Zelle oder mehrere Zellen aus oder das ganze Blatt, mithilfe der Tastenkombination Strg+A. Klicken Sie auf der oberen Symbolleiste auf das entsprechende Symbol. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler verschieben und die entsprechende Farbe festlegen, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt. Die Hintergrundfarbe in einer bestimmten Zelle löschen: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Blatt mithilfe der Tastenkombination STRG+A aus. Klicken Sie auf das Symbol Füllfarbe auf der Registerkarte Startseite in der oberen Symbolleiste. Wählen Sie das Symbol ." + "body": "In der Tabellenkalkulation mithilfe der entsprechenden Symbole in der Registerkarte Startseite auf der oberen Symbolleiste können Sie Schriftart und Größe auswählen, einen DekoStil auf die Schrift anwenden und die Farben der Schrift und des Hintergrunds ändern. Wenn Sie die Formatierung auf Daten anwenden möchten, die bereits im Tabellenblatt vorhanden sind, wählen Sie diese mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung für die ausgewählten Daten fest. Wenn Sie mehrere nicht angrenzende Zellen oder Zellbereiche formatieren wollen, halten Sie die Taste STRG gedrückt und wählen Sie die gewünschten Zellen/Zellenbereiche mit der Maus aus. Schriftart Wird verwendet, um eine Schriftart aus der Liste mit den verfügbaren Schriftarten zu wählen. Wenn eine gewünschte Schriftart nicht in der Liste verfügbar ist, können Sie diese runterladen und in Ihrem Betriebssystem speichern. Anschließend steht Ihnen diese Schrift in der Desktop-Version zur Nutzung zur Verfügung. Schriftgröße Über diese Option kann der gewünschte Wert für die Schriftgröße aus der Dropdown-List ausgewählt werden (die Standardwerte sind: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 und 96). Sie können auch manuell einen Wert in das Feld für die Schriftgröße eingeben und anschließend die Eingabetaste drücken. Schrift vergrößern Bei jedem Klick auf das Symbol wird die Schrift um 1 Punkt vergrößert. Schrift verkleinern Bei jedem Klick auf das Symbol wird die Schrift um 1 Punkt verkleinert. Fett Der gewählte Textabschnitt wird durch fette Schrift hervorgehoben. Kursiv Der gewählte Textabschnitt wird durch die Schrägstellung der Zeichen hervorgehoben. Unterstrichen Der gewählten Textabschnitt wird mit einer Linie unterstrichen. Durchgestrichen Der gewählten Textabschnitt wird mit einer Linie durchgestrichen. Tiefgestellt/Hochgestellt Auswählen der Option Hochgestellt oder Tiefgestellt. Hochgestellt - Text verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Text verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Schriftfarbe Die Farbe von Buchstaben/Zeichen in Zellen ändern. Füllfarbe Farbe des Zellenhintergrunds ändern. Die Füllfarbe der Zelle kann außerdem über die Palette Hintergrundfarbe auf der Registerkarte Zelleneinstellungen in der rechten Seitenleiste geändert werden. Farbschema ändern Wird verwendet, um die Standardfarbpalette für Arbeitsblattelemente (Schriftart, Hintergrund, Diagramme und Diagrammelemente) zu ändern, indem Sie eine der verfügbaren Schemata auswählen: Neues Office, Larissa, Graustufe, Apex, Aspekt, Cronus, Deimos, Dactylos, Fluss, Phoebe, Median, Metro, Modul, Lysithea, Nereus, Okeanos, Papier, Nyad, Haemera, Trek, Rhea, oder Telesto. Sie können auch eine der Formatierungsvoreinstellungen anwenden. Wählen Sie dazu die Zelle aus, die Sie formatieren möchten und wählen Sie dann die gewünschte Voreinstellung aus der Liste auf der Registerkarte Startseite in der oberen Symbolleiste: Um die Schriftfarbe zu ändern oder eine einfarbige Füllung als Zellenhintergrund zu verwenden: Wählen Sie eine Zelle oder mehrere Zellen aus oder das ganze Blatt, mithilfe der Tastenkombination Strg+A. Klicken Sie auf der oberen Symbolleiste auf das entsprechende Symbol. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich aus, indem Sie den vertikalen Farbregler verschieben und die entsprechende Farbe festlegen, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können eine Farbe auch anhand des RGB-Farbmodells bestimmen, indem Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) festlegen oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen eingeben. Die gewählte Farbe erscheint im Vorschaufeld Neu. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt. Die Hintergrundfarbe in einer bestimmten Zelle löschen: Wählen Sie eine Zelle, einen Zellenbereich oder das ganze Blatt mithilfe der Tastenkombination STRG+A aus. Klicken Sie auf das Symbol Füllfarbe auf der Registerkarte Startseite in der oberen Symbolleiste. Wählen Sie das Symbol ." }, { "id": "UsageInstructions/FormattedTables.htm", "title": "Tabellenvorlage formatieren", - "body": "Eine neue formatierte Tabelle erstellen Um die Arbeit mit Daten zu erleichtern, ermöglicht die Tabellenkalkulation eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu wie folgt vor, Wählen sie einen Zellenbereich aus, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Startseite auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Galerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll, im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titell, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellenbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellenbereich um eine Zeile nach unten verschoben wird. Klicken Sie OK an, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten. Sie können auch eine formatierte Tabelle mithilfe der Schaltfläche Tabelle in der Registerkarte Einfügen einfügen. Eine standardmäßige Tabellenvorlage wird eingefügt. Wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname (Tabelle1, Tabelle2 usw.) zugewiesen. Sie können den Namen ändern. Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte eingeben, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie die angezeigte Schaltfläche an und wählen Sie die Option Automatische Erweiterung rückgängig machen aus. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar. Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, wählen Sie die Option Automatische Tabellenerweiterung anhalten im Menü Einfügen oder öffnen Sie die Registerkarte Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe. Die Zeilen und Spalten auswählen Um eine ganze Zeile in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über den linken Rand der Tabellenzeile, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Um eine ganze Spalte in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über die Oberkante der Spaltenüberschrift, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Wenn Sie einmal drücken, werden die Spaltendaten ausgewählt (wie im Bild unten gezeigt). Wenn Sie zweimal drücken, wird die gesamte Spalte mit der Kopfzeile ausgewählt. Um eine gesamte formatierte Tabelle auszuwählen, bewegen Sie den Mauszeiger über die obere linke Ecke der formatierten Tabelle, bis der Kursor in den diagonalen schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Formatierte Tabellen bearbeiten Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und das Symbol Tabelleneinstellungen rechts klicken. In den Abschnitten Zeilen und Spalten haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Kopfzeile - Kopfzeile wird angezeigt. Insgesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. Wenn diese Option ausgewählt ist, können Sie auch eine Funktion zur Berechnung der Zusammenfassungswerte auswählen. Sobald Sie eine Zelle in der Zusammenfassung Zeile ausgewählt haben, ist die Schaltfläche rechts neben der Zelle verfügbar. Klicken Sie daran und wählen Sie die gewünschte Funktion aus der Liste aus: Mittelwert, Count, Max, Min, Summe, Stabw oder Var. Durch die Option Weitere Funktionen können Sie das Fenster Funktion einfügen öffnen und die anderen Funktionen auswählen. Wenn Sie die Option Keine auswählen, wird in der aktuell ausgewählten Zelle in der Zusammenfassung Zeile kein Zusammenfassungswert für diese Spalte angezeigt. Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert. Schaltfläche Filtern - die Filterpfeile werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist. Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert. Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen und/oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten  im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten: Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an: Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie die Schaltfläche Daten auswählen an - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellenbereich im Eingabefeld oder wählen Sie den gewünschten Zellenbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie OK an. Hinweis: Die Kopfzeilen sollen in derselben Zeile bleiben, und der resultierende Tabellenbereich soll den ursprünglichen Tabellenbereich überlappen. Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchführen: Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus. Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen. Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen. Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich. Verwenden Sie die Option Entferne Duplikate, um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite. Die Option In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar. Mit der Option Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite. Mit der Option Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite. Erweiterte Einstellungen für formatierte Tabellen Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen  in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet: Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die von Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden können, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind. Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, gehen Sie zu Erweiterte Einstellungen -> Rechtschreibprüfung -> Produkt -> Optionen von Autokorrektur b> -> AutoFormat während der Eingabe. Die automatische Vervollständigung von Formeln, um Formeln zu formatierten Tabellen hinzuzufügen, verwenden Die Liste Automatische Formelvervollständigung zeigt alle verfügbaren Optionen an, wenn Sie Formeln auf formatierte Tabellen anwenden. Sie können Tabellenformeln sowohl innerhalb als auch außerhalb der Tabelle erstellen. Beginnen Sie mit der Eingabe einer Formel, die mit einem Gleichheitszeichen gefolgt von Tabelle beginnt, und wählen Sie den Tabellennamen aus der Liste Formel-Autovervollständigung aus. Geben Sie dann eine öffnende Klammer [ ein, um die Drop-Down-Liste zu öffnen, die Spalten und Elemente enthält, die in der Formel verwendet werden können. Spalten- und Elementnamen werden anstelle von Zelladressen als Referenzen verwendet. Ein Tooltip, der die Referenz beschreibt, wird angezeigt, wenn Sie den Mauszeiger in der Liste darüber bewegen. Jeder Verweis muss eine öffnende und eine schließende Klammer enthalten. Vergessen Sie nicht, die Formelsyntax zu überprüfen." + "body": "Eine neue formatierte Tabelle erstellen Um die Arbeit mit Daten zu erleichtern, ermöglicht die Tabellenkalkulation eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu wie folgt vor, Wählen sie einen Zellenbereich aus, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Startseite auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Galerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll, im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titell, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellenbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellenbereich um eine Zeile nach unten verschoben wird. Klicken Sie OK an, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten. Sie können auch eine formatierte Tabelle mithilfe der Schaltfläche Tabelle in der Registerkarte Einfügen einfügen. Eine standardmäßige Tabellenvorlage wird eingefügt. Wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname (Tabelle1, Tabelle2 usw.) zugewiesen. Sie können den Namen ändern. Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte eingeben, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie die angezeigte Schaltfläche an und wählen Sie die Option Automatische Erweiterung rückgängig machen aus. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar. Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, wählen Sie die Option Automatische Tabellenerweiterung anhalten im Menü Einfügen oder öffnen Sie die Registerkarte Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während der Eingabe. Die Zeilen und Spalten auswählen Um eine ganze Zeile in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über den linken Rand der Tabellenzeile, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Um eine ganze Spalte in der formatierten Tabelle auszuwählen, bewegen Sie den Mauszeiger über die Oberkante der Spaltenüberschrift, bis der Kursor in den schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Wenn Sie einmal drücken, werden die Spaltendaten ausgewählt (wie im Bild unten gezeigt). Wenn Sie zweimal drücken, wird die gesamte Spalte mit der Kopfzeile ausgewählt. Um eine gesamte formatierte Tabelle auszuwählen, bewegen Sie den Mauszeiger über die obere linke Ecke der formatierten Tabelle, bis der Kursor in den diagonalen schwarzen Pfeil übergeht, und drücken Sie die linke Maustaste. Formatierte Tabellen bearbeiten Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und das Symbol Tabelleneinstellungen rechts klicken. In den Abschnitten Zeilen und Spalten haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Kopfzeile - Kopfzeile wird angezeigt. Insgesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. Wenn diese Option ausgewählt ist, können Sie auch eine Funktion zur Berechnung der Zusammenfassungswerte auswählen. Sobald Sie eine Zelle in der Zusammenfassung Zeile ausgewählt haben, ist die Schaltfläche rechts neben der Zelle verfügbar. Klicken Sie daran und wählen Sie die gewünschte Funktion aus der Liste aus: Mittelwert, Count, Max, Min, Summe, Stabw oder Var. Durch die Option Weitere Funktionen können Sie das Fenster Funktion einfügen öffnen und die anderen Funktionen auswählen. Wenn Sie die Option Keine auswählen, wird in der aktuell ausgewählten Zelle in der Zusammenfassung Zeile kein Zusammenfassungswert für diese Spalte angezeigt. Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert. Schaltfläche Filtern - die Filterpfeile werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist. Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert. Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen und/oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten  im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten: Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an: Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie die Schaltfläche Daten auswählen an - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellenbereich im Eingabefeld oder wählen Sie den gewünschten Zellenbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie OK an. Hinweis: Die Kopfzeilen sollen in derselben Zeile bleiben, und der resultierende Tabellenbereich soll den ursprünglichen Tabellenbereich überlappen. Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchführen: Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus. Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen. Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen. Die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich. Verwenden Sie die Option Entferne Duplikate, um die Duplikate aus der formatierten Tabelle zu entfernen. Weitere Information zum Entfernen von Duplikaten finden Sie auf dieser Seite. Die Option In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar. Mit der Option Slicer einfügen wird ein Slicer für die formatierte Tabelle erstellt. Weitere Information zu den Slicers finden Sie auf dieser Seite. Mit der Option Pivot-Tabelle einfügen wird eine Pivot-Tabelle auf der Basis der formatierten Tabelle erstellt. Weitere Information zu den Pivot-Tabellen finden Sie auf dieser Seite. Erweiterte Einstellungen für formatierte Tabellen Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen  in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften wird geöffnet: Die Registerkarte Der alternative Text ermöglicht die Eingabe eines Titels und einer Beschreibung, die von Personen mit Sehbehinderungen oder kognitiven Beeinträchtigungen vorgelesen werden können, damit sie besser verstehen können, welche Informationen in der Tabelle enthalten sind. Um die automatische Tabellenerweiterung zu aktivieren/deaktivieren, gehen Sie zu Erweiterte Einstellungen -> Rechtschreibprüfung -> Produkt -> Optionen von Autokorrektur b> -> AutoFormat während der Eingabe. Die automatische Vervollständigung von Formeln, um Formeln zu formatierten Tabellen hinzuzufügen, verwenden Die Liste Automatische Formelvervollständigung zeigt alle verfügbaren Optionen an, wenn Sie Formeln auf formatierte Tabellen anwenden. Sie können Tabellenformeln sowohl innerhalb als auch außerhalb der Tabelle erstellen. Das folgende Beispiel zeigt einen Verweis auf eine Tabelle in der SUMME-Funktion. Beginnen Sie mit der Eingabe einer Formel, die mit einem Gleichheitszeichen gefolgt von Tabelle beginnt, und wählen Sie den Tabellennamen aus der Liste Formel-Autovervollständigung aus. Geben Sie dann eine öffnende Klammer [ ein, um die Drop-Down-Liste zu öffnen, die Spalten und Elemente enthält, die in der Formel verwendet werden können. Spalten- und Elementnamen werden anstelle von Zelladressen als Referenzen verwendet. Ein Tooltip, der die Referenz beschreibt, wird angezeigt, wenn Sie den Mauszeiger in der Liste darüber bewegen. Jeder Verweis muss eine öffnende und eine schließende Klammer enthalten. Vergessen Sie nicht, die Formelsyntax zu überprüfen." }, { "id": "UsageInstructions/GroupData.htm", @@ -2508,27 +2513,27 @@ var indexes = { "id": "UsageInstructions/InsertChart.htm", "title": "Diagramme einfügen", - "body": "Diagramm einfügen Ein Diagramm einfügen in der Tabellenkalkulation: Wählen Sie den Zellenbereich aus, der die Daten enthält, die für das Diagramm verwendet werden sollen. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf das Symbol Diagramm. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Gestapelte Balken Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination Das Diagramm wird in das aktuelle Tabellenblatt eingefügt. ONLYOFFICE Tabellenkalkulation unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern. Diagrammeinstellungen anpassen Sie können die Diagrammeinstellungen anpassen. Um den Diagrammtyp anzupassen, wählen Sie das Diagramm mit der Maus aus klicken Sie auf das Symbol Diagrammeinstellungen in der rechten Menüleiste öffnen Sie die Menüliste Stil und wählen Sie den gewünschten Diagrammstil aus. öffnen Sie die Drop-Down-Liste Diagrammtyp ändern und wählen Sie den gewünschten Typ aus. Das Diagramm wird entsprechend geändert. Wenn Sie die für das Diagramm verwendeten Daten ändern wollen, Klicken Sie auf die Schaltfläche Daten auswählen in der rechte Symbolleiste. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken Sie auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf den Menüpunkt Erweiterte Einstellungen, um solche Einstellungen zu ändern, wie Layout, Vertikale Achse, Vertikale Sekundärachse, Horizontale Achse, Horizontale Sekundärachse, Andocken an die Zelle und Der alternative Text. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: Keine - es wird keine Diagrammbezeichnung angezeigt. Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt. Keine Überlagerung - der Titel wird über dem Diagramm angezeigt. Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: Keine - es wird keine Legende angezeigt Unten - die Legende wird unterhalb des Diagramms angezeigt Oben - die Legende wird oberhalb des Diagramms angezeigt Rechts - die Legende wird rechts vom Diagramm angezeigt Links - die Legende wird links vom Diagramm angezeigt Überlappung links - die Legende wird im linken Diagrammbereich mittig dargestellt Überlappung rechts - die Legende wird im rechten Diagrammbereich mittig dargestellt Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten): Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich. Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten. Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich. Für Flächendiagramme sowie für 3D-Diagramme, Säulen- Linien- und Balkendiagramme, stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert. Wählen Sie die Daten aus, für die Sie eine Bezeichnung erstellen möchten, indem Sie die entsprechenden Felder markieren: Reihenname, Kategorienname, Wert. Geben Sie das Zeichen (Komma, Semikolon etc.) in das Feld Trennzeichen Datenbeschriftung ein, dass Sie zum Trennen der Beschriftungen verwenden möchten. Linien - Einstellen der Linienart für Liniendiagramme/Punktdiagramme (XY). Die folgenden Optionen stehen Ihnen zur Verfügung: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, glatt um glatte Kurven zwischen Datenpunkten zu verwenden oder keine, um keine Linien anzuzeigen. Markierungen - über diese Funktion können Sie festlegen, ob die Marker für Liniendiagramme/ Punktdiagramme (XY) angezeigt werden sollen (Kontrollkästchen aktiviert) oder nicht (Kontrollkästchen deaktiviert). Die Optionen Linien und Marker stehen nur für Liniendiagramme und Punktdiagramm (XY) zur Verfügung. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitternetzlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitternetzlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein. Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen etc. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten. Wenn das Diagramm ausgewählt ist, werden das Symbol Formeinstellungen ist auch rechts verfügbar, da die Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Symbolleiste und passen Sie die Füllung und Strich der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können. Mit der Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente ändern, wie Zeichnungsfläche, Daten Serien, Diagrammtitel, Legende usw. und wenden Sie verschiedene Fülltypen darauf an. Wählen Sie das Diagrammelement aus, indem Sie es mit der linken Maustaste anklicken und wählen Sie den bevorzugten Fülltyp: Farbfüllung, Füllung mit Farbverlauf, Bild oder Textur, Muster. Legen Sie die Füllparameter fest und legen Sie bei Bedarf die Undurchsichtigkeit fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitternetzlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Größe und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Srtichen finden Sie auf dieser Seite. Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, aber ist für Diagrammelemente deaktiviert. Wenn Sie die Größe von Diagrammelementen ändern müssen, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate entlang des Umfangs des Elements. Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf und stellen Sie sicher, dass sich Ihr Cursor in geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie das Element an die gewünschte Position. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Sie haben die Möglichkeit, 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen. Wenn Sie ein Diagramm hinzugefügt haben, können Sie Größe und Position beliebig ändern. Um das eingefügte Diagramm zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF. Makro zum Diagramm zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Diagramm ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Diagramm als Schaltflächen-Steuerelement angezeigt und Sie können das Makro ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf die Tabelle, der Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK. Nachdem ein Makro zugewiesen wurde, können Sie das Diagramm weiterhin auswählen, um andere Operationen auszuführen, indem Sie mit der linken Maustaste auf die Diagrammoberfläche klicken. Sparklines benutzen ONLYOFFICE Tabellenkalkulation unterstützt Sparklines. Sparklines sind kleine Diagramme, die in eine Zelle passen und ein effizientes Werkzeug zur Datenvisualisierung sind. Weitere Informationen zum Erstellen, Bearbeiten und Formatieren von Sparklines finden Sie in unserer Anleitung Sparklines einfügen." + "body": "Diagramm einfügen Ein Diagramm einfügen in der Tabellenkalkulation: Wählen Sie den Zellenbereich aus, der die Daten enthält, die für das Diagramm verwendet werden sollen. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie in der oberen Symbolleiste auf das Symbol Diagramm. Wählen Sie den gewünschten Diagrammtyp aus der Liste der verfügbaren Typen aus: Spalte Gruppierte Säule Gestapelte Säulen 100% Gestapelte Säule Gruppierte 3D-Säule Gestapelte 3D-Säule 3-D 100% Gestapelte Säule 3D-Säule Linie Linie Gestapelte Linie 100% Gestapelte Linie Linie mit Datenpunkten Gestapelte Linie mit Datenpunkten 100% Gestapelte Linie mit Datenpunkten 3D-Linie Kreis Kreis Ring 3D-Kreis Balken Gruppierte Balken Gestapelte Balken 100% Gestapelte Balken Gruppierte 3D-Balken Gestapelte 3D-Balken 3-D 100% Gestapelte Balken Fläche Fläche Gestapelte Fläche 100% Gestapelte Fläche Kurs Punkte (XY) Punkte Gestapelte Balken Punkte mit interpolierten Linien und Datenpunkten Punkte mit interpolierten Linien Punkte mit geraden Linien und Datenpunkten Punkte mit geraden Linien Verbund Gruppierte Säulen - Linie Gruppierte Säulen / Linien auf der Sekundärachse Gestapelte Flächen / Gruppierte Säulen Benutzerdefinierte Kombination Das Diagramm wird in das aktuelle Tabellenblatt eingefügt. ONLYOFFICE Tabellenkalkulation unterstützt die folgenden Arten von Diagrammen, die mit Editoren von Drittanbietern erstellt wurden: Pyramide, Balken (Pyramide), horizontale/vertikale Zylinder, horizontale/vertikale Kegel. Sie können die Datei, die ein solches Diagramm enthält, öffnen und sie mit den verfügbaren Diagrammbearbeitungswerkzeugen ändern. Diagrammeinstellungen anpassen Sie können die Diagrammeinstellungen anpassen. Um den Diagrammtyp anzupassen, wählen Sie das Diagramm mit der Maus aus klicken Sie auf das Symbol Diagrammeinstellungen in der rechten Menüleiste öffnen Sie die Menüliste Stil und wählen Sie den gewünschten Diagrammstil aus. öffnen Sie die Drop-Down-Liste Diagrammtyp ändern und wählen Sie den gewünschten Typ aus. klicken Sie auf die Option Zeile/Spalte ändern, um die Positionierung von Diagrammzeilen und -spalten zu ändern. Das Diagramm wird entsprechend geändert. Wenn Sie die für das Diagramm verwendeten Daten ändern wollen, Klicken Sie auf die Schaltfläche Daten auswählen in der rechte Symbolleiste. Verwenden Sie das Dialogfeld Diagrammdaten, um den Diagrammdatenbereich, Legendeneinträge (Reihen), Horizontale Achsenbeschriftungen (Rubrik) zu verwalten und Zeile/Spalte ändern. Diagrammdatenbereich - wählen Sie Daten für Ihr Diagramm aus. Klicken Sie auf das Symbol rechts neben dem Feld Diagrammdatenbereich, um den Datenbereicht auszuwählen. Legendeneinträge (Reihen) - Hinzufügen, Bearbeiten oder Entfernen von Legendeneinträgen. Geben Sie den Reihennamen für Legendeneinträge ein oder wählen Sie ihn aus. Im Feld Legendeneinträge (Reihen) klicken Sie auf die Schaltfläche Hinzufügen. Im Fenster Datenreihe bearbeiten geben Sie einen neuen Legendeneintrag ein oder klicken Sie auf das Symbol rechts neben dem Feld Reihenname. Horizontale Achsenbeschriftungen (Rubrik) - den Text für Achsenbeschriftungen ändern. Im Feld Horizontale Achsenbeschriftungen (Rubrik) klicken Sie auf Bearbeiten. Im Feld Der Bereich von Achsenbeschriftungen geben Sie die gewünschten Achsenbeschriftungen ein oder klicken Sie auf das Symbol rechts neben dem Feld Der Bereich von Achsenbeschriftungen, um den Datenbereich auszuwählen. Zeile/Spalte ändern - ordnen Sie die im Diagramm konfigurierten Arbeitsblattdaten so an, wie Sie sie möchten. Wechseln Sie zu Spalten, um Daten auf einer anderen Achse anzuzeigen. Klicken Sie auf die Schaltfläche OK, um die Änderungen anzuwenden und das Fenster schließen. Klicken Sie auf den Menüpunkt Erweiterte Einstellungen, um solche Einstellungen zu ändern, wie Layout, Vertikale Achse, Vertikale Sekundärachse, Horizontale Achse, Horizontale Sekundärachse, Andocken an die Zelle und Der alternative Text. Auf der Registerkarte Layout können Sie das Layout von Diagrammelementen ändern. Wählen Sie die gewünschte Position der Diagrammbezeichnung aus der Dropdown-Liste aus: Keine - es wird keine Diagrammbezeichnung angezeigt. Überlagerung - der Titel wird zentriert und im Diagrammbereich angezeigt. Keine Überlagerung - der Titel wird über dem Diagramm angezeigt. Wählen Sie die gewünschte Position der Legende aus der Menüliste aus: Keine - es wird keine Legende angezeigt Unten - die Legende wird unterhalb des Diagramms angezeigt Oben - die Legende wird oberhalb des Diagramms angezeigt Rechts - die Legende wird rechts vom Diagramm angezeigt Links - die Legende wird links vom Diagramm angezeigt Überlappung links - die Legende wird im linken Diagrammbereich mittig dargestellt Überlappung rechts - die Legende wird im rechten Diagrammbereich mittig dargestellt Legen Sie Datenbeschriftungen fest (Titel für genaue Werte von Datenpunkten): Wählen Sie die gewünschte Position der Datenbeschriftungen aus der Menüliste aus: Die verfügbaren Optionen variieren je nach Diagrammtyp. Für Säulen-/Balkendiagramme haben Sie die folgenden Optionen: Keine, zentriert, unterer Innenbereich, oberer Innenbereich, oberer Außenbereich. Für Linien-/Punktdiagramme (XY)/Strichdarstellungen haben Sie die folgenden Optionen: Keine, zentriert, links, rechts, oben, unten. Für Kreisdiagramme stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert, an Breite anpassen, oberer Innenbereich, oberer Außenbereich. Für Flächendiagramme sowie für 3D-Diagramme, Säulen- Linien- und Balkendiagramme, stehen Ihnen folgende Optionen zur Verfügung: Keine, zentriert. Wählen Sie die Daten aus, für die Sie eine Bezeichnung erstellen möchten, indem Sie die entsprechenden Felder markieren: Reihenname, Kategorienname, Wert. Geben Sie das Zeichen (Komma, Semikolon etc.) in das Feld Trennzeichen Datenbeschriftung ein, dass Sie zum Trennen der Beschriftungen verwenden möchten. Linien - Einstellen der Linienart für Liniendiagramme/Punktdiagramme (XY). Die folgenden Optionen stehen Ihnen zur Verfügung: Gerade, um gerade Linien zwischen Datenpunkten zu verwenden, glatt um glatte Kurven zwischen Datenpunkten zu verwenden oder keine, um keine Linien anzuzeigen. Markierungen - über diese Funktion können Sie festlegen, ob die Marker für Liniendiagramme/ Punktdiagramme (XY) angezeigt werden sollen (Kontrollkästchen aktiviert) oder nicht (Kontrollkästchen deaktiviert). Die Optionen Linien und Marker stehen nur für Liniendiagramme und Punktdiagramm (XY) zur Verfügung. Auf der Registerkarte Vertikale Achse können Sie die Parameter der vertikalen Achse ändern, die auch als Werteachse oder y-Achse bezeichnet wird und numerische Werte anzeigt. Beachten Sie, dass die vertikale Achse die Kategorieachse ist, auf der Textbeschriftungen für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Vertikale Achse den Optionen, die im nächsten Abschnitt beschrieben werden. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Die Abschnitte Achseneinstellungen und Gitternetzlinien werden für Kreisdiagramme deaktiviert, da Diagramme dieses Typs keine Achsen und Gitternetzlinien haben. Wählen Sie Ausblenden, um die vertikale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die vertikale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keinen vertikalen Achsentitel anzuzeigen, Gedreht, um den Titel von unten nach oben links von der vertikalen Achse anzuzeigen. Horizontal, um den Titel horizontal links von der vertikalen Achse anzuzeigen. Die Option Minimalwert wird verwendet, um den niedrigsten Wert anzugeben, der beim Start der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Mindestwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Maximalwert wird verwendet, um den höchsten Wert anzugeben, der am Ende der vertikalen Achse angezeigt wird. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Maximalwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Fixiert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der vertikalen Achse anzugeben, an dem die horizontale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der vertikalen Achse setzen. Die Option Anzeigeeinheiten wird verwendet, um die Darstellung der numerischen Werte entlang der vertikalen Achse zu bestimmen. Diese Option kann nützlich sein, wenn Sie mit großen Zahlen arbeiten und möchten, dass die Werte auf der Achse kompakter und lesbarer angezeigt werden (z.B. können Sie 50.000 als 50 darstellen, indem Sie die Option Tausende verwenden). Wählen Sie die gewünschten Einheiten aus der Dropdown-Liste aus: Hunderte, Tausende, 10 000, 100 000, Millionen, 10 000 000, 100 000 000, Milliarden, Billionen oder wählen Sie die Option Kein, um zu den Standardeinheiten zurückzukehren. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der vertikalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Kein, um keine Haupt- / Nebenmarkierungen anzuzeigen, Schnittpunkt, um auf beiden Seiten der Achse Haupt- / Nebenmarkierungen anzuzeigen. In, um Haupt- / Nebenmarkierungen innerhalb der Achse anzuzeigen, Außen, um Haupt- / Nebenmarkierungen außerhalb der Achse anzuzeigen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Um eine Beschriftungsposition in Bezug auf die vertikale Achse festzulegen, wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Keine, um keine Häkchenbeschriftungen anzuzeigen, Niedrig, um Markierungsbeschriftungen links vom Plotbereich anzuzeigen. Hoch, um Markierungsbeschriftungen rechts vom Plotbereich anzuzeigen. Neben der Achse, um Markierungsbezeichnungen neben der Achse anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Sekundärachsen werden nur in den Verbund-Diagrammen verfügbar. Sekundärachsen sind in Verbund-Diagrammen nützlich, wenn Datenreihen erheblich variieren oder gemischte Datentypen zum Zeichnen eines Diagramms verwendet werden. Sekundärachsen erleichtern das Lesen und Verstehen eines Verbund-Diagramms. Die Registerkarte Vertikale/horizontale Sekundärachse wird angezeigt, wenn Sie eine geeignete Datenreihe für ein Verbund-Diagramm auswählen. Alle Einstellungen und Optionen auf der Registerkarte Vertikale/horizontale Sekundärachse stimmen mit den Einstellungen auf der vertikalen/horizontalen Achse überein. Eine detaillierte Beschreibung der Optionen Vertikale/Horizontale Achse finden Sie in der Beschreibung oben/unten. Auf der Registerkarte Horizontale Achse können Sie die Parameter der horizontalen Achse ändern, die auch als Kategorieachse oder x-Achse bezeichnet wird und Textbeschriftungen anzeigt. Beachten Sie, dass die horizontale Achse die Werteachse ist, auf der numerische Werte für die Balkendiagramme angezeigt werden. In diesem Fall entsprechen die Optionen der Registerkarte Horizontale Achse den Optionen im vorherigen Abschnitt. Für die Punkte (XY)-Diagramme sind beide Achsen Wertachsen. Wählen Sie Ausblenden, um die horizontale Achse im Diagramm auszublenden, und lassen Sie das Kontrollkästchen deaktiviert, damit die horizontale Achse angezeigt wird. Geben Sie die Ausrichtung des Titels an und wählen Sie die erforderliche Option aus der Dropdown-Liste aus: Kein, um keinen horizontalen Achsentitel anzuzeigen, Ohne Überlagerung, um den Titel unterhalb der horizontalen Achse anzuzeigen, Die Option Gitternetzlinien wird verwendet, um die anzuzeigenden horizontalen Gitternetzlinien anzugeben, indem die erforderliche Option aus der Dropdown-Liste ausgewählt wird: Kein, Primäre, Sekundär oder Primäre und Sekundäre. Die Option Schnittpunkt mit der Achse wird verwendet, um einen Punkt auf der horizontalen Achse anzugeben, an dem die vertikale Achse ihn kreuzen soll. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall wird der Achsenschnittpunktwert abhängig vom ausgewählten Datenbereich automatisch berechnet. Sie können die Option Wert aus der Dropdown-Liste auswählen und im Eingabefeld rechts einen anderen Wert angeben oder den Achsenschnittpunkt auf den Minimal-/Maximalwert auf der horizontalen Achse setzen. Die Option Position der Achse wird verwendet, um anzugeben, wo die Achsentextbeschriftungen platziert werden sollen: Teilstriche oder Zwischen den Teilstrichen. Die Option Werte in umgekehrter Reihenfolge wird verwendet, um Werte in die entgegengesetzte Richtung anzuzeigen. Wenn das Kontrollkästchen deaktiviert ist, befindet sich der niedrigste Wert unten und der höchste Wert oben auf der Achse. Wenn das Kontrollkästchen aktiviert ist, werden die Werte von oben nach unten sortiert. Im Abschnitt Parameter der Teilstriche können Sie das Erscheinungsbild von Häkchen auf der horizontalen Skala anpassen. Hauptmarkierungen sind die größeren Teilungen, bei denen Beschriftungen numerische Werte anzeigen können. Kleinere Häkchen sind die Skalenunterteilungen, die zwischen den großen Häkchen platziert werden und keine Beschriftungen haben. Häkchen definieren auch, wo Gitternetzlinien angezeigt werden können, wenn die entsprechende Option auf der Registerkarte Layout festgelegt ist. Die Dropdown-Listen Primärer / Sekundärer Typ enthalten die folgenden Platzierungsoptionen: Die Option Primärer/Sekundärer Typ wird verwendet, um die folgenden Platzierungsoptionen anzugeben: Kein, um keine primäre/sekundäre Teilstriche anzuzeigen, Schnittpunkt, um primäre/sekundäre Teilstriche auf beiden Seiten der Achse anzuzeigen, In, um primäre/sekundäre Teilstriche innerhalb der Achse anzuzeigen, Außen, um primäre/sekundäre Teilstriche außerhalb der Achse anzuzeigen. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie viele Kategorien zwischen zwei benachbarten Teilstrichen angezeigt werden sollen. Im Abschnitt Beschriftungsoptionen können Sie das Erscheinungsbild der wichtigsten Häkchenbeschriftungen anpassen, auf denen Werte angezeigt werden. Die Option Beschriftungsposition wird verwendet, um anzugeben, wo die Beschriftungen in Bezug auf die horizontale Achse platziert werden sollen. Wählen Sie die gewünschte Option aus der Dropdown-Liste: Kein, um die Beschriftungen nicht anzuzeigen, Niedrig, um Beschriftungen am unteren Rand anzuzeigen, Hoch, um Beschriftungen oben anzuzeigen, Neben der Achse, um Beschriftungen neben der Achse anzuzeigen. Die Option Abstand bis zur Beschriftung wird verwendet, um anzugeben, wie eng die Beschriftungen an der Achse platziert werden sollen. Sie können den erforderlichen Wert im Eingabefeld angeben. Je mehr Wert Sie einstellen, desto größer ist der Abstand zwischen Achse und Beschriftung. Die Option Abstand zwischen Teilstrichen wird verwendet, um anzugeben, wie oft die Beschriftungen angezeigt werden sollen. Die Option Automatisch ist standardmäßig ausgewählt. In diesem Fall werden Beschriftungen für jede Kategorie angezeigt. Sie können die Option Manuell aus der Dropdown-Liste auswählen und den erforderlichen Wert im Eingabefeld rechts angeben. Geben Sie beispielsweise 2 ein, um Beschriftungen für jede zweite Kategorie usw. anzuzeigen. Um das Bezeichnungsformat anzupassen, klicken Sie auf die Schaltfläche Bezeichnungsformat und wählen Sie den gewünschten Typ aus. Verfügbare Bezeichnungsformate: Allgemein Nummer Wissenschaftlich Rechnungswesen Währung Datum Zeit Prozentsatz Bruch Text Benutzerdefiniert Die Optionen für das Bezeichnungsformat variieren je nach ausgewähltem Typ. Weitere Informationen zum Ändern des Zahlenformats finden Sie auf dieser Seite. Aktivieren Sie das Kästchen Mit Quelle verknüpft, um die Formatierung der Zahlen aus der Datenquelle im Diagramm beizubehalten. Im Abschnitt Andocken an die Zelle sind die folgenden Parameter verfügbar: Verschieben und Ändern der Größe mit Zellen - mit dieser Option können Sie das Diagramm an der Zelle dahinter ausrichten. Wenn sich die Zelle verschiebt (z.B. wenn Sie einige Zeilen/Spalten einfügen oder löschen), wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie die Breite oder Höhe der Zelle erhöhen oder verringern, ändert das Diagramm auch seine Größe. Verschieben, aber die Größe nicht ändern mit Zellen - mit dieser Option können Sie das Diagramm in der Zelle dahinter fixieren, um zu verhindern, dass die Größe des Diagramms geändert wird. Wenn sich die Zelle verschiebt, wird das Diagramm zusammen mit der Zelle verschoben. Wenn Sie jedoch die Zellengröße ändern, bleiben die Diagrammabmessungen unverändert. Kein Verschieben oder Ändern der Größe mit Zellen - mit dieser Option können Sie es verhindern, dass das Diagramm verschoben oder in der Größe geändert wird, wenn die Zellenposition oder -größe geändert wurde. Im Abschnitt Der alternative Text können Sie einen Titel und eine Beschreibung angeben, die Personen mit Seh- oder kognitiven Beeinträchtigungen vorgelesen werden, damit sie besser verstehen, welche Informationen das Diagramm enthält. Diagrammelemente bearbeiten Um den Diagrammtitel zu bearbeiten, wählen Sie den Standardtext mit der Maus aus und geben Sie stattdessen Ihren eigenen Text ein. Um die Schriftformatierung innerhalb von Textelementen, wie beispielsweise Diagrammtitel, Achsentitel, Legendeneinträge, Datenbeschriftungen etc. zu ändern, wählen Sie das gewünschte Textelement durch Klicken mit der linken Maustaste aus. Wechseln Sie in die Registerkarte Start und nutzen Sie die in der Menüleiste angezeigten Symbole, um Schriftart, Schriftform, Schriftgröße oder Schriftfarbe zu bearbeiten. Wenn das Diagramm ausgewählt ist, werden das Symbol Formeinstellungen ist auch rechts verfügbar, da die Form als Hintergrund für das Diagramm verwendet wird. Sie können auf dieses Symbol klicken, um die Registerkarte Formeinstellungen in der rechten Symbolleiste und passen Sie die Füllung und Strich der Form an. Beachten Sie, dass Sie den Formtyp nicht ändern können. Mit der Registerkarte Formeinstellungen im rechten Bereich können Sie nicht nur den Diagrammbereich selbst anpassen, sondern auch die Diagrammelemente ändern, wie Zeichnungsfläche, Daten Serien, Diagrammtitel, Legende usw. und wenden Sie verschiedene Fülltypen darauf an. Wählen Sie das Diagrammelement aus, indem Sie es mit der linken Maustaste anklicken und wählen Sie den bevorzugten Fülltyp: Farbfüllung, Füllung mit Farbverlauf, Bild oder Textur, Muster. Legen Sie die Füllparameter fest und legen Sie bei Bedarf die Undurchsichtigkeit fest. Wenn Sie eine vertikale oder horizontale Achse oder Gitternetzlinien auswählen, sind die Stricheinstellungen nur auf der Registerkarte Formeinstellungen verfügbar: Farbe, Größe und Typ. Weitere Informationen zum Arbeiten mit Formfarben, Füllungen und Srtichen finden Sie auf dieser Seite. Die Option Schatten anzeigen ist auch auf der Registerkarte Formeinstellungen verfügbar, aber ist für Diagrammelemente deaktiviert. Wenn Sie die Größe von Diagrammelementen ändern müssen, klicken Sie mit der linken Maustaste, um das gewünschte Element auszuwählen, und ziehen Sie eines der 8 weißen Quadrate entlang des Umfangs des Elements. Um die Position des Elements zu ändern, klicken Sie mit der linken Maustaste darauf und stellen Sie sicher, dass sich Ihr Cursor in geändert hat, halten Sie die linke Maustaste gedrückt und ziehen Sie das Element an die gewünschte Position. Um ein Diagrammelement zu löschen, wählen Sie es mit der linken Maustaste aus und drücken Sie die Taste Entfernen auf Ihrer Tastatur. Sie haben die Möglichkeit, 3D-Diagramme mithilfe der Maus zu drehen. Klicken Sie mit der linken Maustaste in den Diagrammbereich und halten Sie die Maustaste gedrückt. Um die 3D-Diagrammausrichtung zu ändern, ziehen Sie den Mauszeiger in die gewünschte Richtung ohne die Maustaste loszulassen. Wenn Sie ein Diagramm hinzugefügt haben, können Sie Größe und Position beliebig ändern. Um das eingefügte Diagramm zu löschen, klicken Sie darauf und drücken Sie die Taste ENTF. Makro zum Diagramm zuweisen Sie können einen schnellen und einfachen Zugriff auf ein Makro in einer Tabelle bereitstellen, indem Sie einem beliebigen Diagramm ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Diagramm als Schaltflächen-Steuerelement angezeigt und Sie können das Makro ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf die Tabelle, der Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet. Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK. Nachdem ein Makro zugewiesen wurde, können Sie das Diagramm weiterhin auswählen, um andere Operationen auszuführen, indem Sie mit der linken Maustaste auf die Diagrammoberfläche klicken. Sparklines benutzen ONLYOFFICE Tabellenkalkulation unterstützt Sparklines. Sparklines sind kleine Diagramme, die in eine Zelle passen und ein effizientes Werkzeug zur Datenvisualisierung sind. Weitere Informationen zum Erstellen, Bearbeiten und Formatieren von Sparklines finden Sie in unserer Anleitung Sparklines einfügen." }, { "id": "UsageInstructions/InsertDeleteCells.htm", "title": "Verwalten von Zellen, Zeilen und Spalten", - "body": "Im Tabelleneditor sie können oberhalb oder links neben der ausgewählten Zelle in einem Arbeitsblatt leere Zellen einfügen. Sie können auch eine ganze Zeile, oberhalb der ausgewählten Zeile, oder eine Spalte, links neben der ausgewählten Spalte, einfügen. Um die Anzeige von großen Informationsmengen zu vereinfachen, können Sie bestimmte Zeilen oder Spalten ausblenden und wieder einblenden. Es ist auch möglich, die Zeilenhöhe und Spaltenbreite individuell festzulegen. Zellen, Zeilen und Spalten einfügen: Eine leere Zelle links von der gewählten Zelle einzufügen: Klicken Sie mit der rechten Maustaste auf die Zelle, vor der Sie eine neue Zelle einfügen wollen. Klicken Sie auf das Symbol Zellen einfügen in der oberen Symbolleiste in der Registerkarte Start oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach rechts verschieben. Die gewählte Zelle wird automatisch nach rechts verschoben und es wird eine neue Zelle eingefügt. Eine leere Zelle über der gewählten Zelle einfügen: Klicken Sie mit der rechten Maustaste auf die Zelle, über der Sie eine neue einfügen wollen. Klicken Sie auf das Symbol Zellen einfügen in der oberen Symbolleiste in der Registerkarte Start oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach unten verschieben. Die gewählte Zelle wird automatisch nach unten verschoben und eine neue Zelle wird eingefügt. Eine neue Reihe einfügen: Wählen Sie entweder die ganze Zeile aus, indem Sie auf die Zeilenbezeichnung klicken oder eine Zelle über der Sie eine neue Reihe einfügen wollen:Hinweis: Wenn Sie mehrere Zeilen einfügen wollen, markieren Sie die entsprechende Anzahl an Zeilen. Klicken Sie auf das Symbol Zellen einfügen in der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Ganze Zeile oder klicken Sie mit der rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Zeile oder klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Zelle(n) und wählen Sie die Option Oberhalb aus dem Rechtsklickmenü aus. Die gewählte Zeile wird automatisch nach unten verschoben und eine neue Zeile wird eingefügt. Spalten einfügen: Klicken Sie mit der rechten Maustaste auf die Spalte, nach der Sie eine neue einfügen möchten.Hinweis: Wenn Sie mehrere Spalten einfügen wollen, markieren Sie die entsprechende Anzahl an Spalten. Klicken Sie auf das Symbol Zellen einfügen in der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Ganze Spalte oder klicken Sie mit der rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Spalte oder klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Spalte(n) und wählen Sie die Option Links einfügen aus dem Rechtsklickmenü aus. Die gewählte Spalte wird automatisch nach rechts verschoben und es wird eine neue Spalte eingefügt. Zeilen und Spalten ein- und ausblenden Eine Zeile oder Spalte ausblenden: Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie ausblenden wollen. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen oder Spalten und wählen Sie die Option Ausblenden im Rechtsklickmenü aus. Um ausgeblendete Zeilen oder Spalten anzuzeigen, wählen Sie sichtbare Zeilen über und unter den ausgeblendeten Zeilen oder sichtbare Spalten links und rechts neben den ausgeblendeten Spalten aus, klicken Sie mit der rechten Maustaste auf Ihre Auswahl und wählen Sie die Option Anzeigen aus dem Kontextmenü aus. Spaltenbreite und Zeilenhöhe ändern: Die Spaltenbreite gibt vor, wie viele Zeichen mit Standardformatierung in der Spaltenzelle angezeigt werden können. Der Standardwert ist auf 8,43 Symbole eingestellt. Standardwert ändern: Wählen Sie die Spalten aus für die Sie den Wert ändern wollen. Klicken Sie mit der rechten Maustaste auf die markierten Spalten und wählen Sie die Option Spaltenbreite festlegen im Rechtsklickmenü aus. Wählen Sie eine der verfügbaren Optionen: Wählen Sie die Option Spaltenbreite automatisch anpassen, um die Breite jeder Spalte automatisch an ihren Inhalt anzupassen, oder Wählen Sie die Option Benutzerdefinierte Spaltenbreite und geben Sie im Fenster Benutzerdefinierte Spaltenbreite einen neuen Wert zwischen 0 und 255 ein und klicken Sie auf OK. Um die Breite einer einzelnen Spalte manuell zu ändern, bewegen Sie den Mauszeiger über den rechten Rand der Spaltenüberschrift, so dass der Cursor in den bidirektionalen Pfeil wechselt. Ziehen Sie den Rahmen nach links oder rechts, um eine benutzerdefinierte Breite festzulegen, oder doppelklicken Sie auf die Maus, um die Spaltenbreite automatisch an den Inhalt anzupassen. Der Standardwert für die Zeilenhöhe ist auf 14,25 Punkte eingestellt. Zeilenhöhe ändern: Wählen Sie die Zeilen aus für die Sie den Wert ändern wollen. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen und wählen Sie die Option Zeilenhöhe festlegen im Rechtsklickmenü aus. Wählen Sie eine der verfügbaren Optionen: Wählen Sie die Option Zeilenhöhe automatisch anpassen, um die Höhe jeder Spalte automatisch an ihren Inhalt anzupassen, oder Wählen Sie die Option Benutzerdefinierte Zeilenhöhe und geben Sie im Fenster Benutzerdefinierte Zeilenhöhe einen neuen Wert zwischen 0 und 408,75 ein und klicken Sie auf OK. Um die Höhe einer einzelnen Zeile manuell zu ändern, ziehen Sie den unteren Rand der Zeilenüberschrift. Zellen, Zeilen und Spalten löschen: Eine überflüssige Zelle, Reihe oder Spalte löschen: Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie löschen wollen. Klicken Sie auf das Symbol Zellen löschen in der oberen Symbolleiste in der Registerkarte Start oder wählen Sie die Option im Rechtsklickmenü aus und wählen Sie anschließend den gewünschten Vorgang aus der angezeigten Liste: Wenn Sie die Option Zellen nach links verschieben auswählen, wird die Zellen rechts von der gelöschten Zelle nach links verschoben; wenn Sie die Option Zellen nach oben verschieben auswählen, wird die Zelle unterhalb der gelöschten Zelle nach oben verschoben; wenn Sie die Option Ganze Zeile auswählen, wird die Zeile unterhalb der ausgewählten Zeile nach oben verschoben; wenn Sie die Option Ganze Spalte auswählen, wird die Spalte rechts von der gelöschten Spalte nach links verschoben. Mithilfe des Symbols Rückgängig auf der oberen Symbolleiste können Sie gelöschte Daten jederzeit wiederherstellen." + "body": "In der Tabellenkalkulation sie können oberhalb oder links neben der ausgewählten Zelle in einem Arbeitsblatt leere Zellen einfügen. Sie können auch eine ganze Zeile, oberhalb der ausgewählten Zeile, oder eine Spalte, links neben der ausgewählten Spalte, einfügen. Um die Anzeige von großen Informationsmengen zu vereinfachen, können Sie bestimmte Zeilen oder Spalten ausblenden und wieder einblenden. Es ist auch möglich, die Zeilenhöhe und Spaltenbreite individuell festzulegen. Zellen, Zeilen und Spalten einfügen: Um eine leere Zelle links von der gewählten Zelle einzufügen: Klicken Sie mit der rechten Maustaste auf die Zelle, vor der Sie eine neue Zelle einfügen wollen. Klicken Sie auf das Symbol Zellen einfügen in der oberen Symbolleiste in der Registerkarte Startseite oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach rechts verschieben. Die gewählte Zelle wird automatisch nach rechts verschoben und es wird eine neue Zelle eingefügt. Um eine leere Zelle über der gewählten Zelle einzufügen: Klicken Sie mit der rechten Maustaste auf die Zelle, über der Sie eine neue einfügen wollen. Klicken Sie auf das Symbol Zellen einfügen in der oberen Symbolleiste in der Registerkarte Startseite oder wählen Sie die Option Einfügen im Rechtsklickmenü aus und nutzen Sie die Option Zellen nach unten verschieben. Die gewählte Zelle wird automatisch nach unten verschoben und eine neue Zelle wird eingefügt. Um eine neue Reihe einzufügen: Wählen Sie entweder die ganze Zeile aus, indem Sie auf die Zeilenbezeichnung klicken oder eine Zelle über der Sie eine neue Reihe einfügen wollen: Wenn Sie mehrere Zeilen einfügen wollen, markieren Sie die entsprechende Anzahl an Zeilen. Klicken Sie auf das Symbol Zellen einfügen in der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Ganze Zeile oder klicken Sie mit der rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Zeile oder klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Zelle(n) und wählen Sie die Option Oberhalb aus dem Rechtsklickmenü aus. Die gewählte Zeile wird automatisch nach unten verschoben und eine neue Zeile wird eingefügt. Um die Spalten einzufügen: Klicken Sie mit der rechten Maustaste auf die Spalte, nach der Sie eine neue einfügen möchten. Wenn Sie mehrere Spalten einfügen wollen, markieren Sie die entsprechende Anzahl an Spalten. Klicken Sie auf das Symbol Zellen einfügen in der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Ganze Spalte oder klicken Sie mit der rechten Maustaste auf die entsprechende Zelle und wählen Sie die Option Einfügen aus dem Rechtsklickmenü aus und wählen Sie anschließend die Option Ganze Spalte oder klicken Sie mit der rechten Maustaste auf die ausgewählte(n) Spalte(n) und wählen Sie die Option Links einfügen aus dem Rechtsklickmenü aus. Die gewählte Spalte wird automatisch nach rechts verschoben und es wird eine neue Spalte eingefügt. Sie können auch die Tastenkombination Strg+Umschalt+= verwenden, um das Dialogfeld zum Einfügen neuer Zellen zu öffnen, wählen Sie Zellen nach rechts verschieben, Zellen nach unten verschieben, Ganze Zeile oder Ganze Spalte und klicken Sie auf OK. Um die Zeilen und Spalten ein- und auszublenden Um eine Zeile oder Spalte auszublenden: Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie ausblenden wollen. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen oder Spalten und wählen Sie die Option Ausblenden im Rechtsklickmenü aus. Um ausgeblendete Zeilen oder Spalten anzuzeigen, wählen Sie sichtbare Zeilen über und unter den ausgeblendeten Zeilen oder sichtbare Spalten links und rechts neben den ausgeblendeten Spalten aus, klicken Sie mit der rechten Maustaste auf Ihre Auswahl und wählen Sie die Option Anzeigen aus dem Kontextmenü aus. Um die Spaltenbreite und Zeilenhöhe zu ändern: Die Spaltenbreite gibt vor, wie viele Zeichen mit Standardformatierung in der Spaltenzelle angezeigt werden können. Der Standardwert ist auf 8,43 Symbole eingestellt. Standardwert ändern: Wählen Sie die Spalten aus für die Sie den Wert ändern wollen. Klicken Sie mit der rechten Maustaste auf die markierten Spalten und wählen Sie die Option Spaltenbreite festlegen im Rechtsklickmenü aus. Wählen Sie eine der verfügbaren Optionen: Wählen Sie die Option Spaltenbreite automatisch anpassen, um die Breite jeder Spalte automatisch an ihren Inhalt anzupassen, oder Wählen Sie die Option Benutzerdefinierte Spaltenbreite und geben Sie im Fenster Benutzerdefinierte Spaltenbreite einen neuen Wert zwischen 0 und 255 ein und klicken Sie auf OK. Um die Breite einer einzelnen Spalte manuell zu ändern, bewegen Sie den Mauszeiger über den rechten Rand der Spaltenüberschrift, so dass der Cursor in den bidirektionalen Pfeil wechselt. Ziehen Sie den Rahmen nach links oder rechts, um eine benutzerdefinierte Breite festzulegen, oder doppelklicken Sie auf die Maus, um die Spaltenbreite automatisch an den Inhalt anzupassen. Der Standardwert für die Zeilenhöhe ist auf 14,25 Punkte eingestellt. Zeilenhöhe ändern: Wählen Sie die Zeilen aus für die Sie den Wert ändern wollen. Klicken Sie mit der rechten Maustaste auf die markierten Zeilen und wählen Sie die Option Zeilenhöhe festlegen im Rechtsklickmenü aus. Wählen Sie eine der verfügbaren Optionen: Wählen Sie die Option Zeilenhöhe automatisch anpassen, um die Höhe jeder Spalte automatisch an ihren Inhalt anzupassen, oder Wählen Sie die Option Benutzerdefinierte Zeilenhöhe und geben Sie im Fenster Benutzerdefinierte Zeilenhöhe einen neuen Wert zwischen 0 und 408,75 ein und klicken Sie auf OK. Um die Höhe einer einzelnen Zeile manuell zu ändern, ziehen Sie den unteren Rand der Zeilenüberschrift. Um die Zellen, Zeilen und Spalten zu löschen: Um eine überflüssige Zelle, Reihe oder Spalte zu löschen: Wählen Sie die Zellen, Zeilen oder Spalten aus, die Sie löschen wollen. Klicken Sie auf das Symbol Zellen löschen in der oberen Symbolleiste in der Registerkarte Startseite oder wählen Sie die Option im Rechtsklickmenü aus und wählen Sie anschließend den gewünschten Vorgang aus der angezeigten Liste: Wenn Sie die Option Zellen nach links verschieben auswählen, wird die Zellen rechts von der gelöschten Zelle nach links verschoben; wenn Sie die Option Zellen nach oben verschieben auswählen, wird die Zelle unterhalb der gelöschten Zelle nach oben verschoben; wenn Sie die Option Ganze Zeile auswählen, wird die Zeile unterhalb der ausgewählten Zeile nach oben verschoben; wenn Sie die Option Ganze Spalte auswählen, wird die Spalte rechts von der gelöschten Spalte nach links verschoben. Sie können auch die Tastenkombination Strg+Umschalt+- verwenden, um das Dialogfeld zum Löschen von Zellen zu öffnen, wählen Sie Zellen nach links verschieben, Zellen nach oben verschieben , Ganze Zeile oder Ganze Spalte und klicken Sie auf OK. Mithilfe des Symbols Rückgängig auf der oberen Symbolleiste können Sie gelöschte Daten jederzeit wiederherstellen." }, { "id": "UsageInstructions/InsertEquation.htm", "title": "Formeln einfügen", - "body": "Mit der Tabellenkalkulation können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel. Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt.Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente. Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie für alle Platzhalter die gewünschten Werte ein. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten. Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in die Platzhaltern einfügen: Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile im Formelfeld passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Standardmäßig wird die Formel innerhalb des Formelfelds horizontal zentriert und vertikal am oberen Rand des Formelfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Formelfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der oberen Symbolleiste. Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Start oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Start, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen, in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen aus der Gruppe Akzente für die umrandete Formel angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Formel, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF.Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option Umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen. Gleichungen konvertieren Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können. Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt: Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja. Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten." + "body": "Mit der Tabellenkalkulation können Sie Formeln mithilfe der integrierten Vorlagen erstellen, sie bearbeiten, Sonderzeichen einfügen (einschließlich mathematischer Operatoren, griechischer Buchstaben, Akzente usw.). Eine neue Formel einfügen Eine Formel aus den Vorlagen einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Klicken Sie auf den Pfeil neben dem Symbol Formel. Wählen Sie im geöffneten Listenmenü die gewünschte Option: Derzeit sind die folgenden Kategorien verfügbar: Symbole, Brüche, Skripte, Wurzeln, Integrale, Große Operatoren, Klammern, Funktionen, Akzente, Grenzwerte und Logarithmen, Operatoren, Matrizen. Klicken Sie im entsprechenden Vorlagensatz auf das gewünschte Symbol/die gewünschte Formel. Das gewählte Symbol/die gewählte Gleichung wird in das aktuelle Tabellenblatt eingefügt. Die obere linke Ecke des Formelfelds stimmt mit der oberen linken Ecke der aktuell ausgewählten Zelle überein, aber die Gleichung kann auf dem Arbeitsblatt frei verschoben, in der Größe geändert oder gedreht werden. Klicken Sie dazu auf den Rahmen des Formelfelds (der Rahmen wird als durchgezogene Linie dargestellt) und nutzen Sie die entsprechenden Bedienelemente. Jede Formelvorlage steht für eine Reihe von Slots. Ein Slot für jedes Element, aus dem die Gleichung besteht Ein leerer Slot (auch Platzhalter genannt) hat eine gepunktete Linie Setzen Sie für alle Platzhalter die gewünschten Werte ein. Werte eingeben Der Einfügepunkt zeigt an, an welcher Stelle das nächste Zeichen erscheint, das Sie eingeben. Um den Cursor präzise zu positionieren, klicken Sie in einen Platzhalter und verschieben Sie den Einfügepunkt, mithilfe der Tastaturpfeile, um ein Zeichen nach links/rechts oder eine Zeile nach oben/unten. Wenn Sie den Einfügepunkt positioniert haben, können Sie die Werte in die Platzhaltern einfügen: Geben Sie den gewünschten numerischen/literalen Wert über die Tastatur ein. Wechseln Sie zum Einfügen von Sonderzeichen in die Registerkarte Einfügen und wählen Sie im Menü Formel das gewünschte Zeichen aus der Palette mit den Symbolen aus. Fügen Sie eine weitere Vorlage aus der Palette hinzu, um eine komplexe verschachtelte Gleichung zu erstellen. Die Größe der primären Formel wird automatisch an den Inhalt angepasst. Die Größe der verschachtelten Gleichungselemente hängt von der Platzhaltergröße der primären Gleichung ab, sie darf jedoch nicht kleiner sein, als die Vorlage für tiefgestellte Zeichen. Alternativ können Sie auch über das Rechtsklickmenü neue Elemente in Ihre Formel einfügen: Um ein neues Argument vor oder nach einem vorhandenen Argument einzufügen, das in Klammern steht, klicken Sie mit der rechten Maustaste auf das vorhandene Argument und wählen Sie die Option Argument vorher/nachher einfügen. Um in Fällen mit mehreren Bedingungen eine neue Formel aus der Gruppe Klammern hinzuzufügen (oder eine beliebige andere Formel, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf einen leeren Platzhalter oder eine im Platzhalter eingegebene Gleichung und wählen Sie Formel vorher/nachher einfügen aus dem Menü aus. Um in einer Matrix eine neue Zeile oder Spalte einzugeben, wählen Sie die Option Einfügen aus dem Menü, und klicken Sie dann auf Zeile oberhalb/unterhalb oder Spalte links/rechts. Aktuell ist es nicht möglich Gleichungen im linearen Format einzugeben, d.h. \\sqrt(4&x^3). Wenn Sie die Werte der mathematischen Ausdrücke eingeben, ist es nicht notwendig die Leertaste zu verwenden, da die Leerzeichen zwischen den Zeichen und Werten automatisch gesetzt werden. Wenn die Formel zu lang ist und nicht in eine einzelnen Zeile im Formelfeld passt, wird während der Eingabe automatisch ein Zeilenumbruch ausgeführt. Bei Bedarf können Sie auch manuell einen Zeilenumbruch an einer bestimmten Position einfügen. Klicken sie dazu mit der rechten Maustaste auf einen der Platzhalter und wählen Sie im Menü die Option manuellen Umbruch einfügen aus. Der ausgewählte Platzhalter wird in die nächste Zeile verschoben. Um einen manuell hinzugefügten Zeilenumbruch zu entfernen, klicken Sie mit der rechten Maustaste auf den Platzhalter der die neue Zeile einleitet und wählen Sie die Option manuellen Umbruch entfernen. Formeln formatieren Standardmäßig wird die Formel innerhalb des Formelfelds horizontal zentriert und vertikal am oberen Rand des Formelfelds ausgerichtet. Um die horizontale/vertikale Ausrichtung zu ändern, platzieren Sie den Cursor im Formelfeld (die Rahmen des Formelfelds werden als gestrichelte Linien angezeigt) und verwenden Sie die entsprechenden Symbole auf der oberen Symbolleiste. Um die Schriftgröße der Formel zu verkleinern oder zu vergrößern, klicken Sie an eine beliebige Stelle im Formelfeld und verwenden Sie die Schaltflächen und in der Registerkarte Startseite oder wählen Sie die gewünschte Schriftgröße aus der Liste aus. Alle Elemente in der Formel werden entsprechend angepasst. Die Buchstaben innerhalb der Formel werden standardmäßig kursiv gestellt. Bei Bedarf können Sie Schriftart (fett, kursiv, durchgestrichen) oder Schriftfarbe für die gesamte Formel oder Teile davon ändern. Unterstreichen ist nur für die gesamte Formel möglich und nicht für einzelne Zeichen. Wählen Sie den gewünschten Teil der Formel durch anklicken und ziehen aus. Der ausgewählte Teil wird blau markiert. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Startseite, um die Auswahl zu formatieren. Sie können zum Beispiel das Kursivformat für gewöhnliche Wörter entfernen, die keine Variablen oder Konstanten darstellen. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ändern: Um das Format von Brüchen zu ändern, klicken Sie mit der rechten Maustaste auf einen Bruch und wählen Sie im Menü die Option in schrägen/linearen/gestapelten Bruch ändern (die verfügbaren Optionen hängen vom ausgewählten Bruchtyp ab). Um die Position der Skripte in Bezug auf Text zu ändern, klicken Sie mit der rechten Maustaste auf die Formel, die Skripte enthält und wählen Sie die Option Skripte vor/nach Text aus dem Menü aus. Um die Größe der Argumente für Skripte, Wurzeln, Integrale, Große Operatoren, Grenzwerte und Logarithmen und Operatoren sowie für über- und untergeordnete Klammern und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf das Argument, das Sie ändern wollen, und wählen Sie die Option Argumentgröße vergrößern/verkleinern aus dem Menü aus. Um festzulegen, ob ein leerer Grad-Platzhalter für eine Wurzel angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Wurzel und wählen Sie die Option Grad anzeigen/ausblenden aus dem Menü aus. Um festzulegen, ob ein leerer Grenzwert-Platzhalter für ein Integral oder für Große Operatoren angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste auf die Gleichung und wählen Sie im Menü die Option oberen/unteren Grenzwert anzeigen/ausblenden aus. Um die Position der Grenzwerte in Bezug auf das Integral oder einen Operator für Integrale oder einen großen Operator zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Position des Grenzwertes ändern aus dem Menü aus. Die Grenzwerte können rechts neben dem Operatorzeichen (als tiefgestellte und hochgestellte Zeichen) oder direkt über und unter dem Operatorzeichen angezeigt werden. Um die Positionen der Grenzwerte für Grenzwerte und Logarithmen und Vorlagen mit Gruppierungszeichen aus der Gruppe Akzente zu ändern, klicken Sie mit der rechten Maustaste auf die Formel und wählen Sie die Option Grenzwert über/unter Text aus dem Menü aus. Um festzulegen, welche Klammern angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option öffnende/schließende Klammer anzeigen/verbergen aus dem Menü aus. Um die Größe der Klammern zu ändern, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck. Standardmäßig ist die Option Klammern ausdehnen aktiviert, so dass die Klammern an den eingegebenen Ausdruck angepasst werden. Sie können diese Option jedoch deaktivieren und die Klammern werden nicht mehr ausgedehnt. Wenn die Option aktiviert ist, können Sie auch die Option Klammern an Argumenthöhe anpassen verwenden. Um die Position der Zeichen, in Bezug auf Text für Klammern (über dem Text/unter dem Text) oder Überstriche/Unterstriche aus der Gruppe Akzente, zu ändern, klicken Sie mit der rechten Maustaste auf die Vorlage und wählen Sie die Option Überstrich/Unterstrich über/unter Text aus dem Menü aus. Um festzulegen, welche Rahmen aus der Gruppe Akzente für die umrandete Formel angezeigt werden sollen, klicken Sie mit der rechten Maustaste auf die Formel, klicken Sie im Menü auf die Option Umrandungen und legen Sie die Parameter Einblenden/Ausblenden oberer/unterer/rechter/linker Rand oder Hinzufügen/Verbergen horizontale/vertikale/diagonale Grenzlinie fest. Um festzulegen, ob ein leerer Platzhalter für eine Matrix angezeigt werden soll oder nicht, klicken Sie mit der rechten Maustaste darauf und wählen Sie die Option Platzhalter einblenden/ausblenden aus dem Menü aus. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü ausrichten: Um Formeln in Fällen mit mehreren Bedingungen aus der Gruppe Klammern auszurichten (oder beliebige andere Formeln, wenn Sie zuvor über die Eingabetaste einen neuen Platzhalter eingefügt haben), klicken Sie mit der rechten Maustaste auf eine Formel, wählen Sie die Option Ausrichten im Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um eine Matrix vertikal auszurichten, klicken Sie mit der rechten Maustaste auf die Matrix, wählen Sie die Option Matrixausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Oben, Zentriert oder Unten. Um Elemente in einer Matrix-Spalte vertikal auszurichten, klicken Sie mit der rechten Maustaste auf einen Platzhalter in der Spalte, wählen Sie die Option Spaltenausrichtung aus dem Menü aus und legen Sie den Ausrichtungstyp fest: Links, Zentriert oder Rechts. Formelelemente löschen Um Teile einer Formel zu löschen, wählen Sie den Teil den Sie löschen wollen mit der Maus aus oder halten Sie die Umschalttaste gedrückt, und drücken sie dann auf Ihrer Tastatur auf ENTF. Ein Slot kann nur zusammen mit der zugehörigen Vorlage gelöscht werden. Um die gesamte Formel zu löschen, klicken Sie auf die Umrandung der Formel (der Rahmen wird als durchgezogene Linie dargestellt) und drücken Sie dann auf Ihrer Tastatur auf ENTF. Einige Elemente aus der Formel lassen sich auch über das Rechtsklickmenü löschen: Um eine Wurzel zu löschen, klicken Sie diese mit der rechten Maustaste an und wählen Sie die Option Wurzel löschen im Menü aus. Um ein tiefgestelltes Zeichen bzw. ein hochgestelltes Zeichen zu löschen, klicken sie mit der rechten Maustaste auf das entsprechende Element und wählen Sie die Option hochgestelltes/tiefgestelltes Zeichen entfernen im Menü aus. Wenn der Ausdruck Skripte mit Vorrang vor dem Text enthält, ist die Option Skripte entfernen verfügbar. Um Klammern zu entfernen, klicken Sie mit der rechten Maustaste auf den darin enthaltenen Ausdruck und wählen Sie die Option Umschließende Zeichen entfernen oder die Option Umschließende Zeichen und Trennzeichen entfernen im Menü aus. Wenn ein Ausdruck in Klammern mehr als ein Argument enthält, klicken Sie mit der rechten Maustaste auf das Argument das Sie löschen wollen und wählen Sie die Option Argument löschen im Menü aus. Wenn Klammern mehr als eine Formel umschließen (in Fällen mit mehreren Bedingungen), klicken Sie mit der rechten Maustaste auf die Formel die Sie löschen wollen und wählen Sie die Option Formel löschen im Menü aus. Um einen Grenzwert zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie die Option Grenzwert entfernen im Menü aus. Um einen Akzent zu löschen, klicken Sie diesen mit der rechten Maustaste an und wählen Sie im Menü die Option Akzentzeichen entfernen, Überstrich entfernen oder Unterstrich entfernen (die verfügbaren Optionen hängen vom ausgewählten Akzent ab). Um eine Zeile bzw. Spalte in einer Matrix zu löschen, klicken Sie mit der rechten Maustaste auf den Platzhalter in der entsprechenden Zeile/Spalte, wählen Sie im Menü die Option Entfernen und wählen Sie dann Zeile/Spalte entfernen. Gleichungen konvertieren Wenn Sie ein vorhandenes Dokument öffnen, das Formeln enthält, die mit einer alten Version des Formeleditors erstellt wurden (z. B. mit MS Office-Versionen vor 2007), müssen Sie diese Formeln in das Office Math ML-Format konvertieren, um sie bearbeiten zu können. Um eine Gleichung zu konvertieren, doppelklicken Sie darauf. Das Warnfenster wird angezeigt: Um nur die ausgewählte Gleichung zu konvertieren, klicken Sie im Warnfenster auf die Schaltfläche Ja. Um alle Gleichungen in diesem Dokument zu konvertieren, aktivieren Sie das Kontrollkästchen Auf alle Gleichungen anwenden und klicken Sie auf Ja. Nachdem die Gleichung konvertiert wurde, können Sie sie bearbeiten." }, { "id": "UsageInstructions/InsertFunction.htm", "title": "Funktionen einfügen", - "body": "Die Möglichkeit grundlegende Berechnungen durchzuführen ist der eigentliche Hauptgrund für die Verwendung einer Tabellenkalkulation. Wenn Sie einen Zellbereich in Ihrer Tabelle auswählen, werden einige Berechnungen bereits automatisch ausgeführt: MITTELWERT analysiert den ausgewählte Zellbereich und ermittelt den Durchschnittswert. ANZAHL gibt die Anzahl der ausgewählten Zellen wieder, wobei leere Zellen ignoriert werden. MIN gibt den kleinsten Wert in einer Liste mit Argumenten zurück. MAX gibt den größten Wert in einer Liste mit Argumenten zurück. SUMME gibt die SUMME der markierten Zellen wieder, wobei leere Zellen oder Zellen mit Text ignoriert werden. Die Ergebnisse dieser automatisch durchgeführten Berechnungen werden in der unteren rechten Ecke der Statusleiste angezeigt. Um andere Berechnungen durchzuführen, können Sie die gewünschte Formel mit den üblichen mathematischen Operatoren manuell einfügen oder eine vordefinierte Formel verwenden - Funktion. Einfügen einer Funktion: Wählen Sie die Zelle, in die Sie eine Funktion einfügen möchten. Klicken Sie auf das Symbol Funktion einfügen in der Registerkarte Start auf der oberen Symbolleiste und wählen Sie eine der häufig verwendeten Funktionen (SUMME, MIN, MAX, ANZAHL) oder klicken Sie auf die Option Weitere oder klicken Sie mit der rechten Maustaste in die gewünschte Zelle und wählen Sie die Option Funktion einfügen aus dem Menü aus oder klicken Sie auf das Symbol auf der Formelleiste. Wählen Sie im geöffneten Fenster Funktion einfügen die gewünschte Funktionsgruppe aus und wählen Sie dann die gewünschte Funktion aus der Liste und klicken Sie auf OK. Geben Sie die Funktionsargumente manuell ein oder wählen Sie den entsprechenden Zellbereich mit Hilfe der Maus aus. Sind für die Funktion mehrere Argumente erforderlich, müssen diese durch Kommas getrennt werden. Im Allgemeinen können numerische Werte, logische Werte (WAHR, FALSCH), Textwerte (müssen zitiert werden), Zellreferenzen, Zellbereichsreferenzen, den Bereichen zugewiesene Namen und andere Funktionen als Funktionsargumente verwendet werden. Drücken Sie die Eingabetaste. Eine Funktion manuell über die Tastatur eingeben: Wählen Sie eine Zelle aus. Geben Sie das Gleichheitszeichen ein (=).Jede Formel muss mit dem Gleichheitszeichen beginnen (=). Geben Sie den Namen der Funktion ein.Sobald Sie die Anfangsbuchstaben eingegeben haben, wird die Liste Formel automatisch vervollständigen angezeigt. Während der Eingabe werden die Elemente (Formeln und Namen) angezeigt, die den eingegebenen Zeichen entsprechen. Wenn Sie den Mauszeiger über eine Formel bewegen, wird ein Textfeld mit der Formelbeschreibung angezeigt. Sie können die gewünschte Formel aus der Liste auswählen und durch Anklicken oder Drücken der TAB-Taste einfügen. Geben Sie die folgenden Funktionsargumente ein.Argumente müssen in Klammern gesetzt werden. Die öffnende Klammer „(“ wird automatisch hinzugefügt, wenn Sie eine Funktion aus der Liste auswählen. Wenn Sie Argumente eingeben, wird Ihnen eine QuickInfo mit der Formelsyntax angezeigt. Wenn Sie alle Argumente angegeben haben, schließende Sie die „)“ Klammer und drücken Sie die Eingabetaste. Hier finden Sie die Liste der verfügbaren Funktionen, gruppiert nach Kategorien: Funktionskategorie Beschreibung Funktionen Text- und Datenfunktionen Diese dienen dazu die Textdaten in Ihrer Tabelle korrekt anzuzeigen. ASC; ZEICHEN; SÄUBERN; CODE; VERKETTEN; TEXTKETTE; DM; IDENTISCH; FINDEN; FINDENB; FEST; LINKS; LINKSB; LÄNGE; LÄNGEB; KLEIN; TEIL; TEILB; ZAHLENWERT; GROSS2; ERSETZEN; ERSETZENB; WIEDERHOLEN; RECHTS; RECHTSB; SUCHEN; SUCHENB; WECHSELN; T; TEXT; TEXTVERKETTEN; GLÄTTEN; UNIZEICHEN; UNICODE; GROSS; WERT Statistische Funktionen Diese dienen der Analyse von Daten: Mittelwert ermitteln, den größen bzw. kleinsten Wert in einem Zellenbereich finden. MITTELABW; MITTELWERT; MITTELWERTA; MITTELWERTWENN; MITTELWERTWENNS; BETAVERT; BETA.VERT; BETA.INV; BETAINV; BINOMVERT; BINOM.VERT; BINOM.VERT.BEREICH; BINOM.INV; CHIVERT; CHIINV; CHIQU.VERT; CHIQU.VERT.RE; CHIQU.INV; CHIQU.INV.RE; CHITEST; CHIQU.TEST; KONFIDENZ; KONFIDENZ.NORM; KONFIDENZ.T; KORREL; ANZAHL; ANZAHL2; ANZAHLLEEREZELLEN; ZÄHLENWENN; ZÄHLENWENNS; KOVAR; KOVARIANZ.P; KOVARIANZ.S; KRITBINOM; SUMQUADABW; EINDEUTIG; EXPON.VERT; EXPONVERT; F.VERT; FVERT; F.VERT.RE; F.INV; FINV; F.INV.RE; FISHER; FISHERINV; SCHÄTZER; PROGNOSE.ETS; PROGNOSE.ETS.KONFINT; PROGNOSE.ETS.SAISONALITÄT; PROGNOSE.ETS.STAT; PROGNOSE.LINEAR; HÄUFIGKEIT; FTEST; F.TEST; GAMMA; GAMMA.VERT; GAMMAVERT; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.GENAU; GAUSS; GEOMITTEL; HARMITTEL; HYPGEOMVERT; HYPGEOM.VERT; ACHSENABSCHNITT; KURT; KGRÖSSTE; LOGINV; LOGNORM.VERT; LOGNORM.INV; LOGNORMVERT; MAX; MAXA; MAXWENNS; MEDIAN; MIN; MINA; MINWENNS; MODALWERT; MODUS.VIELF; MODUS.EINF; NEGBINOMVERT; NEGBINOM.VERT; NORMVERT; NORM.VERT; NORMINV; NORM.INV; STANDNORMVERT; NORM.S.VERT; STANDNORMINV; NORM.S.INV; PEARSON; QUANTIL; QUANTIL.EXKL; QUANTIL.INKL; QUANTILSRANG; QUANTILSRANG.EXKL; QUANTILSRANG.INKL; RKP; VARIATIONEN; VARIATIONEN2; PHI; POISSON; POISSON.VERT; WAHRSCHBEREICH; QUARTILE; QUARTILE.EXKL; QUARTILE.INKL; RANG; RANG.MITTELW; RANG.GLEICH; BESTIMMTHEITSMASS; SCHIEFE; SCHIEFE.P; STEIGUNG; KKLEINSTE; STANDARDISIERUNG; STABW; STABW.S; STABWA; STABWN; STABW.N; STABWNA; STFEHLERYX; TVERT; T.VERT; T.VERT.2S; T.VERT.RE; T.INV; T.INV.2S; TINV; TREND; GESTUTZTMITTEL; TTEST; T.TEST; VARIANZ; VARIANZA; VARIANZEN; VARIATION; VAR.P; VAR.S; VARIANZENA; WEIBULL; WEIBULL.VERT; GTEST; G.TEST Mathematische und trigonometrische Funktionen Werden genutzt, um grundlegende mathematische und trigonometrische Operationen durchzuführen: Addition, Multiplikation, Division, Runden usw. ABS; ACOS; ARCCOSHYP; ARCCOT; ARCCOTHYP; AGGREGAT; ARABISCH; ARCSIN; ARCSINHYP; ARCTAN; ARCTAN2; ARCTANHYP; BASE; OBERGRENZE; OBERGRENZE.MATHEMATIK; OBERGRENZE.GENAU; KOMBINATIONEN; KOMBINATIONEN2; COS; COSHYP; COT; COTHYP; COSEC; COSECHYP; DEZIMAL; GRAD; ECMA.OBERGRENZE; GERADE; EXP; FAKULTÄT; ZWEIFAKULTÄT; UNTERGRENZE; UNTERGRENZE.GENAU; UNTERGRENZE.MATHEMATIK; GGT; GANZZAHL; ISO.OBERGRENZE; KGV; LN; LOG; LOG10; MDET; MINV; MMULT; MEINHEIT; REST; VRUNDEN; POLYNOMIAL; UNGERADE; PI; POTENZ; PRODUKT; QUOTIENT; BOGENMASS; ZUFALLSZAHL; ZUFALLSBEREICH; RÖMISCH; RUNDEN; ABRUNDEN; AUFRUNDEN; SEC; SECHYP; POTENZREIHE; VORZEICHEN; SIN; SINHYP; WURZEL; WURZELPI; TEILERGEBNIS; SUMME; SUMMEWENN; SUMMEWENNS; SUMMENPRODUKT; QUADRATESUMME; SUMMEX2MY2; SUMMEX2PY2; SUMMEXMY2; TAN; TANHYP; KÜRZEN; ZUFALLSMATRIX Datums- und Uhrzeitfunktionen Werden genutzt um Datum und Uhrzeit in einer Tabelle korrekt anzuzeigen. DATUM; DATEDIF; DATWERT; TAG; TAGE; TAGE360; EDATUM; MONATSENDE; STUNDE; ISOKALENDERWOCHE; MINUTE; MONAT; NETTOARBEITSTAGE; NETTOARBEITSTAGE.INTL; JETZT; SEKUNDE; ZEIT; ZEITWERT; HEUTE; WOCHENTAG; KALENDERWOCHE; ARBEITSTAG; ARBEITSTAG.INTL; JAHR; BRTEILJAHRE Technische Funktionen Diese dienen der Durchführung von technischen Berechnungen: BESSELI; BESSELJ; BESSELK; BESSELY; BININDEZ; BININHEX; BININOKT; BITUND; BITLVERSCHIEB; BITODER; BITRVERSCHIEB; BITXODER; KOMPLEXE; UMWANDELN; DEZINBIN; DEZINHEX; DEZINOKT; DELTA; GAUSSFEHLER; GAUSSF.GENAU; GAUSSFKOMPL; GAUSSFKOMPL.GENAU; GGANZZAHL; HEXINBIN; HEXINDEZ; HEXINOKT; IMABS; IMAGINÄRTEIL; IMARGUMENT; IMKONJUGIERTE; IMCOS; IMCOSHYP; IMCOT; IMCOSEC; IMCOSECHYP; IMDIV; IMEXP; IMLN; IMLOG10; IMLOG2; IMAPOTENZ; IMPRODUKT; IMREALTEIL; IMSEC; IMSECHYP; IMSIN; IMSINHYP; IMWURZEL; IMSUB; IMSUMME; IMTAN; OKTINBIN; OKTINDEZ; OKTINHEX Datenbankfunktionen Diese dienen dazu Berechnungen für die Werte in einem bestimmten Feld der Datenbank durchzuführen, die den angegebenen Kriterien entsprechen. DBMITTELWERT; DBANZAHL; DBANZAHL2; DBAUSZUG; DBMAX; DBMIN; DBPRODUKT; DBSTDABW; DBSTDABWN; DBSUMME; DBVARIANZ; DBVARIANZEN Finanzmathematische Funktionen Diese dienen dazu finanzielle Berechnungen durchzuführen (Kapitalwert, Zahlungen usw.). AUFGELZINS; AUFGELZINSF; AMORDEGRK; AMORLINEARK; ZINSTERMTAGVA; ZINSTERMTAGE; ZINSTERMTAGNZ; ZINSTERMNZ; ZINSTERMZAHL; ZINSTERMVZ; KUMZINSZ; KUMKAPITAL; GDA2; GDA; DISAGIO; NOTIERUNGDEZ; NOTIERUNGBRU; DURATIONТ; EFFEKTIV; ZW; ZW2; ZINSSATZ; ZINSZ; IKV; ISPMT; MDURATION; QIKV; NOMINAL; ZZR; NBW; UNREGER.KURS; UNREGER.REND; UNREGLE.KURS; UNREGLE.REND; PDURATION; RMZ; KAPZ; KURS; KURSDISAGIO; KURSFÄLLIG; BW; ZINS; AUSZAHLUNG; ZSATZINVEST; LIA; DIA; TBILLÄQUIV; TBILLKURS; TBILLRENDITE; VDB; XINTZINSFUSS; XKAPITALWERT; RENDITE; RENDITEDIS; RENDITEFÄLL Nachschlage- und Verweisfunktionen Diese dienen dazu Informationen aus der Datenliste zu finden. ADRESSE; WAHL; SPALTE; SPALTEN; FORMELTEXT; WVERWEIS; HYPERLINLK; INDEX; INDIREKT; VERWEIS; VERGLEICH; BEREICH.VERSCHIEBEN; ZEILE; ZEILEN; MTRANS; SVERWEIS Informationsfunktionen Diese dienen dazu Ihnen Informationen über die Daten in der ausgewählten Zelle oder einem Bereich von Zellen zu geben. FEHLER.TYP; ISTLEER; ISTFEHL; ISTFEHLER; ISTGERADE; ISTFORMEL; ISTLOG; ISTNV; ISTKTEXT; ISTZAHL; ISTUNGERADE; ISTBEZUG; ISTTEXT; N; NV; BLATT; BLÄTTER; TYP Logische Funktionen Diese dienen dazu zu prüfen, ob eine Bedingung wahr oder falsch ist. UND; FALSCH; WENN; WENNFEHLER; WENNNV; WENNS; NICHT; ODER; ERSTERWERT; WAHR; XODER" + "body": "Die Möglichkeit grundlegende Berechnungen durchzuführen ist der eigentliche Hauptgrund für die Verwendung einer Tabellenkalkulation. Wenn Sie einen Zellbereich in Ihrer Tabelle auswählen, werden einige Berechnungen bereits automatisch ausgeführt: MITTELWERT analysiert den ausgewählte Zellbereich und ermittelt den Durchschnittswert. ANZAHL gibt die Anzahl der ausgewählten Zellen wieder, wobei leere Zellen ignoriert werden. MIN gibt den kleinsten Wert in einer Liste mit Argumenten zurück. MAX gibt den größten Wert in einer Liste mit Argumenten zurück. SUMME gibt die SUMME der markierten Zellen wieder, wobei leere Zellen oder Zellen mit Text ignoriert werden. Die Ergebnisse dieser automatisch durchgeführten Berechnungen werden in der unteren rechten Ecke der Statusleiste angezeigt. Um andere Berechnungen durchzuführen, können Sie die gewünschte Formel mit den üblichen mathematischen Operatoren manuell einfügen oder eine vordefinierte Formel verwenden - Funktion. Die Möglichkeiten zum Arbeiten mit Funktionen sind sowohl über die Registerkarten Startseite als auch Formel oder durch Drücken der Tastenkombination Umschalt+F3 verfügbar. Auf der Registerkarte Startseite können Sie die Schaltfläche Funktion einfügen verwenden. Fügen Sie eine der am häufigsten verwendeten Funktionen hinzu (SUMME, MITTELWERT, MIN, MAX, ANZAHL) oder öffnen Sie das Fenster Funktion einfügen, das alle verfügbaren Funktionen nach Kategorien sortiert enthält. Verwenden Sie das Suchfeld, um die genaue Funktion anhand ihres Namens zu finden. Auf der Registerkarte Formel können Sie die folgenden Schaltflächen verwenden: Formel, um das Fenster Funktion einfügen zu öffnen, das alle verfügbaren Funktionen nach Kategorien sortiert enthält. AutoSumme, um schnell auf die Funktionen SUMME, MIN, MAX, ANZAHL zuzugreifen. Wenn Sie eine Funktion aus dieser Gruppe auswählen, werden automatisch Berechnungen für alle Zellen in der Spalte über der ausgewählten Zelle durchgeführt, sodass Sie keine Argumente eingeben müssen. Zuletzt verwendet, um schnell auf 10 zuletzt verwendete Funktionen zuzugreifen. Finanzmathematik, Logisch, Text und Daten, Datum und Uhrzeit, Suchen und Bezüge, Mathematik und Trigonometrie, um schnell auf Funktionen zuzugreifen, die zu den entsprechenden Kategorien gehören. Weitere Funktionen, um auf die Funktionen der folgenden Gruppen zuzugreifen: Datenbank, Konstruktion, Information und Statistik. Benannte Bereiche, um den Namensmanager zu öffnen, einen neuen Namen zu definieren oder einen Namen als Funktionsargument einzufügen. Weitere Informationen finden Sie auf dieser Seite. Berechnung, um das Programm zu zwingen, Funktionen neu zu berechnen. Um eine Formel einzufügen: Wählen Sie die Zelle, in die Sie eine Funktion einfügen möchten. Gehen Sie auf eine der folgenden Arten vor: Wechseln Sie zur Registerkarte Formel und verwenden Sie die verfügbaren Schaltflächen in der oberen Symbolleiste, um auf eine Funktion aus einer bestimmten Gruppe zuzugreifen. Klicken Sie dann auf die erforderliche Funktion, um den Assistenten für Funktionsargumente zu öffnen. Sie können auch die Option Zusätzlich aus dem Menü verwenden oder auf die Schaltfläche Formel in der oberen Symbolleiste klicken, um das Fenster Funktion einfügen zu öffnen. Wechseln Sie zur Registerkarte Startseite, klicken Sie auf das Symbol Funktion einfügen und wählen Sie es aus eine der häufig verwendeten Funktionen (SUMME, MITTELWERT, MIN, MAX, ANZAHL) oder klicken Sie auf die Option Zusätzlich, um das Fenster Funktion einfügen zu öffnen. Klicken Sie mit der rechten Maustaste in die ausgewählte Zelle und wählen Sie im Kontextmenü die Option Funktion einfügen. Klicken Sie auf das Symbol vor der Formelleiste. Wählen Sie im geöffneten Fenster Funktion einfügen die gewünschte Funktionsgruppe aus und wählen Sie dann die gewünschte Funktion aus der Liste und klicken Sie auf OK. Geben Sie die Funktionsargumente manuell ein oder wählen Sie den entsprechenden Zellbereich mit Hilfe der Maus aus. Sind für die Funktion mehrere Argumente erforderlich, müssen diese durch Kommas getrennt werden. Im Allgemeinen können numerische Werte, logische Werte (WAHR, FALSCH), Textwerte (müssen zitiert werden), Zellreferenzen, Zellbereichsreferenzen, Namensbereiche und andere Funktionen als Funktionsargumente verwendet werden. Geben Sie im geöffneten Fenster Funktionsargumente die erforderlichen Werte für jedes Argument ein. Sie können die Funktionsargumente entweder manuell eingeben oder auf das Symbol klicken und eine Zelle oder einen Zellbereich auswählen, die bzw. als Argument eingeschlossen werden soll. Allgemein numerische Werte, logische Werte (WAHR, FALSCH), Textwerte (müssen in Anführungszeichen gesetzt werden), Zellbezüge, Zellbereichsbezüge, Namen vergeben to ranges und andere Funktionen können als Funktionsargumente verwendet werden. Das Ergebnis der Funktion wird unten angezeigt. Wenn alle Argumente angegeben sind, klicken Sie im Fenster Funktionsargumente auf die Schaltfläche OK. Um eine Funktion manuell über die Tastatur einzugeben: Wählen Sie eine Zelle aus. Geben Sie das Gleichheitszeichen ein (=). Jede Formel muss mit dem Gleichheitszeichen beginnen (=). Geben Sie den Namen der Funktion ein. Sobald Sie die Anfangsbuchstaben eingegeben haben, wird die Liste Formel automatisch vervollständigen angezeigt. Während der Eingabe werden die Elemente (Formeln und Namen) angezeigt, die den eingegebenen Zeichen entsprechen. Wenn Sie den Mauszeiger über eine Formel bewegen, wird ein Textfeld mit der Formelbeschreibung angezeigt. Sie können die gewünschte Formel aus der Liste auswählen und durch Anklicken oder Drücken der TAB-Taste einfügen. Geben Sie die folgenden Funktionsargumente ein. Argumente müssen in Klammern gesetzt werden. Die öffnende Klammer „(“ wird automatisch hinzugefügt, wenn Sie eine Funktion aus der Liste auswählen. Wenn Sie Argumente eingeben, wird Ihnen eine QuickInfo mit der Formelsyntax angezeigt. Wenn Sie alle Argumente angegeben haben, schließende Sie die „)“ Klammer und drücken Sie die Eingabetaste. Wenn Sie neue Daten eingeben oder die als Argumente verwendeten Werte ändern, wird die Neuberechnung von Funktionen standardmäßig automatisch durchgeführt. Sie können das Programm zwingen, Funktionen neu zu berechnen, indem Sie die Schaltfläche Berechnung auf der Registerkarte Formel verwenden. Klicken Sie auf die Schaltfläche Berechnung, um die gesamte Arbeitsmappe neu zu berechnen, oder klicken Sie auf den Pfeil unter der Schaltfläche und wählen Sie die erforderliche Option aus dem Menü: Arbeitsmappe berechnen oder Das aktuelle Blatt berechnen. Sie können auch die folgenden Tastenkombinationen verwenden: F9, um die Arbeitsmappe neu zu berechnen, Umschalt+F9, um das aktuelle Arbeitsblatt neu zu berechnen. Hier finden Sie die Liste der verfügbaren Funktionen, gruppiert nach Kategorien: Funktionskategorie Beschreibung Funktionen Text- und Datenfunktionen Diese dienen dazu die Textdaten in Ihrer Tabelle korrekt anzuzeigen. ASC; ZEICHEN; SÄUBERN; CODE; VERKETTEN; TEXTKETTE; DM; IDENTISCH; FINDEN; FINDENB; FEST; LINKS; LINKSB; LÄNGE; LÄNGEB; KLEIN; TEIL; TEILB; ZAHLENWERT; GROSS2; ERSETZEN; ERSETZENB; WIEDERHOLEN; RECHTS; RECHTSB; SUCHEN; SUCHENB; WECHSELN; T; TEXT; TEXTVERKETTEN; GLÄTTEN; UNIZEICHEN; UNICODE; GROSS; WERT Statistische Funktionen Diese dienen der Analyse von Daten: Mittelwert ermitteln, den größen bzw. kleinsten Wert in einem Zellenbereich finden. MITTELABW; MITTELWERT; MITTELWERTA; MITTELWERTWENN; MITTELWERTWENNS; BETAVERT; BETA.VERT; BETA.INV; BETAINV; BINOMVERT; BINOM.VERT; BINOM.VERT.BEREICH; BINOM.INV; CHIVERT; CHIINV; CHIQU.VERT; CHIQU.VERT.RE; CHIQU.INV; CHIQU.INV.RE; CHITEST; CHIQU.TEST; KONFIDENZ; KONFIDENZ.NORM; KONFIDENZ.T; KORREL; ANZAHL; ANZAHL2; ANZAHLLEEREZELLEN; ZÄHLENWENN; ZÄHLENWENNS; KOVAR; KOVARIANZ.P; KOVARIANZ.S; KRITBINOM; SUMQUADABW; EINDEUTIG; EXPON.VERT; EXPONVERT; F.VERT; FVERT; F.VERT.RE; F.INV; FINV; F.INV.RE; FISHER; FISHERINV; SCHÄTZER; PROGNOSE.ETS; PROGNOSE.ETS.KONFINT; PROGNOSE.ETS.SAISONALITÄT; PROGNOSE.ETS.STAT; PROGNOSE.LINEAR; HÄUFIGKEIT; FTEST; F.TEST; GAMMA; GAMMA.VERT; GAMMAVERT; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.GENAU; GAUSS; GEOMITTEL; HARMITTEL; HYPGEOMVERT; HYPGEOM.VERT; ACHSENABSCHNITT; KURT; KGRÖSSTE; LOGINV; LOGNORM.VERT; LOGNORM.INV; LOGNORMVERT; MAX; MAXA; MAXWENNS; MEDIAN; MIN; MINA; MINWENNS; MODALWERT; MODUS.VIELF; MODUS.EINF; NEGBINOMVERT; NEGBINOM.VERT; NORMVERT; NORM.VERT; NORMINV; NORM.INV; STANDNORMVERT; NORM.S.VERT; STANDNORMINV; NORM.S.INV; PEARSON; QUANTIL; QUANTIL.EXKL; QUANTIL.INKL; QUANTILSRANG; QUANTILSRANG.EXKL; QUANTILSRANG.INKL; RKP; VARIATIONEN; VARIATIONEN2; PHI; POISSON; POISSON.VERT; WAHRSCHBEREICH; QUARTILE; QUARTILE.EXKL; QUARTILE.INKL; RANG; RANG.MITTELW; RANG.GLEICH; BESTIMMTHEITSMASS; SCHIEFE; SCHIEFE.P; STEIGUNG; KKLEINSTE; STANDARDISIERUNG; STABW; STABW.S; STABWA; STABWN; STABW.N; STABWNA; STFEHLERYX; TVERT; T.VERT; T.VERT.2S; T.VERT.RE; T.INV; T.INV.2S; TINV; TREND; GESTUTZTMITTEL; TTEST; T.TEST; VARIANZ; VARIANZA; VARIANZEN; VARIATION; VAR.P; VAR.S; VARIANZENA; WEIBULL; WEIBULL.VERT; GTEST; G.TEST Mathematische und trigonometrische Funktionen Werden genutzt, um grundlegende mathematische und trigonometrische Operationen durchzuführen: Addition, Multiplikation, Division, Runden usw. ABS; ACOS; ARCCOSHYP; ARCCOT; ARCCOTHYP; AGGREGAT; ARABISCH; ARCSIN; ARCSINHYP; ARCTAN; ARCTAN2; ARCTANHYP; BASE; OBERGRENZE; OBERGRENZE.MATHEMATIK; OBERGRENZE.GENAU; KOMBINATIONEN; KOMBINATIONEN2; COS; COSHYP; COT; COTHYP; COSEC; COSECHYP; DEZIMAL; GRAD; ECMA.OBERGRENZE; GERADE; EXP; FAKULTÄT; ZWEIFAKULTÄT; UNTERGRENZE; UNTERGRENZE.GENAU; UNTERGRENZE.MATHEMATIK; GGT; GANZZAHL; ISO.OBERGRENZE; KGV; LN; LOG; LOG10; MDET; MINV; MMULT; MEINHEIT; REST; VRUNDEN; POLYNOMIAL; UNGERADE; PI; POTENZ; PRODUKT; QUOTIENT; BOGENMASS; ZUFALLSZAHL; ZUFALLSBEREICH; RÖMISCH; RUNDEN; ABRUNDEN; AUFRUNDEN; SEC; SECHYP; POTENZREIHE; VORZEICHEN; SIN; SINHYP; WURZEL; WURZELPI; TEILERGEBNIS; SUMME; SUMMEWENN; SUMMEWENNS; SUMMENPRODUKT; QUADRATESUMME; SUMMEX2MY2; SUMMEX2PY2; SUMMEXMY2; TAN; TANHYP; KÜRZEN; ZUFALLSMATRIX Datums- und Uhrzeitfunktionen Werden genutzt um Datum und Uhrzeit in einer Tabelle korrekt anzuzeigen. DATUM; DATEDIF; DATWERT; TAG; TAGE; TAGE360; EDATUM; MONATSENDE; STUNDE; ISOKALENDERWOCHE; MINUTE; MONAT; NETTOARBEITSTAGE; NETTOARBEITSTAGE.INTL; JETZT; SEKUNDE; ZEIT; ZEITWERT; HEUTE; WOCHENTAG; KALENDERWOCHE; ARBEITSTAG; ARBEITSTAG.INTL; JAHR; BRTEILJAHRE Technische Funktionen Diese dienen der Durchführung von technischen Berechnungen: BESSELI; BESSELJ; BESSELK; BESSELY; BININDEZ; BININHEX; BININOKT; BITUND; BITLVERSCHIEB; BITODER; BITRVERSCHIEB; BITXODER; KOMPLEXE; UMWANDELN; DEZINBIN; DEZINHEX; DEZINOKT; DELTA; GAUSSFEHLER; GAUSSF.GENAU; GAUSSFKOMPL; GAUSSFKOMPL.GENAU; GGANZZAHL; HEXINBIN; HEXINDEZ; HEXINOKT; IMABS; IMAGINÄRTEIL; IMARGUMENT; IMKONJUGIERTE; IMCOS; IMCOSHYP; IMCOT; IMCOSEC; IMCOSECHYP; IMDIV; IMEXP; IMLN; IMLOG10; IMLOG2; IMAPOTENZ; IMPRODUKT; IMREALTEIL; IMSEC; IMSECHYP; IMSIN; IMSINHYP; IMWURZEL; IMSUB; IMSUMME; IMTAN; OKTINBIN; OKTINDEZ; OKTINHEX Datenbankfunktionen Diese dienen dazu Berechnungen für die Werte in einem bestimmten Feld der Datenbank durchzuführen, die den angegebenen Kriterien entsprechen. DBMITTELWERT; DBANZAHL; DBANZAHL2; DBAUSZUG; DBMAX; DBMIN; DBPRODUKT; DBSTDABW; DBSTDABWN; DBSUMME; DBVARIANZ; DBVARIANZEN Finanzmathematische Funktionen Diese dienen dazu finanzielle Berechnungen durchzuführen (Kapitalwert, Zahlungen usw.). AUFGELZINS; AUFGELZINSF; AMORDEGRK; AMORLINEARK; ZINSTERMTAGVA; ZINSTERMTAGE; ZINSTERMTAGNZ; ZINSTERMNZ; ZINSTERMZAHL; ZINSTERMVZ; KUMZINSZ; KUMKAPITAL; GDA2; GDA; DISAGIO; NOTIERUNGDEZ; NOTIERUNGBRU; DURATIONТ; EFFEKTIV; ZW; ZW2; ZINSSATZ; ZINSZ; IKV; ISPMT; MDURATION; QIKV; NOMINAL; ZZR; NBW; UNREGER.KURS; UNREGER.REND; UNREGLE.KURS; UNREGLE.REND; PDURATION; RMZ; KAPZ; KURS; KURSDISAGIO; KURSFÄLLIG; BW; ZINS; AUSZAHLUNG; ZSATZINVEST; LIA; DIA; TBILLÄQUIV; TBILLKURS; TBILLRENDITE; VDB; XINTZINSFUSS; XKAPITALWERT; RENDITE; RENDITEDIS; RENDITEFÄLL Nachschlage- und Verweisfunktionen Diese dienen dazu Informationen aus der Datenliste zu finden. ADRESSE; WAHL; SPALTE; SPALTEN; FORMELTEXT; WVERWEIS; HYPERLINLK; INDEX; INDIREKT; VERWEIS; VERGLEICH; BEREICH.VERSCHIEBEN; ZEILE; ZEILEN; MTRANS; SVERWEIS Informationsfunktionen Diese dienen dazu Ihnen Informationen über die Daten in der ausgewählten Zelle oder einem Bereich von Zellen zu geben. FEHLER.TYP; ISTLEER; ISTFEHL; ISTFEHLER; ISTGERADE; ISTFORMEL; ISTLOG; ISTNV; ISTKTEXT; ISTZAHL; ISTUNGERADE; ISTBEZUG; ISTTEXT; N; NV; BLATT; BLÄTTER; TYP Logische Funktionen Diese dienen dazu zu prüfen, ob eine Bedingung wahr oder falsch ist. UND; FALSCH; WENN; WENNFEHLER; WENNNV; WENNS; NICHT; ODER; ERSTERWERT; WAHR; XODER" }, { "id": "UsageInstructions/InsertHeadersFooters.htm", "title": "Kopf- und Fußzeilen einfügen", - "body": "Die Kopf- und Fußzeilen fügen weitere Information auf den ausgegebenen Blättern ein, z.B. Datum und Uhrzeit, Seitennummer, Blattname usw. Kopf- und Fußzeilen sind nur auf dem ausgegebenen Blatt angezeigt. Um eine Kopf- und Fußzeile einzufügen im Tabelleneditor: öffnen Sie die Registerkarte Einfügen oder Layout, klicken Sie die Schaltfläche Kopf- und Fußzeile an, im geöffneten Fenster Kopf- und Fußzeileneinstellungen konfigurieren Sie die folgenden Einstellungen: markieren Sie das Kästchen Erste Seite anders, um eine andere Kopf- oder Fußzeile auf der ersten Seite einzufügen, oder ganz keine Kopf- oder Fußzeile da zu haben. Die Registerkarte Erste Seite ist unten angezeigt. markieren Sie das Kästchen Gerade und ungerade Seiten anders, um verschiedene Kopf- und Fußzeilen auf den geraden und ungeraden Seiten einzufügen. Die Registerkarten Gerade Seite und Ungerade Seite sind unten angezeigt. die Option Mit Dokument skalieren skaliert die Kopf- und Fußzeilen mit dem Dokument zusammen. Diese Option wird standardmäßig aktiviert. die Option An Seitenrändern ausrichten richtet die linke/rechte Kopf- und Fußzeile mit dem linken/rechten Seitenrand aus. Diese Option wird standardmäßig aktiviert. fügen Sie die gewünschten Daten ein. Abhängig von den ausgewählten Optionen können Sie die Einstellungen für Alle Seiten konfigurieren oder die Kopf-/Fußzeile für die erste Seite sowie für ungerade und gerade Seiten konfigurieren. Öffnen Sie die erforderliche Registerkarte und konfigurieren Sie die verfügbaren Parameter. Sie können eine der vorgefertigten Voreinstellungen verwenden oder die erforderlichen Daten manuell in das linke, mittlere und rechte Kopf-/Fußzeilenfeld einfügen: wählen Sie eine der Voreinstellungen aus: Seite 1; Seite 1 von ?; Sheet1; Vertraulich, DD/MM/JJJJ, Seite 1; Spreadsheet name.xlsx; Sheet1, Seite 1; Sheet1, Vertraulich, Seite 1; Spreadsheet name.xlsx, Seite 1; Seite 1, Sheet1; Seite 1, Spreadsheet name.xlsx; Author, Seite 1, DD/MM/JJJJ; Vorbereitet von, DD/MM/JJJJ, Seite 1. Die entsprechende Variables werden eingefügt. stellen Sie den Kursor im linken, mittleren oder rechten Feld der Kopf- oder Fußzeile und verwenden Sie das Menü Einfügen, um die Variables Seitenzahl, Anzahl der Seiten, Datum, Uhrzeit, Dateiname, Blattname einzufügen. formatieren Sie den in der Kopf- oder Fußzeile eingefügten Text mithilfe der entsprechenden Steuerelementen. Ändern Sie die standardmäßige Schriftart, Größe, Farbe, Stil (fett, kursiv, unterstrichen, durchgestrichen, tifgestellt, hochgestellt). klicken Sie OK an, um die Änderungen anzunehmen. Um die eingefügten Kopf- und Fußzeilen zu bearbeiten, klicken Sie Kopf- und Fußzeile bearbeiten an, ändern Sie die Einstellungen im Fenster Kopf- und Fußzeileneinstellungen und klicken Sie OK an, um die Änderungen anzunehmen. Kopf- und Fußzeilen sind nur auf dem ausgegebenen Blatt angezeigt." + "body": "Die Kopf- und Fußzeilen fügen weitere Information auf den ausgegebenen Blättern ein, z.B. Datum und Uhrzeit, Seitennummer, Blattname usw. Kopf- und Fußzeilen sind nur auf dem ausgegebenen Blatt angezeigt. Um eine Kopf- und Fußzeile einzufügen in der Tabellenkalkulation: öffnen Sie die Registerkarte Einfügen oder Layout, klicken Sie die Schaltfläche Kopf- und Fußzeile an, im geöffneten Fenster Kopf- und Fußzeileneinstellungen konfigurieren Sie die folgenden Einstellungen: markieren Sie das Kästchen Erste Seite anders, um eine andere Kopf- oder Fußzeile auf der ersten Seite einzufügen, oder ganz keine Kopf- oder Fußzeile da zu haben. Die Registerkarte Erste Seite ist unten angezeigt. markieren Sie das Kästchen Gerade und ungerade Seiten anders, um verschiedene Kopf- und Fußzeilen auf den geraden und ungeraden Seiten einzufügen. Die Registerkarten Gerade Seite und Ungerade Seite sind unten angezeigt. die Option Mit Dokument skalieren skaliert die Kopf- und Fußzeilen mit dem Dokument zusammen. Diese Option wird standardmäßig aktiviert. die Option An Seitenrändern ausrichten richtet die linke/rechte Kopf- und Fußzeile mit dem linken/rechten Seitenrand aus. Diese Option wird standardmäßig aktiviert. fügen Sie die gewünschten Daten ein. Abhängig von den ausgewählten Optionen können Sie die Einstellungen für Alle Seiten konfigurieren oder die Kopf-/Fußzeile für die erste Seite sowie für ungerade und gerade Seiten konfigurieren. Öffnen Sie die erforderliche Registerkarte und konfigurieren Sie die verfügbaren Parameter. Sie können eine der vorgefertigten Voreinstellungen verwenden oder die erforderlichen Daten manuell in das linke, mittlere und rechte Kopf-/Fußzeilenfeld einfügen: wählen Sie eine der Voreinstellungen aus: Seite 1; Seite 1 von ?; Sheet1; Vertraulich, DD/MM/JJJJ, Seite 1; Spreadsheet name.xlsx; Sheet1, Seite 1; Sheet1, Vertraulich, Seite 1; Spreadsheet name.xlsx, Seite 1; Seite 1, Sheet1; Seite 1, Spreadsheet name.xlsx; Author, Seite 1, DD/MM/JJJJ; Vorbereitet von, DD/MM/JJJJ, Seite 1. Die entsprechende Variables werden eingefügt. stellen Sie den Kursor im linken, mittleren oder rechten Feld der Kopf- oder Fußzeile und verwenden Sie das Menü Einfügen, um die Variables Seitenzahl, Anzahl der Seiten, Datum, Uhrzeit, Dateiname, Blattname einzufügen. formatieren Sie den in der Kopf- oder Fußzeile eingefügten Text mithilfe der entsprechenden Steuerelementen. Ändern Sie die standardmäßige Schriftart, Größe, Farbe, Stil (fett, kursiv, unterstrichen, durchgestrichen, tifgestellt, hochgestellt). klicken Sie OK an, um die Änderungen anzunehmen. Um die eingefügten Kopf- und Fußzeilen zu bearbeiten, klicken Sie Kopf- und Fußzeile bearbeiten an, ändern Sie die Einstellungen im Fenster Kopf- und Fußzeileneinstellungen und klicken Sie OK an, um die Änderungen anzunehmen. Kopf- und Fußzeilen sind nur auf dem ausgegebenen Blatt angezeigt." }, { "id": "UsageInstructions/InsertImages.htm", @@ -2543,17 +2548,17 @@ var indexes = { "id": "UsageInstructions/InsertSymbols.htm", "title": "Symbole und Sonderzeichen einfügen", - "body": "Während des Arbeitsprozesses im Tabelleneditor wollen Sie ein Symbol einfügen, das sich nicht auf der Tastatur befindet. Um solche Symbole einzufügen, verwenden Sie die Option Symbol einfügen: positionieren Sie den Textcursor an der Stelle für das Sonderzeichen, öffnen Sie die Registerkarte Einfügen, klicken Sie Symbol an, Das Dialogfeld Symbol wird angezeigt, in dem Sie das gewünschte Symbol auswählen können, öffnen Sie das Dropdown-Menü Bereich, um ein Symbol schnell zu finden. Alle Symbole sind in Gruppen unterteilt, wie z.B. “Währungssymbole” für Währungszeichen. Falls Sie das gewünschte Symbol nicht finden können, wählen Sie eine andere Schriftart aus. Viele von ihnen haben auch die Sonderzeichen, die es nicht in dem Standartsatz gibt. Sie können auch das Unicode HEX Wert-Feld verwenden, um den Code einzugeben. Die Codes können Sie in der Zeichentabelle finden. Verwenden Sie auch die Registerkarte Sonderzeichen, um ein Sonderzeichen auszuwählen. Die Symbole, die zuletzt verwendet wurden, befinden sich im Feld Kürzlich verwendete Symbole, klicken Sie Einfügen an. Das ausgewählte Symbol wird eingefügt. ASCII-Symbole einfügen Man kann auch die ASCII-Tabelle verwenden, um die Zeichen und Symbole einzufügen. Drücken und halten Sie die ALT-Taste und verwenden Sie den Ziffernblock, um einen Zeichencode einzugeben. Hinweis: Verwenden Sie nur den Ziffernblock. Um den Ziffernblock zu aktivieren, drücken Sie die NumLock-Taste. Z.B., um das Paragraphenzeichen (§) einzufügen, drücken und halten Sie die ALT-Taste und geben Sie 789 ein, dann lassen Sie die ALT-Taste los. Symbole per Unicode-Tabelle einfügen Sonstige Symbole und Zeichen befinden sich auch in der Windows-Symboltabelle. Um diese Tabelle zu öffnen: geben Sie “Zeichentabelle” in dem Suchfeld ein, drücken Sie die Windows-Taste+R und geben Sie charmap.exe im Suchfeld ein, dann klicken Sie OK. Im geöffneten Fenster Zeichentabelle wählen Sie die Zeichensätze, Gruppen und Schriftarten aus. Klicken Sie die gewünschte Zeichen an, dann kopieren und fügen an der gewünschten Stelle ein." + "body": "Während des Arbeitsprozesses in der Tabellenkalkulation wollen Sie ein Symbol einfügen, das sich nicht auf der Tastatur befindet. Um solche Symbole einzufügen, verwenden Sie die Option Symbol einfügen: positionieren Sie den Textcursor an der Stelle für das Sonderzeichen, öffnen Sie die Registerkarte Einfügen, klicken Sie Symbol an, Das Dialogfeld Symbol wird angezeigt, in dem Sie das gewünschte Symbol auswählen können, öffnen Sie das Dropdown-Menü Bereich, um ein Symbol schnell zu finden. Alle Symbole sind in Gruppen unterteilt, wie z.B. “Währungssymbole” für Währungszeichen. Falls Sie das gewünschte Symbol nicht finden können, wählen Sie eine andere Schriftart aus. Viele von ihnen haben auch die Sonderzeichen, die es nicht in dem Standartsatz gibt. Sie können auch das Unicode HEX Wert-Feld verwenden, um den Code einzugeben. Die Codes können Sie in der Zeichentabelle finden. Verwenden Sie auch die Registerkarte Sonderzeichen, um ein Sonderzeichen auszuwählen. Die Symbole, die zuletzt verwendet wurden, befinden sich im Feld Kürzlich verwendete Symbole, klicken Sie Einfügen an. Das ausgewählte Symbol wird eingefügt. ASCII-Symbole einfügen Man kann auch die ASCII-Tabelle verwenden, um die Zeichen und Symbole einzufügen. Drücken und halten Sie die ALT-Taste und verwenden Sie den Ziffernblock, um einen Zeichencode einzugeben. Verwenden Sie nur den Ziffernblock. Um den Ziffernblock zu aktivieren, drücken Sie die NumLock-Taste. Z.B., um das Paragraphenzeichen (§) einzufügen, drücken und halten Sie die ALT-Taste und geben Sie 789 ein, dann lassen Sie die ALT-Taste los. Symbole per Unicode-Tabelle einfügen Sonstige Symbole und Zeichen befinden sich auch in der Windows-Symboltabelle. Um diese Tabelle zu öffnen: geben Sie “Zeichentabelle” in dem Suchfeld ein, drücken Sie die Windows-Taste+R und geben Sie charmap.exe im Suchfeld ein, dann klicken Sie OK. Im geöffneten Fenster Zeichentabelle wählen Sie die Zeichensätze, Gruppen und Schriftarten aus. Klicken Sie die gewünschte Zeichen an, dann kopieren und fügen an der gewünschten Stelle ein." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Textobjekte einfügen", - "body": "Um einen bestimmten Teil des Datenblatts hervorzuheben, können Sie im Tabelleneditor ein Textfeld (rechteckigen Rahmen, in den ein Text eingegeben werden kann) oder ein TextArtfeld (Textfeld mit einer vordefinierten Schriftart und Farbe, das die Anwendung von Texteffekten ermöglicht) in das Tabellenblatt einfügen. Textobjekt einfügen Sie können überall im Tabellenblatt ein Textobjekt einfügen. Textobjekt einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Wählen Sie das gewünschten Textobjekt aus: Um ein Textfeld hinzuzufügen, klicken Sie in der oberen Symbolleiste auf das Symbol Textfeld und dann auf die Stelle, an der Sie das Textfeld einfügen möchten. Halten Sie die Maustaste gedrückt, und ziehen Sie den Rahmen des Textfelds in die gewünschte Größe. Wenn Sie die Maustaste loslassen, erscheint die Einfügemarke im hinzugefügten Textfeld und Sie können Ihren Text eingeben. Alternativ können Sie ein Textfeld einfügen, indem Sie in der oberen Symbolleiste auf Form klicken und das Symbol aus der Gruppe Standardformen auswählen. Um ein TextArt-Objekt einzufügen, klicken Sie auf das Symbol TextArt in der oberen Symbolleiste und klicken Sie dann auf die gewünschte Stilvorlage - das TextArt-Objekt wird in der Mitte des Tabellenblatts eingefügt. Markieren Sie den Standardtext innerhalb des Textfelds mit der Maus und ersetzen Sie diesen durch Ihren eigenen Text. klicken Sie in einen Bereich außerhalb des Textobjekts, um die Änderungen anzuwenden und zum Arbeitsblatt zurückzukehren. Der Text innerhalb des Textfelds ist Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text mit ihr verschoben oder gedreht). Da ein eingefügtes Textobjekt einen rechteckigen Rahmen mit Text darstellt (TextArt-Objekte haben standardmäßig unsichtbare Rahmen) und dieser Rahmen eine allgemeine AutoForm ist, können Sie sowohl die Form als auch die Texteigenschaften ändern. Um das hinzugefügte Textobjekt zu löschen, klicken Sie auf den Rand des Textfelds und drücken Sie die Taste ENTF auf der Tastatur. Dadurch wird auch der Text im Textfeld gelöscht. Textfeld formatieren Wählen Sie das entsprechende Textfeld durch Anklicken der Rahmenlinien aus, um die Eigenschaften zu verändern. Wenn das Textfeld markiert ist, werden alle Rahmenlinien als durchgezogene Linien (nicht gestrichelt) angezeigt. Sie können das Textfeld mithilfe der speziellen Ziehpunkte an den Ecken der Form manuell verschieben, drehen und die Größe ändern. Um das Textfeld zu bearbeiten mit einer Füllung zu versehen, Rahmenlinien zu ändern, das rechteckige Feld mit einer anderen Form zu ersetzen oder auf Formen - erweiterte Einstellungen zuzugreifen, klicken Sie in der rechten Seitenleiste auf Formeinstellungen und nutzen Sie die entsprechenden Optionen. Um Textfelder in Bezug auf andere Objekte anzuordnen, mehrere Textfelder in Bezug zueinander auszurichten, ein Textfeld zu drehen oder zu kippen, klicken Sie mit der rechten Maustaste auf den Feldrand und nutzen Sie die entsprechende Option im geöffneten Kontextmenü. Weitere Informationen zum Ausrichten und Anordnen von Objekten finden Sie auf dieser Seite. Um Textspalten in einem Textfeld zu erzeugen, klicken Sie mit der rechten Maustaste auf den Feldrand, klicken Sie auf die Option Form - Erweiterte Einstellungen und wechseln Sie im Fenster Form - Erweiterte Einstellungen in die Registerkarte Spalten. Text im Textfeld formatieren Markieren Sie den Text im Textfeld, um die Eigenschaften zu verändern. Wenn der Text markiert ist, werden alle Rahmenlinien als gestrichelte Linien angezeigt. Es ist auch möglich die Textformatierung zu ändern, wenn das Textfeld (nicht der Text selbst) ausgewählt ist. In einem solchen Fall werden alle Änderungen auf den gesamten Text im Textfeld angewandt. Einige Schriftformatierungsoptionen (Schriftart, -größe, -farbe und -stile) können separat auf einen zuvor ausgewählten Teil des Textes angewendet werden. Passen Sie die Einstellungen für die Formatierung an (ändern Sie Schriftart, Größe, Farbe und DekoStile). Nutzen Sie dazu die entsprechenden Symbole auf der Registerkarte Start in der oberen Symbolleiste. Unter der Registerkarte Schriftart im Fenster Absatzeigenschaften können auch einige zusätzliche Schriftarteinstellungen geändert werden. Klicken Sie für die Anzeige der Optionen mit der rechten Maustaste auf den Text im Textfeld und wählen Sie die Option Erweiterte Paragraf-Einstellungen. Sie können den Text in der Textbox horizontal ausrichten. Nutzen Sie dazu die entsprechenden Symbole in der oberen Symbolleiste unter der Registerkarte Start. Sie können den Text in der Textbox vertikal ausrichten. Nutzen Sie dazu die entsprechenden Symbole in der oberen Symbolleiste unter der Registerkarte Start. Um den Text innerhalb des Textfeldes vertikal auszurichten, klicken Sie mit der rechten Maus auf den Text, wählen Sie die Option vertikale Textausrichtung und klicken Sie dann auf eine der verfügbaren Optionen: Oben ausrichten, Zentrieren oder Unten ausrichten. Text in der Textbox drehen. Klicken Sie dazu mit der rechten Maustaste auf den Text, wählen Sie die Option Textrichtung und anschließend eine der verfügbaren Optionen: Horizontal (Standardeinstellung), Text um 180° drehen (vertikale Ausrichtung von oben nach unten) oder Text um 270° drehen (vertikale Ausrichtung von unten nach oben). Aufzählungszeichen und nummerierte Listen erstellen: Klicken Sie dazu mit der rechten Maustaste auf den Text, wählen Sie im Kontextmenü die Option Aufzählungszeichen und Listen und wählen Sie dann das gewünschte Aufzählungszeichen oder den Listenstil aus. Hyperlink einfügen. Richten Sie den Zeilen- und Absatzabstand für den mehrzeiligen Text innerhalb des Textfelds ein. Nutzen Sie dazu die Registerkarte Paragraf-Einstellungen in der rechten Seitenleiste. Diese öffnet sich, wenn Sie auf das Symbol Paragraf-Einstellungen klicken. Hier können Sie die Zeilenhöhe für die Textzeilen innerhalb des Absatzes sowie die Ränder zwischen dem aktuellen und dem vorhergehenden oder dem folgenden Absatz festlegen. Zeilenabstand - Zeilenhöhe für die Textzeilen im Absatz festlegen. Sie können unter zwei Optionen wählen: mehrfach (mithilfe dieser Option wird ein Zeilenabstand festgelegt, der ausgehend vom einfachen Zeilenabstand vergrößert wird (Größer als 1)), genau (mithilfe dieser Option wird ein fester Zeilenabstand festgelegt). Sie können den gewünschten Wert im Feld rechts angeben. Absatzabstand - Auswählen wie groß die Absätze sind, die zwischen Textzeilen und Abständen angezeigt werden. Vor - Abstand vor dem Absatz festlegen. Nach - Abstand nach dem Absatz festlegen. Erweiterte Absatzeinstellungen ändern: Sie können für den mehrzeiligen Text innerhalb des Textfelds Absatzeinzüge und Tabulatoren ändern und bestimmte Einstellungen für die Formatierung der Schriftart anwenden). Positionieren Sie den Mauszeiger im gewünschten Absatz - die Registerkarte Texteinstellungen wird in der rechten Seitenleiste aktiviert. Klicken Sie auf den Link Erweiterte Einstellungen anzeigen. Das Fenster mit den Absatzeigenschaften wird geöffnet: In der Registerkarte Einzüge & Position können Sie den Abstand der ersten Zeile vom linken inneren Rand des Textbereiches sowie den Abstand des Absatzes vom linken und rechten inneren Rand des Textbereiches ändern. Die Registerkarte Schriftart enthält folgende Parameter: Durchgestrichen - durchstreichen einer Textstelle mithilfe einer Linie. Doppelt durchgestrichen - durchstreichen einer Textstelle mithilfe einer doppelten Linie. Hochgestellt - Textstellen verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Textstellen verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Kapitälchen - erzeugt Großbuchstaben in Höhe von Kleinbuchstaben. Großbuchstaben - alle Buchstaben als Großbuchstaben schreiben. Zeichenabstand - Abstand zwischen den einzelnen Zeichen festlegen. Erhöhen Sie den Standardwert für den Abstand Erweitert oder verringern Sie den Standardwert für den Abstand Verkürzt. Nutzen Sie die Pfeiltasten oder geben Sie den erforderlichen Wert in das dafür vorgesehene Feld ein.Alle Änderungen werden im Feld Vorschau unten angezeigt. Die Registerkarte Tabulator ermöglicht die Änderung der Tabstopps zu ändern, d.h. die Position des Mauszeigers rückt vor, wenn Sie die Tabulatortaste auf der Tastatur drücken. Tabulatorposition - Festlegen von benutzerdefinierten Tabstopps. Geben Sie den erforderlichen Wert in dieses Feld ein. Passen Sie diesen mit den Pfeiltasten genauer an und klicken Sie dann auf die Schaltfläche Festlegen. Ihre benutzerdefinierte Tabulatorposition wird der Liste im unteren Feld hinzugefügt. Die Standardeinstellung für Tabulatoren ist auf 1,25 cm festgelegt. Sie können den Wert verkleinern oder vergrößern, nutzen Sie dafür die Pfeiltasten oder geben Sie den gewünschten Wert in das dafür vorgesehene Feld ein. Ausrichtung - legt den gewünschten Ausrichtungstyp für jede der Tabulatorpositionen in der obigen Liste fest. Wählen Sie die gewünschte Tabulatorposition in der Liste aus und wählen Sie das Optionsfeld Linksbündig, Zentriert oder Rechtsbündig und klicken Sie auf Festlegen. Linksbündig - der Text wird ab der Position des Tabstopps linksbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach rechts. Zentriert - der Text wird an der Tabstoppposition zentriert. Rechtsbündig - der Text wird ab der Position des Tabstopps rechtsbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach links. Um Tabstopps aus der Liste zu löschen, wählen Sie einen Tabstopp und klicken Sie auf Entfernen oder Alle entfernen. Makro einem Textfeld zuweisen Sie können innerhalb einer Tabelle einen schnellen und einfachen Zugriff auf ein Makro bereitstellen, indem Sie einem beliebigen Textfeld ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Textfeld als Schaltflächen-Steuerelement angezeigt und Sie können das Makro ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf das Textfeld, dem Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK. TextArt-Stil bearbeiten Wählen Sie ein Textobjekt aus und klicken Sie in der rechten Seitenleiste auf das Symbol TextArt-Einstellungen . Ändern Sie den angewandten Textstil, indem Sie eine neue Vorlage aus der Galerie auswählen. Sie können den Grundstil außerdem ändern, indem Sie eine andere Schriftart, -größe usw. auswählen. Füllung und Umrandung der Schriftart ändern. Die verfügbaren Optionen sind die gleichen wie für AutoFormen. Wenden Sie einen Texteffekt an, indem Sie aus der Galerie mit den verfügbaren Vorlagen die gewünschte Formatierung auswählen. Sie können den Grad der Textverzerrung anpassen, indem Sie den rosafarbenen, rautenförmigen Ziehpunkt in die gewünschte Position ziehen." + "body": "Um einen bestimmten Teil des Datenblatts hervorzuheben, können Sie im Tabelleneditor ein Textfeld (rechteckigen Rahmen, in den ein Text eingegeben werden kann) oder ein TextArtfeld (Textfeld mit einer vordefinierten Schriftart und Farbe, das die Anwendung von Texteffekten ermöglicht) in das Tabellenblatt einfügen. Textobjekt einfügen Sie können überall im Tabellenblatt ein Textobjekt einfügen. Textobjekt einfügen: Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Einfügen. Wählen Sie das gewünschten Textobjekt aus: Um ein Textfeld hinzuzufügen, klicken Sie in der oberen Symbolleiste auf das Symbol Textfeld und dann auf die Stelle, an der Sie das Textfeld einfügen möchten. Halten Sie die Maustaste gedrückt, und ziehen Sie den Rahmen des Textfelds in die gewünschte Größe. Wenn Sie die Maustaste loslassen, erscheint die Einfügemarke im hinzugefügten Textfeld und Sie können Ihren Text eingeben. Alternativ können Sie ein Textfeld einfügen, indem Sie in der oberen Symbolleiste auf Form klicken und das Symbol aus der Gruppe Standardformen auswählen. Um ein TextArt-Objekt einzufügen, klicken Sie auf das Symbol TextArt in der oberen Symbolleiste und klicken Sie dann auf die gewünschte Stilvorlage - das TextArt-Objekt wird in der Mitte des Tabellenblatts eingefügt. Markieren Sie den Standardtext innerhalb des Textfelds mit der Maus und ersetzen Sie diesen durch Ihren eigenen Text. Klicken Sie in einen Bereich außerhalb des Textobjekts, um die Änderungen anzuwenden und zum Arbeitsblatt zurückzukehren. Der Text innerhalb des Textfelds ist Bestandteil der AutoForm (wenn Sie die AutoForm verschieben oder drehen, wird der Text mit ihr verschoben oder gedreht). Da ein eingefügtes Textobjekt einen rechteckigen Rahmen mit Text darstellt (TextArt-Objekte haben standardmäßig unsichtbare Rahmen) und dieser Rahmen eine allgemeine AutoForm ist, können Sie sowohl die Form als auch die Texteigenschaften ändern. Um das hinzugefügte Textobjekt zu löschen, klicken Sie auf den Rand des Textfelds und drücken Sie die Taste ENTF auf der Tastatur. Dadurch wird auch der Text im Textfeld gelöscht. Textfeld formatieren Wählen Sie das entsprechende Textfeld durch Anklicken der Rahmenlinien aus, um die Eigenschaften zu verändern. Wenn das Textfeld markiert ist, werden alle Rahmenlinien als durchgezogene Linien (nicht gestrichelt) angezeigt. Sie können das Textfeld mithilfe der speziellen Ziehpunkte an den Ecken der Form manuell verschieben, drehen und die Größe ändern. Um das Textfeld zu bearbeiten, mit einer Füllung zu versehen, Rahmenlinien zu ändern, das rechteckige Feld mit einer anderen Form zu ersetzen oder auf Formen - erweiterte Einstellungen zuzugreifen, klicken Sie in der rechten Seitenleiste auf Formeinstellungen und nutzen Sie die entsprechenden Optionen. Um Textfelder in Bezug auf andere Objekte anzuordnen, mehrere Textfelder in Bezug zueinander auszurichten, ein Textfeld zu drehen oder zu kippen, klicken Sie mit der rechten Maustaste auf den Feldrand und nutzen Sie die entsprechende Option im geöffneten Kontextmenü. Weitere Informationen zum Ausrichten und Anordnen von Objekten finden Sie auf dieser Seite. Um Textspalten in einem Textfeld zu erzeugen, klicken Sie mit der rechten Maustaste auf den Feldrand, klicken Sie auf die Option Form - Erweiterte Einstellungen und wechseln Sie im Fenster Form - Erweiterte Einstellungen in die Registerkarte Spalten. Text im Textfeld formatieren Markieren Sie den Text im Textfeld, um die Eigenschaften zu verändern. Wenn der Text markiert ist, werden alle Rahmenlinien als gestrichelte Linien angezeigt. Es ist auch möglich die Textformatierung zu ändern, wenn das Textfeld (nicht der Text selbst) ausgewählt ist. In einem solchen Fall werden alle Änderungen auf den gesamten Text im Textfeld angewandt. Einige Schriftformatierungsoptionen (Schriftart, -größe, -farbe und -stile) können separat auf einen zuvor ausgewählten Teil des Textes angewendet werden. Passen Sie die Einstellungen für die Formatierung an (ändern Sie Schriftart, Größe, Farbe und DekoStile). Nutzen Sie dazu die entsprechenden Symbole auf der Registerkarte Startseite in der oberen Symbolleiste. Unter der Registerkarte Schriftart im Fenster Absatzeigenschaften können auch einige zusätzliche Schriftarteinstellungen geändert werden. Klicken Sie für die Anzeige der Optionen mit der rechten Maustaste auf den Text im Textfeld und wählen Sie die Option Erweiterte Paragraf-Einstellungen. Sie können den Text in der Textbox horizontal ausrichten. Nutzen Sie dazu die entsprechenden Symbole in der oberen Symbolleiste unter der Registerkarte Startseite. Sie können den Text in der Textbox vertikal ausrichten. Nutzen Sie dazu die entsprechenden Symbole in der oberen Symbolleiste unter der Registerkarte Startseite. Um den Text innerhalb des Textfeldes vertikal auszurichten, klicken Sie mit der rechten Maus auf den Text, wählen Sie die Option vertikale Textausrichtung und klicken Sie dann auf eine der verfügbaren Optionen: Oben ausrichten, Zentrieren oder Unten ausrichten. Text in der Textbox drehen. Klicken Sie dazu mit der rechten Maustaste auf den Text, wählen Sie die Option Textrichtung und anschließend eine der verfügbaren Optionen: Horizontal (Standardeinstellung), Text um 180° drehen (vertikale Ausrichtung von oben nach unten) oder Text um 270° drehen (vertikale Ausrichtung von unten nach oben). Erstellen Sie eine Liste mit Aufzählungszeichen oder Nummerierung. Klicken Sie dazu mit der rechten Maustaste auf den Text, wählen Sie im Kontextmenü die Option Nummerierung und Aufzählungszeichen und wählen Sie dann einen der verfügbaren Aufzählungszeichen oder Nummerierungsstile aus. Die Option Listeneinstellungen ermöglicht es Ihnen, das Fenster Listeneinstellungen zu öffnen, in dem Sie die Einstellungen für einen entsprechenden Listentyp anpassen können: Typ (Aufzählung) – ermöglicht Ihnen die Auswahl des erforderlichen Zeichens für die Aufzählung. Wenn Sie auf die Option Neues Aufzählungszeichen klicken, öffnet sich das Fenster Symbol und Sie können eines der verfügbaren Zeichen auswählen. Weitere Informationen zum Arbeiten mit Symbolen finden Sie in diesem Artikel. Wenn Sie auf die Option Neues Bild klicken, erscheint ein neues Feld Importieren, in dem Sie neue Bilder für Aufzählungszeichen Aus der Datei, Aus dem URL oder Aus dem Speicher auswählen können. Typ (nummeriert) – ermöglicht Ihnen die Auswahl des erforderlichen Formats für die nummerierte Liste. Größe - ermöglicht es Ihnen, die erforderliche Aufzählungszeichen-/Zahlengröße abhängig von der aktuellen Textgröße auszuwählen. Der Wert kann zwischen 25% und 400% variieren. Farbe - ermöglicht es Ihnen, die erforderliche Aufzählungszeichen-/Zahlenfarbe auszuwählen. Sie können eine der Designfarben oder Standardfarben aus der Palette auswählen oder eine benutzerdefinierte Farbe angeben. Beginnen mit - ermöglicht es Ihnen, den erforderlichen numerischen Wert festzulegen, mit dem Sie die Nummerierung beginnen möchten. Hyperlink einfügen. Richten Sie den Zeilen- und Absatzabstand für den mehrzeiligen Text innerhalb des Textfelds ein. Nutzen Sie dazu die Registerkarte Paragraf-Einstellungen in der rechten Seitenleiste. Diese öffnet sich, wenn Sie auf das Symbol Paragraf-Einstellungen klicken. Hier können Sie die Zeilenhöhe für die Textzeilen innerhalb des Absatzes sowie die Ränder zwischen dem aktuellen und dem vorhergehenden oder dem folgenden Absatz festlegen. Zeilenabstand - Zeilenhöhe für die Textzeilen im Absatz festlegen. Sie können unter zwei Optionen wählen: mehrfach (mithilfe dieser Option wird ein Zeilenabstand festgelegt, der ausgehend vom einfachen Zeilenabstand vergrößert wird (Größer als 1)), genau (mithilfe dieser Option wird ein fester Zeilenabstand festgelegt). Sie können den gewünschten Wert im Feld rechts angeben. Absatzabstand - Auswählen wie groß die Absätze sind, die zwischen Textzeilen und Abständen angezeigt werden. Vor - Abstand vor dem Absatz festlegen. Nach - Abstand nach dem Absatz festlegen. Die erweiterten Absatzeinstellungen anpassen Sie können für den mehrzeiligen Text innerhalb des Textfelds Absatzeinzüge und Tabulatoren ändern und bestimmte Einstellungen für die Formatierung der Schriftart anwenden. Positionieren Sie den Mauszeiger im gewünschten Absatz - die Registerkarte Texteinstellungen wird in der rechten Seitenleiste aktiviert. Klicken Sie auf den Link Erweiterte Einstellungen anzeigen. Das Fenster mit den Absatzeigenschaften wird geöffnet: Auf der Registerkarte Einzüge und Abstände können Sie: den Ausrichtungstyp für den Absatztext ändern, die Absatz-Einzüge in Bezug auf innere Ränder des Textfelds ändern, Links - stellen Sie den Abstand des Absatzes vom linken inneren Rand des Textfeldes ein, indem Sie den erforderlichen numerischen Wert angeben, Rechts - stellen Sie den Abstand des Absatzes vom rechten inneren Rand des Textfelds ein, indem Sie den erforderlichen numerischen Wert angeben, Speziell - setzen Sie einen Einzug für die erste Zeile des Absatzes: Wählen Sie den entsprechenden Menüpunkt ((Kein), Erste Zeile, Hängend) und ändern Sie den standardmäßigen numerischen Wert, der für Erste Zeile oder Hängend angegeben ist, Ändern Sie den Zeilenabstand des Absatzes. Die Registerkarte Schriftart enthält die folgenden Parameter: Durchgestrichen - durchstreichen einer Textstelle mithilfe einer Linie. Doppelt durchgestrichen - durchstreichen einer Textstelle mithilfe einer doppelten Linie. Hochgestellt - Textstellen verkleinern und hochstellen, wie beispielsweise in Brüchen. Tiefgestellt - Textstellen verkleinern und tiefstellen, wie beispielsweise in chemischen Formeln. Kapitälchen - erzeugt Großbuchstaben in Höhe von Kleinbuchstaben. Großbuchstaben - alle Buchstaben als Großbuchstaben schreiben. Zeichenabstand - Abstand zwischen den einzelnen Zeichen festlegen. Erhöhen Sie den Standardwert für den Abstand Erweitert oder verringern Sie den Standardwert für den Abstand Verkürzt. Nutzen Sie die Pfeiltasten oder geben Sie den erforderlichen Wert in das dafür vorgesehene Feld ein. Alle Änderungen werden im Feld Vorschau unten angezeigt. Die Registerkarte Tabulator ermöglicht die Änderung der Tabstopps zu ändern, d.h. die Position des Mauszeigers rückt vor, wenn Sie die Tabulatortaste auf der Tastatur drücken. Tabulatorposition - Festlegen von benutzerdefinierten Tabstopps. Geben Sie den erforderlichen Wert in dieses Feld ein. Passen Sie diesen mit den Pfeiltasten genauer an und klicken Sie dann auf die Schaltfläche Festlegen. Ihre benutzerdefinierte Tabulatorposition wird der Liste im unteren Feld hinzugefügt. Die Standardeinstellung für Tabulatoren ist auf 1,25 cm festgelegt. Sie können den Wert verkleinern oder vergrößern, nutzen Sie dafür die Pfeiltasten oder geben Sie den gewünschten Wert in das dafür vorgesehene Feld ein. Ausrichtung - legt den gewünschten Ausrichtungstyp für jede der Tabulatorpositionen in der obigen Liste fest. Wählen Sie die gewünschte Tabulatorposition in der Liste aus und wählen Sie das Optionsfeld Linksbündig, Zentriert oder Rechtsbündig und klicken Sie auf Festlegen. Linksbündig - der Text wird ab der Position des Tabstopps linksbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach rechts. Zentriert - der Text wird an der Tabstoppposition zentriert. Rechtsbündig - der Text wird ab der Position des Tabstopps rechtsbündig ausgerichtet; d.h. der Text verschiebt sich bei der Eingabe nach links. Um Tabstopps aus der Liste zu löschen, wählen Sie einen Tabstopp und klicken Sie auf Entfernen oder Alle entfernen. Makro einem Textfeld zuweisen Sie können innerhalb einer Tabelle einen schnellen und einfachen Zugriff auf ein Makro bereitstellen, indem Sie einem beliebigen Textfeld ein Makro zuweisen. Nachdem Sie ein Makro zugewiesen haben, wird das Textfeld als Schaltflächen-Steuerelement angezeigt und Sie können das Makro ausführen, wenn Sie darauf klicken. Um ein Makro zuzuweisen: Klicken Sie mit der rechten Maustaste auf das Textfeld, dem Sie ein Makro zuweisen möchten, und wählen Sie die Option Makro zuweisen aus dem Drop-Down-Menü. Das Dialogfenster Makro zuweisen wird geöffnet Wählen Sie ein Makro aus der Liste aus oder geben Sie den Makronamen ein und klicken Sie zur Bestätigung auf OK. TextArt-Stil bearbeiten Wählen Sie ein Textobjekt aus und klicken Sie in der rechten Seitenleiste auf das Symbol TextArt-Einstellungen . Ändern Sie den angewandten Textstil, indem Sie eine neue Vorlage aus der Galerie auswählen. Sie können den Grundstil außerdem ändern, indem Sie eine andere Schriftart, -größe usw. auswählen. Füllung und Umrandung der Schriftart ändern. Die verfügbaren Optionen sind die gleichen wie für AutoFormen. Wenden Sie einen Texteffekt an, indem Sie aus der Galerie mit den verfügbaren Vorlagen die gewünschte Formatierung auswählen. Sie können den Grad der Textverzerrung anpassen, indem Sie den rosafarbenen, rautenförmigen Ziehpunkt in die gewünschte Position ziehen." }, { "id": "UsageInstructions/ManageSheets.htm", "title": "Tabellenblätter verwalten", - "body": "Standardmäßig hat eine erstellte Tabelle drei Blätter. Am einfachsten lassen sich neue Blätter im Tabelleneditor hinzufügen, indem Sie auf Symbol rechts neben den Schaltflächen Blattnavigation in der linken unteren Ecke klicken. Alternativ können Sie ein neues Blatt hinzufügen wie folgt: Klicken Sie mit der rechten Maustaste auf das Tabellenblatt, nach dem Sie ein neues einfügen möchten. Wählen Sie die Option Einfügen im Rechtsklickmenü. Ein neues Blatt wird nach dem gewählten Blatt eingefügt. Um das gewünschte Blatt zu aktivieren, nutzen Sie die Blattregisterkarten in der linken unteren Ecke jeder Tabelle. Hinweis: Wenn Sie mehrere Blätter haben, können Sie über die Schaltflächen für die Blattnavigation in der linken unteren Ecke navigieren, um das benötigte Blatt zu finden. Ein überflüssiges Blatt löschen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie entfernen möchten. Wählen Sie die Option Löschen im Rechtsklickmenü. Das gewählte Blatt wird aus der aktuellen Tabelle entfernt. Ein vorhandenes Blatt umbenennen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie umbenennen möchten. Wählen Sie die Option Umbenennen im Rechtsklickmenü. Geben Sie den Blatttitel in das Dialogfeld ein und klicken Sie auf OK. Der Titel des gewählten Blatts wird geändert. Ein vorhandenes Blatt kopieren: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie kopieren möchten. Wählen Sie die Option Kopieren im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das kopierte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende kopieren, um das kopierte Blatt nach allen vorhandenen Blättern einzufügen. klicken Sie auf die Schaltfläche OK, um Ihre Auswahl zu bestätigen. oder halten Sie die STRG-Taste gedrückt und ziehen Sie den Tabellenreiter nach rechts, um ihn zu duplizieren und die Kopie an die gewünschte Stelle zu verschieben. Das gewählte Blatt wird kopiert und an der gewählten Stelle untergebracht. Ein vorhandene Blatt verschieben: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie verschieben möchten. Wählen Sie die Option Verschieben im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das gewählte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende verschieben, um das gewählte Blatt nach allen vorhandenen Blättern einzufügen. Klicken Sie auf OK. Sie können das erforderliche Blatt auch mit dem Mauszeiger ziehen und an der gewünschten Position loslassen. Das gewählte Blatt wird verschoben. Sie können ein Blatt auch manuell von einem Buch in ein anderes Buch per Drag & Drop ziehen. Wählen Sie dazu das Blatt aus, das Sie verschieben möchten, und ziehen Sie es auf die Seitenleiste eines anderen Buchs. Sie können beispielsweise ein Blatt aus dem Online-Editor-Buch auf das Desktop-Buch ziehen: In diesem Fall wird das Blatt aus der ursprünglichen Kalkulationstabelle gelöscht. Wenn Sie mit mehreren Blättern arbeiten, können Sie die Blätter, die aktuell nicht benötigt werden, ausblenden, um die Arbeit übersichtlicher zu gestalten. Blätter ausblenden: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie ausblenden möchten. Wählen Sie die Option Ausblenden im Rechtsklickmenü. Um die ausgeblendete Blattregisterkarte einzublenden, klicken Sie mit der rechten Maustaste auf eine beliebige Registerkarte, öffnen Sie die Liste Ausgeblendet und wählen Sie die Blattregisterkarte aus, die Sie wieder einblenden möchten. Um die Blätter zu unterscheiden, können Sie den Blattregistern unterschiedliche Farben zuweisen. Gehen Sie dazu vor wie folgt: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie farblich absetzen möchten. Wählen Sie die Option Registerfarbe im Rechtsklickmenü. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können auch anhand des RGB-Farbmodells eine Farbe bestimmen, geben Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) ein oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen. Die gewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt." + "body": "Standardmäßig hat eine erstellte Tabelle drei Blätter. Am einfachsten lassen sich neue Blätter im Tabelleneditor hinzufügen, indem Sie auf Symbol rechts neben den Schaltflächen Blattnavigation in der linken unteren Ecke klicken. Alternativ können Sie ein neues Blatt hinzufügen wie folgt: Klicken Sie mit der rechten Maustaste auf das Tabellenblatt, nach dem Sie ein neues einfügen möchten. Wählen Sie die Option Einfügen im Rechtsklickmenü. Ein neues Blatt wird nach dem gewählten Blatt eingefügt. Um das gewünschte Blatt zu aktivieren, nutzen Sie die Blattregisterkarten in der linken unteren Ecke jeder Tabelle. Wenn Sie mehrere Blätter haben, können Sie über die Schaltflächen für die Blattnavigation in der linken unteren Ecke navigieren, um das benötigte Blatt zu finden. Ein überflüssiges Blatt löschen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie entfernen möchten. Wählen Sie die Option Löschen im Rechtsklickmenü. Das gewählte Blatt wird aus der aktuellen Tabelle entfernt. Ein vorhandenes Blatt umbenennen: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie umbenennen möchten. Wählen Sie die Option Umbenennen im Rechtsklickmenü. Geben Sie den Blatttitel in das Dialogfeld ein und klicken Sie auf OK. Der Titel des gewählten Blatts wird geändert. Ein vorhandenes Blatt kopieren: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie kopieren möchten. Wählen Sie die Option Kopieren im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das kopierte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende kopieren, um das kopierte Blatt nach allen vorhandenen Blättern einzufügen. klicken Sie auf die Schaltfläche OK, um Ihre Auswahl zu bestätigen. oder halten Sie die STRG-Taste gedrückt und ziehen Sie den Tabellenreiter nach rechts, um ihn zu duplizieren und die Kopie an die gewünschte Stelle zu verschieben. Das gewählte Blatt wird kopiert und an der gewählten Stelle untergebracht. Ein vorhandene Blatt verschieben: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie verschieben möchten. Wählen Sie die Option Verschieben im Rechtsklickmenü. Wählen Sie das Blatt, vor dem Sie das gewählte Blatt einfügen möchten, oder nutzen Sie die Option Zum Ende verschieben, um das gewählte Blatt nach allen vorhandenen Blättern einzufügen. Klicken Sie auf OK. Sie können das erforderliche Blatt auch mit dem Mauszeiger ziehen und an der gewünschten Position loslassen. Das gewählte Blatt wird verschoben. Sie können ein Blatt auch manuell von einem Buch in ein anderes Buch per Drag & Drop ziehen. Wählen Sie dazu das Blatt aus, das Sie verschieben möchten, und ziehen Sie es auf die Seitenleiste eines anderen Buchs. Sie können beispielsweise ein Blatt aus dem Online-Editor-Buch auf das Desktop-Buch ziehen: In diesem Fall wird das Blatt aus der ursprünglichen Kalkulationstabelle gelöscht. Wenn Sie mit mehreren Blättern arbeiten, können Sie die Blätter, die aktuell nicht benötigt werden, ausblenden, um die Arbeit übersichtlicher zu gestalten. Blätter ausblenden: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie ausblenden möchten. Wählen Sie die Option Ausblenden im Rechtsklickmenü. Um die ausgeblendete Blattregisterkarte einzublenden, klicken Sie mit der rechten Maustaste auf eine beliebige Registerkarte, öffnen Sie die Liste Ausgeblendet und wählen Sie die Blattregisterkarte aus, die Sie wieder einblenden möchten. Um die Blätter zu unterscheiden, können Sie den Blattregistern unterschiedliche Farben zuweisen. Gehen Sie dazu vor wie folgt: Klicken Sie mit der rechten Maustaste auf die Registerkarte des Blattes, das Sie farblich absetzen möchten. Wählen Sie die Option Registerfarbe im Rechtsklickmenü. Wählen Sie eine beliebige Farbe auf den verfügbaren Paletten aus. Designfarben - die Farben, die dem gewählten Farbschema der Tabelle entsprechen. Standardfarben - die voreingestellten Standardfarben. Benutzerdefinierte Farbe - klicken Sie auf diese Option, wenn Ihre gewünschte Farbe nicht in der Palette mit verfügbaren Farben enthalten ist. Wählen Sie den gewünschten Farbbereich mit dem vertikalen Schieberegler aus und legen Sie dann die gewünschte Farbe fest, indem Sie den Farbwähler innerhalb des großen quadratischen Farbfelds an die gewünschte Position ziehen. Sobald Sie eine Farbe mit dem Farbwähler bestimmt haben, werden die entsprechenden RGB- und sRGB-Farbwerte in den Feldern auf der rechten Seite angezeigt. Sie können auch anhand des RGB-Farbmodells eine Farbe bestimmen, geben Sie die gewünschten nummerischen Werte in den Feldern R, G, B (Rot, Grün, Blau) ein oder den sRGB-Hexadezimalcode in das Feld mit dem #-Zeichen. Die gewählte Farbe wird im Vorschaufeld Neu angezeigt. Wenn das Objekt vorher mit einer benutzerdefinierten Farbe gefüllt war, wird diese Farbe im Feld Aktuell angezeigt, so dass Sie die Originalfarbe und die Zielfarbe vergleichen könnten. Wenn Sie die Farbe festgelegt haben, klicken Sie auf Hinzufügen. Die benutzerdefinierte Farbe wird auf die Daten angewandt und zur Palette Benutzerdefinierte Farbe hinzugefügt. Sie können gleichzeitig mit mehreren Blättern arbeiten: Wählen Sie das erste Blatt aus, das Sie in die Gruppe aufnehmen möchten. Halten Sie die Umschalttaste gedrückt, um mehrere benachbarte Blätter auszuwählen, die Sie gruppieren möchten, oder verwenden Sie die Strg-Taste, um mehrere nicht benachbarte Blätter auszuwählen, die Sie gruppieren möchten. Klicken Sie mit der rechten Maustaste auf eine der ausgewählten Blattregisterkarten, um das Kontextmenü zu öffnen. Wählen Sie die erforderliche Option aus dem Menü: Einfügen - um die gleiche Anzahl neuer leerer Blätter einzufügen, wie in der ausgewählten Gruppe, Löschen - um alle ausgewählten Blätter auf einmal zu löschen (Sie können nicht alle Blätter in der Arbeitsmappe löschen, da die Arbeitsmappe mindestens ein sichtbares Blatt enthalten muss), Umbenennen - diese Option kann nur auf jedes einzelne Blatt angewendet werden, Kopieren - um Kopien aller ausgewählten Blätter auf einmal zu erstellen und sie an der ausgewählten Stelle einzufügen, Verschieben - um alle ausgewählten Blätter auf einmal zu verschieben und sie an der ausgewählten Stelle einzufügen, Verbergen - um alle ausgewählten Blätter auf einmal auszublenden (Sie können nicht alle Blätter in der Arbeitsmappe ausblenden, da die Arbeitsmappe mindestens ein sichtbares Blatt enthalten muss), Farbe des Tabulators - um allen ausgewählten Blatt-Tabs auf einmal dieselbe Farbe zuzuweisen, Alle Blätter auswählen – um alle Blätter in der aktuellen Arbeitsmappe auszuwählen, Gruppierung von Arbeitsblättern aufheben - um die Gruppierung der ausgewählten Blätter aufzuheben. Es ist auch möglich, die Gruppierung von Blättern aufzuheben, indem Sie auf ein Blatt doppelklicken, das in der Gruppe enthalten ist, oder indem Sie auf ein beliebiges Blatt klicken, das nicht in der Gruppe enthalten ist." }, { "id": "UsageInstructions/ManipulateObjects.htm", @@ -2563,27 +2568,32 @@ var indexes = { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "AutoKorrekturfunktionen", - "body": "Die Autokorrekturfunktionen in ONLYOFFICE Tabelleneditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden. Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur. Das Dialogfeld Autokorrektur besteht aus drei Registerkarten: Mathe Autokorrektur, Erkannte Funktionen und AutoFormat während des Tippens. Math. AutoKorrektur Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben. Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste. Hinweis: Für die Codes muss die Groß-/Kleinschreibung beachtet werden. Sie können Autokorrektur-Einträge zur Autokorrektur-Liste hinzufügen, ändern, wiederherstellen und entfernen. Wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathe Autokorrektur. Einträge zur Autokorrekturliste hinzufügen Geben Sie den Autokorrekturcode, den Sie verwenden möchten, in das Feld Ersetzen ein. Geben Sie das Symbol ein, das dem früher eingegebenen Code zugewiesen werden soll, in das Feld Nach ein. Klicken Sie auf die Schaltfläche Hinzufügen. Einträge in der Autokorrekturliste bearbeiten Wählen Sie den Eintrag, den Sie bearbeiten möchten. Sie können die Informationen in beiden Feldern ändern: den Code im Feld Ersetzen oder das Symbol im Feld Nach. Klicken Sie auf die Schaltfläche Ersetzen. Einträge aus der Autokorrekturliste entfernen Wählen Sie den Eintrag, den Sie entfernen möchten. Klicken Sie auf die Schaltfläche Löschen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt. Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten. Die folgende Tabelle enthält alle derzeit unterstützten Codes, die im Tabelleneditor verfügbar sind. Die vollständige Liste der unterstützten Codes finden Sie auch auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathe Autokorrektur. Die unterstützte Codes Code Symbol Bereich !! Symbole ... Punkte :: Operatoren := Operatoren /< Vergleichsoperatoren /> Vergleichsoperatoren /= Vergleichsoperatoren \\above Hochgestellte/Tiefgestellte Skripts \\acute Akzente \\aleph Hebräische Buchstaben \\alpha Griechische Buchstaben \\Alpha Griechische Buchstaben \\amalg Binäre Operatoren \\angle Geometrische Notation \\aoint Integrale \\approx Vergleichsoperatoren \\asmash Pfeile \\ast Binäre Operatoren \\asymp Vergleichsoperatoren \\atop Operatoren \\bar Über-/Unterstrich \\Bar Akzente \\because Vergleichsoperatoren \\begin Trennzeichen \\below Above/Below Skripts \\bet Hebräische Buchstaben \\beta Griechische Buchstaben \\Beta Griechische Buchstaben \\beth Hebräische Buchstaben \\bigcap Große Operatoren \\bigcup Große Operatoren \\bigodot Große Operatoren \\bigoplus Große Operatoren \\bigotimes Große Operatoren \\bigsqcup Große Operatoren \\biguplus Große Operatoren \\bigvee Große Operatoren \\bigwedge Große Operatoren \\binomial Gleichungen \\bot Logische Notation \\bowtie Vergleichsoperatoren \\box Symbole \\boxdot Binäre Operatoren \\boxminus Binäre Operatoren \\boxplus Binäre Operatoren \\bra Trennzeichen \\break Symbole \\breve Akzente \\bullet Binäre Operatoren \\cap Binäre Operatoren \\cbrt Wurzeln \\cases Symbole \\cdot Binäre Operatoren \\cdots Punkte \\check Akzente \\chi Griechische Buchstaben \\Chi Griechische Buchstaben \\circ Binäre Operatoren \\close Trennzeichen \\clubsuit Symbole \\coint Integrale \\cong Vergleichsoperatoren \\coprod Mathematische Operatoren \\cup Binäre Operatoren \\dalet Hebräische Buchstaben \\daleth Hebräische Buchstaben \\dashv Vergleichsoperatoren \\dd Buchstaben mit Doppelstrich \\Dd Buchstaben mit Doppelstrich \\ddddot Akzente \\dddot Akzente \\ddot Akzente \\ddots Punkte \\defeq Vergleichsoperatoren \\degc Symbole \\degf Symbole \\degree Symbole \\delta Griechische Buchstaben \\Delta Griechische Buchstaben \\Deltaeq Operatoren \\diamond Binäre Operatoren \\diamondsuit Symbole \\div Binäre Operatoren \\dot Akzente \\doteq Vergleichsoperatoren \\dots Punkte \\doublea Buchstaben mit Doppelstrich \\doubleA Buchstaben mit Doppelstrich \\doubleb Buchstaben mit Doppelstrich \\doubleB Buchstaben mit Doppelstrich \\doublec Buchstaben mit Doppelstrich \\doubleC Buchstaben mit Doppelstrich \\doubled Buchstaben mit Doppelstrich \\doubleD Buchstaben mit Doppelstrich \\doublee Buchstaben mit Doppelstrich \\doubleE Buchstaben mit Doppelstrich \\doublef Buchstaben mit Doppelstrich \\doubleF Buchstaben mit Doppelstrich \\doubleg Buchstaben mit Doppelstrich \\doubleG Buchstaben mit Doppelstrich \\doubleh Buchstaben mit Doppelstrich \\doubleH Buchstaben mit Doppelstrich \\doublei Buchstaben mit Doppelstrich \\doubleI Buchstaben mit Doppelstrich \\doublej Buchstaben mit Doppelstrich \\doubleJ Buchstaben mit Doppelstrich \\doublek Buchstaben mit Doppelstrich \\doubleK Buchstaben mit Doppelstrich \\doublel Buchstaben mit Doppelstrich \\doubleL Buchstaben mit Doppelstrich \\doublem Buchstaben mit Doppelstrich \\doubleM Buchstaben mit Doppelstrich \\doublen Buchstaben mit Doppelstrich \\doubleN Buchstaben mit Doppelstrich \\doubleo Buchstaben mit Doppelstrich \\doubleO Buchstaben mit Doppelstrich \\doublep Buchstaben mit Doppelstrich \\doubleP Buchstaben mit Doppelstrich \\doubleq Buchstaben mit Doppelstrich \\doubleQ Buchstaben mit Doppelstrich \\doubler Buchstaben mit Doppelstrich \\doubleR Buchstaben mit Doppelstrich \\doubles Buchstaben mit Doppelstrich \\doubleS Buchstaben mit Doppelstrich \\doublet Buchstaben mit Doppelstrich \\doubleT Buchstaben mit Doppelstrich \\doubleu Buchstaben mit Doppelstrich \\doubleU Buchstaben mit Doppelstrich \\doublev Buchstaben mit Doppelstrich \\doubleV Buchstaben mit Doppelstrich \\doublew Buchstaben mit Doppelstrich \\doubleW Buchstaben mit Doppelstrich \\doublex Buchstaben mit Doppelstrich \\doubleX Buchstaben mit Doppelstrich \\doubley Buchstaben mit Doppelstrich \\doubleY Buchstaben mit Doppelstrich \\doublez Buchstaben mit Doppelstrich \\doubleZ Buchstaben mit Doppelstrich \\downarrow Pfeile \\Downarrow Pfeile \\dsmash Pfeile \\ee Buchstaben mit Doppelstrich \\ell Symbole \\emptyset Notationen von Mengen \\emsp Leerzeichen \\end Trennzeichen \\ensp Leerzeichen \\epsilon Griechische Buchstaben \\Epsilon Griechische Buchstaben \\eqarray Symbole \\equiv Vergleichsoperatoren \\eta Griechische Buchstaben \\Eta Griechische Buchstaben \\exists Logische Notationen \\forall Logische Notationen \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Vergleichsoperatoren \\funcapply Binäre Operatoren \\G Griechische Buchstaben \\gamma Griechische Buchstaben \\Gamma Griechische Buchstaben \\ge Vergleichsoperatoren \\geq Vergleichsoperatoren \\gets Pfeile \\gg Vergleichsoperatoren \\gimel Hebräische Buchstaben \\grave Akzente \\hairsp Leerzeichen \\hat Akzente \\hbar Symbole \\heartsuit Symbole \\hookleftarrow Pfeile \\hookrightarrow Pfeile \\hphantom Pfeile \\hsmash Pfeile \\hvec Akzente \\identitymatrix Matrizen \\ii Buchstaben mit Doppelstrich \\iiint Integrale \\iint Integrale \\iiiint Integrale \\Im Symbole \\imath Symbole \\in Vergleichsoperatoren \\inc Symbole \\infty Symbole \\int Integrale \\integral Integrale \\iota Griechische Buchstaben \\Iota Griechische Buchstaben \\itimes Mathematische Operatoren \\j Symbole \\jj Buchstaben mit Doppelstrich \\jmath Symbole \\kappa Griechische Buchstaben \\Kappa Griechische Buchstaben \\ket Trennzeichen \\lambda Griechische Buchstaben \\Lambda Griechische Buchstaben \\langle Trennzeichen \\lbbrack Trennzeichen \\lbrace Trennzeichen \\lbrack Trennzeichen \\lceil Trennzeichen \\ldiv Bruchteile \\ldivide Bruchteile \\ldots Punkte \\le Vergleichsoperatoren \\left Trennzeichen \\leftarrow Pfeile \\Leftarrow Pfeile \\leftharpoondown Pfeile \\leftharpoonup Pfeile \\leftrightarrow Pfeile \\Leftrightarrow Pfeile \\leq Vergleichsoperatoren \\lfloor Trennzeichen \\lhvec Akzente \\limit Grenzwerte \\ll Vergleichsoperatoren \\lmoust Trennzeichen \\Longleftarrow Pfeile \\Longleftrightarrow Pfeile \\Longrightarrow Pfeile \\lrhar Pfeile \\lvec Akzente \\mapsto Pfeile \\matrix Matrizen \\medsp Leerzeichen \\mid Vergleichsoperatoren \\middle Symbole \\models Vergleichsoperatoren \\mp Binäre Operatoren \\mu Griechische Buchstaben \\Mu Griechische Buchstaben \\nabla Symbole \\naryand Operatoren \\nbsp Leerzeichen \\ne Vergleichsoperatoren \\nearrow Pfeile \\neq Vergleichsoperatoren \\ni Vergleichsoperatoren \\norm Trennzeichen \\notcontain Vergleichsoperatoren \\notelement Vergleichsoperatoren \\notin Vergleichsoperatoren \\nu Griechische Buchstaben \\Nu Griechische Buchstaben \\nwarrow Pfeile \\o Griechische Buchstaben \\O Griechische Buchstaben \\odot Binäre Operatoren \\of Operatoren \\oiiint Integrale \\oiint Integrale \\oint Integrale \\omega Griechische Buchstaben \\Omega Griechische Buchstaben \\ominus Binäre Operatoren \\open Trennzeichen \\oplus Binäre Operatoren \\otimes Binäre Operatoren \\over Trennzeichen \\overbar Akzente \\overbrace Akzente \\overbracket Akzente \\overline Akzente \\overparen Akzente \\overshell Akzente \\parallel Geometrische Notation \\partial Symbole \\pmatrix Matrizen \\perp Geometrische Notation \\phantom Symbole \\phi Griechische Buchstaben \\Phi Griechische Buchstaben \\pi Griechische Buchstaben \\Pi Griechische Buchstaben \\pm Binäre Operatoren \\pppprime Prime-Zeichen \\ppprime Prime-Zeichen \\pprime Prime-Zeichen \\prec Vergleichsoperatoren \\preceq Vergleichsoperatoren \\prime Prime-Zeichen \\prod Mathematische Operatoren \\propto Vergleichsoperatoren \\psi Griechische Buchstaben \\Psi Griechische Buchstaben \\qdrt Wurzeln \\quadratic Wurzeln \\rangle Trennzeichen \\Rangle Trennzeichen \\ratio Vergleichsoperatoren \\rbrace Trennzeichen \\rbrack Trennzeichen \\Rbrack Trennzeichen \\rceil Trennzeichen \\rddots Punkte \\Re Symbole \\rect Symbole \\rfloor Trennzeichen \\rho Griechische Buchstaben \\Rho Griechische Buchstaben \\rhvec Akzente \\right Trennzeichen \\rightarrow Pfeile \\Rightarrow Pfeile \\rightharpoondown Pfeile \\rightharpoonup Pfeile \\rmoust Trennzeichen \\root Symbole \\scripta Skripts \\scriptA Skripts \\scriptb Skripts \\scriptB Skripts \\scriptc Skripts \\scriptC Skripts \\scriptd Skripts \\scriptD Skripts \\scripte Skripts \\scriptE Skripts \\scriptf Skripts \\scriptF Skripts \\scriptg Skripts \\scriptG Skripts \\scripth Skripts \\scriptH Skripts \\scripti Skripts \\scriptI Skripts \\scriptk Skripts \\scriptK Skripts \\scriptl Skripts \\scriptL Skripts \\scriptm Skripts \\scriptM Skripts \\scriptn Skripts \\scriptN Skripts \\scripto Skripts \\scriptO Skripts \\scriptp Skripts \\scriptP Skripts \\scriptq Skripts \\scriptQ Skripts \\scriptr Skripts \\scriptR Skripts \\scripts Skripts \\scriptS Skripts \\scriptt Skripts \\scriptT Skripts \\scriptu Skripts \\scriptU Skripts \\scriptv Skripts \\scriptV Skripts \\scriptw Skripts \\scriptW Skripts \\scriptx Skripts \\scriptX Skripts \\scripty Skripts \\scriptY Skripts \\scriptz Skripts \\scriptZ Skripts \\sdiv Bruchteile \\sdivide Bruchteile \\searrow Pfeile \\setminus Binäre Operatoren \\sigma Griechische Buchstaben \\Sigma Griechische Buchstaben \\sim Vergleichsoperatoren \\simeq Vergleichsoperatoren \\smash Pfeile \\smile Vergleichsoperatoren \\spadesuit Symbole \\sqcap Binäre Operatoren \\sqcup Binäre Operatoren \\sqrt Wurzeln \\sqsubseteq Notation von Mengen \\sqsuperseteq Notation von Mengen \\star Binäre Operatoren \\subset Notation von Mengen \\subseteq Notation von Mengen \\succ Vergleichsoperatoren \\succeq Vergleichsoperatoren \\sum Mathematische Operatoren \\superset Notation von Mengen \\superseteq Notation von Mengen \\swarrow Pfeile \\tau Griechische Buchstaben \\Tau Griechische Buchstaben \\therefore Vergleichsoperatoren \\theta Griechische Buchstaben \\Theta Griechische Buchstaben \\thicksp Leerzeichen \\thinsp Leerzeichen \\tilde Akzente \\times Binäre Operatoren \\to Pfeile \\top Logische Notationen \\tvec Pfeile \\ubar Akzente \\Ubar Akzente \\underbar Akzente \\underbrace Akzente \\underbracket Akzente \\underline Akzente \\underparen Akzente \\uparrow Pfeile \\Uparrow Pfeile \\updownarrow Pfeile \\Updownarrow Pfeile \\uplus Binäre Operatoren \\upsilon Griechische Buchstaben \\Upsilon Griechische Buchstaben \\varepsilon Griechische Buchstaben \\varphi Griechische Buchstaben \\varpi Griechische Buchstaben \\varrho Griechische Buchstaben \\varsigma Griechische Buchstaben \\vartheta Griechische Buchstaben \\vbar Trennzeichen \\vdash Vergleichsoperatoren \\vdots Punkte \\vec Akzente \\vee Binäre Operatoren \\vert Trennzeichen \\Vert Trennzeichen \\Vmatrix Matrizen \\vphantom Pfeile \\vthicksp Leerzeichen \\wedge Binäre Operatoren \\wp Symbole \\wr Binäre Operatoren \\xi Griechische Buchstaben \\Xi Griechische Buchstaben \\zeta Griechische Buchstaben \\Zeta Griechische Buchstaben \\zwnj Leerzeichen \\zwsp Leerzeichen ~= Vergleichsoperatoren -+ Binäre Operatoren +- Binäre Operatoren << Vergleichsoperatoren <= Vergleichsoperatoren -> Pfeile >= Vergleichsoperatoren >> Vergleichsoperatoren Erkannte Funktionen Auf dieser Registerkarte finden Sie die Liste der mathematischen Ausdrücke, die vom Gleichungseditor als Funktionen erkannt und daher nicht automatisch kursiv dargestellt werden. Die Liste der erkannten Funktionen finden Sie auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Erkannte Funktionen. Um der Liste der erkannten Funktionen einen Eintrag hinzuzufügen, geben Sie die Funktion in das leere Feld ein und klicken Sie auf die Schaltfläche Hinzufügen. Um einen Eintrag aus der Liste der erkannten Funktionen zu entfernen, wählen Sie die gewünschte Funktion aus und klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den gewünschten Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt. AutoFormat während des Tippens Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung. Beispielsweise startet er automatisch eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste erkannt wird, ersetzt Anführungszeichen oder konvertiert Bindestriche in Gedankenstriche. Wenn Sie die Voreinstellungen für die automatische Formatierung deaktivieren möchten, deaktivieren Sie das Kästchen für die unnötige Optionen, öffnen Sie dazu die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während des Tippens." + "body": "Die Autokorrekturfunktionen in ONLYOFFICE Tabelleneditor werden verwendet, um Text automatisch zu formatieren, wenn sie erkannt werden, oder um spezielle mathematische Symbole einzufügen, indem bestimmte Zeichen verwendet werden. Die verfügbaren AutoKorrekturoptionen werden im entsprechenden Dialogfeld aufgelistet. Um darauf zuzugreifen, öffnen Sie die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur. Das Dialogfeld Autokorrektur besteht aus drei Registerkarten: Mathe Autokorrektur, Erkannte Funktionen und AutoFormat während des Tippens. Math. AutoKorrektur Sie können manuell die Symbole, Akzente und mathematische Symbole für die Gleichungen mit der Tastatur statt der Galerie eingeben. Positionieren Sie die Einfügemarke am Platzhalter im Formel-Editor, geben Sie den mathematischen AutoKorrektur-Code ein, drücken Sie die Leertaste. Für die Codes muss die Groß-/Kleinschreibung beachtet werden. Sie können Autokorrektur-Einträge zur Autokorrektur-Liste hinzufügen, ändern, wiederherstellen und entfernen. Wechseln Sie zur Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathe Autokorrektur. Einträge zur Autokorrekturliste hinzufügen Geben Sie den Autokorrekturcode, den Sie verwenden möchten, in das Feld Ersetzen ein. Geben Sie das Symbol ein, das dem früher eingegebenen Code zugewiesen werden soll, in das Feld Nach ein. Klicken Sie auf die Schaltfläche Hinzufügen. Einträge in der Autokorrekturliste bearbeiten Wählen Sie den Eintrag, den Sie bearbeiten möchten. Sie können die Informationen in beiden Feldern ändern: den Code im Feld Ersetzen oder das Symbol im Feld Nach. Klicken Sie auf die Schaltfläche Ersetzen. Einträge aus der Autokorrekturliste entfernen Wählen Sie den Eintrag, den Sie entfernen möchten. Klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den wiederherzustellenden Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Autokorrektur-Einträge werden entfernt und die geänderten werden auf ihre ursprünglichen Werte zurückgesetzt. Deaktivieren Sie das Kontrollkästchen Text bei der Eingabe ersetzen, um Math AutoKorrektur zu deaktivieren und automatische Änderungen und Ersetzungen zu verbieten. Die folgende Tabelle enthält alle derzeit unterstützten Codes, die im Tabelleneditor verfügbar sind. Die vollständige Liste der unterstützten Codes finden Sie auch auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von AutoKorrektur -> Mathe Autokorrektur. Die unterstützte Codes Code Symbol Bereich !! Symbole ... Punkte :: Operatoren := Operatoren /< Vergleichsoperatoren /> Vergleichsoperatoren /= Vergleichsoperatoren \\above Hochgestellte/Tiefgestellte Skripts \\acute Akzente \\aleph Hebräische Buchstaben \\alpha Griechische Buchstaben \\Alpha Griechische Buchstaben \\amalg Binäre Operatoren \\angle Geometrische Notation \\aoint Integrale \\approx Vergleichsoperatoren \\asmash Pfeile \\ast Binäre Operatoren \\asymp Vergleichsoperatoren \\atop Operatoren \\bar Über-/Unterstrich \\Bar Akzente \\because Vergleichsoperatoren \\begin Trennzeichen \\below Above/Below Skripts \\bet Hebräische Buchstaben \\beta Griechische Buchstaben \\Beta Griechische Buchstaben \\beth Hebräische Buchstaben \\bigcap Große Operatoren \\bigcup Große Operatoren \\bigodot Große Operatoren \\bigoplus Große Operatoren \\bigotimes Große Operatoren \\bigsqcup Große Operatoren \\biguplus Große Operatoren \\bigvee Große Operatoren \\bigwedge Große Operatoren \\binomial Gleichungen \\bot Logische Notation \\bowtie Vergleichsoperatoren \\box Symbole \\boxdot Binäre Operatoren \\boxminus Binäre Operatoren \\boxplus Binäre Operatoren \\bra Trennzeichen \\break Symbole \\breve Akzente \\bullet Binäre Operatoren \\cap Binäre Operatoren \\cbrt Wurzeln \\cases Symbole \\cdot Binäre Operatoren \\cdots Punkte \\check Akzente \\chi Griechische Buchstaben \\Chi Griechische Buchstaben \\circ Binäre Operatoren \\close Trennzeichen \\clubsuit Symbole \\coint Integrale \\cong Vergleichsoperatoren \\coprod Mathematische Operatoren \\cup Binäre Operatoren \\dalet Hebräische Buchstaben \\daleth Hebräische Buchstaben \\dashv Vergleichsoperatoren \\dd Buchstaben mit Doppelstrich \\Dd Buchstaben mit Doppelstrich \\ddddot Akzente \\dddot Akzente \\ddot Akzente \\ddots Punkte \\defeq Vergleichsoperatoren \\degc Symbole \\degf Symbole \\degree Symbole \\delta Griechische Buchstaben \\Delta Griechische Buchstaben \\Deltaeq Operatoren \\diamond Binäre Operatoren \\diamondsuit Symbole \\div Binäre Operatoren \\dot Akzente \\doteq Vergleichsoperatoren \\dots Punkte \\doublea Buchstaben mit Doppelstrich \\doubleA Buchstaben mit Doppelstrich \\doubleb Buchstaben mit Doppelstrich \\doubleB Buchstaben mit Doppelstrich \\doublec Buchstaben mit Doppelstrich \\doubleC Buchstaben mit Doppelstrich \\doubled Buchstaben mit Doppelstrich \\doubleD Buchstaben mit Doppelstrich \\doublee Buchstaben mit Doppelstrich \\doubleE Buchstaben mit Doppelstrich \\doublef Buchstaben mit Doppelstrich \\doubleF Buchstaben mit Doppelstrich \\doubleg Buchstaben mit Doppelstrich \\doubleG Buchstaben mit Doppelstrich \\doubleh Buchstaben mit Doppelstrich \\doubleH Buchstaben mit Doppelstrich \\doublei Buchstaben mit Doppelstrich \\doubleI Buchstaben mit Doppelstrich \\doublej Buchstaben mit Doppelstrich \\doubleJ Buchstaben mit Doppelstrich \\doublek Buchstaben mit Doppelstrich \\doubleK Buchstaben mit Doppelstrich \\doublel Buchstaben mit Doppelstrich \\doubleL Buchstaben mit Doppelstrich \\doublem Buchstaben mit Doppelstrich \\doubleM Buchstaben mit Doppelstrich \\doublen Buchstaben mit Doppelstrich \\doubleN Buchstaben mit Doppelstrich \\doubleo Buchstaben mit Doppelstrich \\doubleO Buchstaben mit Doppelstrich \\doublep Buchstaben mit Doppelstrich \\doubleP Buchstaben mit Doppelstrich \\doubleq Buchstaben mit Doppelstrich \\doubleQ Buchstaben mit Doppelstrich \\doubler Buchstaben mit Doppelstrich \\doubleR Buchstaben mit Doppelstrich \\doubles Buchstaben mit Doppelstrich \\doubleS Buchstaben mit Doppelstrich \\doublet Buchstaben mit Doppelstrich \\doubleT Buchstaben mit Doppelstrich \\doubleu Buchstaben mit Doppelstrich \\doubleU Buchstaben mit Doppelstrich \\doublev Buchstaben mit Doppelstrich \\doubleV Buchstaben mit Doppelstrich \\doublew Buchstaben mit Doppelstrich \\doubleW Buchstaben mit Doppelstrich \\doublex Buchstaben mit Doppelstrich \\doubleX Buchstaben mit Doppelstrich \\doubley Buchstaben mit Doppelstrich \\doubleY Buchstaben mit Doppelstrich \\doublez Buchstaben mit Doppelstrich \\doubleZ Buchstaben mit Doppelstrich \\downarrow Pfeile \\Downarrow Pfeile \\dsmash Pfeile \\ee Buchstaben mit Doppelstrich \\ell Symbole \\emptyset Notationen von Mengen \\emsp Leerzeichen \\end Trennzeichen \\ensp Leerzeichen \\epsilon Griechische Buchstaben \\Epsilon Griechische Buchstaben \\eqarray Symbole \\equiv Vergleichsoperatoren \\eta Griechische Buchstaben \\Eta Griechische Buchstaben \\exists Logische Notationen \\forall Logische Notationen \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Vergleichsoperatoren \\funcapply Binäre Operatoren \\G Griechische Buchstaben \\gamma Griechische Buchstaben \\Gamma Griechische Buchstaben \\ge Vergleichsoperatoren \\geq Vergleichsoperatoren \\gets Pfeile \\gg Vergleichsoperatoren \\gimel Hebräische Buchstaben \\grave Akzente \\hairsp Leerzeichen \\hat Akzente \\hbar Symbole \\heartsuit Symbole \\hookleftarrow Pfeile \\hookrightarrow Pfeile \\hphantom Pfeile \\hsmash Pfeile \\hvec Akzente \\identitymatrix Matrizen \\ii Buchstaben mit Doppelstrich \\iiint Integrale \\iint Integrale \\iiiint Integrale \\Im Symbole \\imath Symbole \\in Vergleichsoperatoren \\inc Symbole \\infty Symbole \\int Integrale \\integral Integrale \\iota Griechische Buchstaben \\Iota Griechische Buchstaben \\itimes Mathematische Operatoren \\j Symbole \\jj Buchstaben mit Doppelstrich \\jmath Symbole \\kappa Griechische Buchstaben \\Kappa Griechische Buchstaben \\ket Trennzeichen \\lambda Griechische Buchstaben \\Lambda Griechische Buchstaben \\langle Trennzeichen \\lbbrack Trennzeichen \\lbrace Trennzeichen \\lbrack Trennzeichen \\lceil Trennzeichen \\ldiv Bruchteile \\ldivide Bruchteile \\ldots Punkte \\le Vergleichsoperatoren \\left Trennzeichen \\leftarrow Pfeile \\Leftarrow Pfeile \\leftharpoondown Pfeile \\leftharpoonup Pfeile \\leftrightarrow Pfeile \\Leftrightarrow Pfeile \\leq Vergleichsoperatoren \\lfloor Trennzeichen \\lhvec Akzente \\limit Grenzwerte \\ll Vergleichsoperatoren \\lmoust Trennzeichen \\Longleftarrow Pfeile \\Longleftrightarrow Pfeile \\Longrightarrow Pfeile \\lrhar Pfeile \\lvec Akzente \\mapsto Pfeile \\matrix Matrizen \\medsp Leerzeichen \\mid Vergleichsoperatoren \\middle Symbole \\models Vergleichsoperatoren \\mp Binäre Operatoren \\mu Griechische Buchstaben \\Mu Griechische Buchstaben \\nabla Symbole \\naryand Operatoren \\nbsp Leerzeichen \\ne Vergleichsoperatoren \\nearrow Pfeile \\neq Vergleichsoperatoren \\ni Vergleichsoperatoren \\norm Trennzeichen \\notcontain Vergleichsoperatoren \\notelement Vergleichsoperatoren \\notin Vergleichsoperatoren \\nu Griechische Buchstaben \\Nu Griechische Buchstaben \\nwarrow Pfeile \\o Griechische Buchstaben \\O Griechische Buchstaben \\odot Binäre Operatoren \\of Operatoren \\oiiint Integrale \\oiint Integrale \\oint Integrale \\omega Griechische Buchstaben \\Omega Griechische Buchstaben \\ominus Binäre Operatoren \\open Trennzeichen \\oplus Binäre Operatoren \\otimes Binäre Operatoren \\over Trennzeichen \\overbar Akzente \\overbrace Akzente \\overbracket Akzente \\overline Akzente \\overparen Akzente \\overshell Akzente \\parallel Geometrische Notation \\partial Symbole \\pmatrix Matrizen \\perp Geometrische Notation \\phantom Symbole \\phi Griechische Buchstaben \\Phi Griechische Buchstaben \\pi Griechische Buchstaben \\Pi Griechische Buchstaben \\pm Binäre Operatoren \\pppprime Prime-Zeichen \\ppprime Prime-Zeichen \\pprime Prime-Zeichen \\prec Vergleichsoperatoren \\preceq Vergleichsoperatoren \\prime Prime-Zeichen \\prod Mathematische Operatoren \\propto Vergleichsoperatoren \\psi Griechische Buchstaben \\Psi Griechische Buchstaben \\qdrt Wurzeln \\quadratic Wurzeln \\rangle Trennzeichen \\Rangle Trennzeichen \\ratio Vergleichsoperatoren \\rbrace Trennzeichen \\rbrack Trennzeichen \\Rbrack Trennzeichen \\rceil Trennzeichen \\rddots Punkte \\Re Symbole \\rect Symbole \\rfloor Trennzeichen \\rho Griechische Buchstaben \\Rho Griechische Buchstaben \\rhvec Akzente \\right Trennzeichen \\rightarrow Pfeile \\Rightarrow Pfeile \\rightharpoondown Pfeile \\rightharpoonup Pfeile \\rmoust Trennzeichen \\root Symbole \\scripta Skripts \\scriptA Skripts \\scriptb Skripts \\scriptB Skripts \\scriptc Skripts \\scriptC Skripts \\scriptd Skripts \\scriptD Skripts \\scripte Skripts \\scriptE Skripts \\scriptf Skripts \\scriptF Skripts \\scriptg Skripts \\scriptG Skripts \\scripth Skripts \\scriptH Skripts \\scripti Skripts \\scriptI Skripts \\scriptk Skripts \\scriptK Skripts \\scriptl Skripts \\scriptL Skripts \\scriptm Skripts \\scriptM Skripts \\scriptn Skripts \\scriptN Skripts \\scripto Skripts \\scriptO Skripts \\scriptp Skripts \\scriptP Skripts \\scriptq Skripts \\scriptQ Skripts \\scriptr Skripts \\scriptR Skripts \\scripts Skripts \\scriptS Skripts \\scriptt Skripts \\scriptT Skripts \\scriptu Skripts \\scriptU Skripts \\scriptv Skripts \\scriptV Skripts \\scriptw Skripts \\scriptW Skripts \\scriptx Skripts \\scriptX Skripts \\scripty Skripts \\scriptY Skripts \\scriptz Skripts \\scriptZ Skripts \\sdiv Bruchteile \\sdivide Bruchteile \\searrow Pfeile \\setminus Binäre Operatoren \\sigma Griechische Buchstaben \\Sigma Griechische Buchstaben \\sim Vergleichsoperatoren \\simeq Vergleichsoperatoren \\smash Pfeile \\smile Vergleichsoperatoren \\spadesuit Symbole \\sqcap Binäre Operatoren \\sqcup Binäre Operatoren \\sqrt Wurzeln \\sqsubseteq Notation von Mengen \\sqsuperseteq Notation von Mengen \\star Binäre Operatoren \\subset Notation von Mengen \\subseteq Notation von Mengen \\succ Vergleichsoperatoren \\succeq Vergleichsoperatoren \\sum Mathematische Operatoren \\superset Notation von Mengen \\superseteq Notation von Mengen \\swarrow Pfeile \\tau Griechische Buchstaben \\Tau Griechische Buchstaben \\therefore Vergleichsoperatoren \\theta Griechische Buchstaben \\Theta Griechische Buchstaben \\thicksp Leerzeichen \\thinsp Leerzeichen \\tilde Akzente \\times Binäre Operatoren \\to Pfeile \\top Logische Notationen \\tvec Pfeile \\ubar Akzente \\Ubar Akzente \\underbar Akzente \\underbrace Akzente \\underbracket Akzente \\underline Akzente \\underparen Akzente \\uparrow Pfeile \\Uparrow Pfeile \\updownarrow Pfeile \\Updownarrow Pfeile \\uplus Binäre Operatoren \\upsilon Griechische Buchstaben \\Upsilon Griechische Buchstaben \\varepsilon Griechische Buchstaben \\varphi Griechische Buchstaben \\varpi Griechische Buchstaben \\varrho Griechische Buchstaben \\varsigma Griechische Buchstaben \\vartheta Griechische Buchstaben \\vbar Trennzeichen \\vdash Vergleichsoperatoren \\vdots Punkte \\vec Akzente \\vee Binäre Operatoren \\vert Trennzeichen \\Vert Trennzeichen \\Vmatrix Matrizen \\vphantom Pfeile \\vthicksp Leerzeichen \\wedge Binäre Operatoren \\wp Symbole \\wr Binäre Operatoren \\xi Griechische Buchstaben \\Xi Griechische Buchstaben \\zeta Griechische Buchstaben \\Zeta Griechische Buchstaben \\zwnj Leerzeichen \\zwsp Leerzeichen ~= Vergleichsoperatoren -+ Binäre Operatoren +- Binäre Operatoren << Vergleichsoperatoren <= Vergleichsoperatoren -> Pfeile >= Vergleichsoperatoren >> Vergleichsoperatoren Erkannte Funktionen Auf dieser Registerkarte finden Sie die Liste der mathematischen Ausdrücke, die vom Gleichungseditor als Funktionen erkannt und daher nicht automatisch kursiv dargestellt werden. Die Liste der erkannten Funktionen finden Sie auf der Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> Erkannte Funktionen. Um der Liste der erkannten Funktionen einen Eintrag hinzuzufügen, geben Sie die Funktion in das leere Feld ein und klicken Sie auf die Schaltfläche Hinzufügen. Um einen Eintrag aus der Liste der erkannten Funktionen zu entfernen, wählen Sie die gewünschte Funktion aus und klicken Sie auf die Schaltfläche Löschen. Um die zuvor gelöschten Einträge wiederherzustellen, wählen Sie den gewünschten Eintrag aus der Liste aus und klicken Sie auf die Schaltfläche Wiederherstellen. Verwenden Sie die Schaltfläche Zurücksetzen auf die Standardeinstellungen, um die Standardeinstellungen wiederherzustellen. Alle von Ihnen hinzugefügten Funktionen werden entfernt und die entfernten Funktionen werden wiederhergestellt. AutoFormat während des Tippens Standardmäßig formatiert der Editor den Text während der Eingabe gemäß den Voreinstellungen für die automatische Formatierung. Beispielsweise startet er automatisch eine Aufzählungsliste oder eine nummerierte Liste, wenn eine Liste erkannt wird, ersetzt Anführungszeichen oder konvertiert Bindestriche in Gedankenstriche. Wenn Sie die Voreinstellungen für die automatische Formatierung deaktivieren möchten, deaktivieren Sie das Kästchen für die unnötige Optionen, öffnen Sie dazu die Registerkarte Datei -> Erweiterte Einstellungen -> Rechtschreibprüfung -> Optionen von Autokorrektur -> AutoFormat während des Tippens." }, { "id": "UsageInstructions/MergeCells.htm", "title": "Zellen verbinden", - "body": "Einleitung Um Ihren Text besser zu positionieren (z. B. den Namen der Tabelle oder ein Langtextfragment in der Tabelle), verwenden Sie das Tool Verbinden und zentrieren im ONLYOFFICE Tabelleneditor. Typ 1. Verbinden und zentrieren Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. Die gewählten Zellen müssen nebeneinander liegen. Nur die Daten in der oberen linken Zelle des gewählten Bereichs bleiben in der vereinigten Zelle erhalten. Die Daten aus den anderen Zellen des gewählten Bereichs werden verworfen. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Typ 2. Alle Zellen in der Reihe verbinden Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Alle Zellen in der Reihe verbinden aus, um den Text links auszurichten und die Reihen beizubehalten. Typ 3. Zellen verbinden Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Zellen verbinden aus, um die Textausrichtung beizubehalten. Zellverbund aufheben Klicken Sie den Zellverbund an. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Zellverbund aufheben aus." + "body": "Um Ihren Text besser zu positionieren (z. B. den Namen der Tabelle oder ein Langtextfragment in der Tabelle), verwenden Sie das Tool Verbinden und zentrieren im ONLYOFFICE Tabelleneditor. Typ 1. Verbinden und zentrieren Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. Die gewählten Zellen müssen nebeneinander liegen. Nur die Daten in der oberen linken Zelle des gewählten Bereichs bleiben in der vereinigten Zelle erhalten. Die Daten aus den anderen Zellen des gewählten Bereichs werden verworfen. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Typ 2. Alle Zellen in der Reihe verbinden Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Alle Zellen in der Reihe verbinden aus, um den Text links auszurichten und die Reihen beizubehalten. Typ 3. Zellen verbinden Klicken Sie die Zelle am Anfang des gewünschten Bereichs an, halten Sie die linke Maustaste gedruckt und ziehen Sie, bis der gewünschte Zellbereich ausgewählt ist. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Zellen verbinden aus, um die Textausrichtung beizubehalten. Zellverbund aufheben Klicken Sie den Zellverbund an. In der Registerkarte Startseite klicken Sie das Symbol Verbinden und zentrieren an. Wählen Sie die Option Zellverbund aufheben aus." }, { "id": "UsageInstructions/OpenCreateNew.htm", - "title": "Eine neue Kalkulationstabelle erstellen oder eine vorhandene öffnen", - "body": "Im Tabelleneditor können Sie eine kürzlich bearbeitete Tabelle öffnen, eine neue Tabelle erstellen oder zur Liste der vorhandenen Tabellen zurückkehren. Eine neue Kalkulationstabelle erstellen Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Neu erstellen. Desktop-Editor Wählen Sie im Hauptfenster des Programms das Menü Kalkulationstabelle im Abschnitt Neu erstellen der linken Seitenleiste aus - eine neue Datei wird in einer neuen Registerkarte geöffnet. Wenn Sie alle gewünschten Änderungen durchgeführt haben, klicken Sie auf das Symbol Speichern in der oberen linken Ecke oder wechseln Sie in die Registerkarte Datei und wählen Sie das Menü Speichern als aus. Wählen Sie im Fenster Dateiverwaltung den Speicherort, legen Sie den Namen fest, wählen Sie das gewünschte Format (XLSX, Tabellenvorlage (XLTX), ODS, OTS, CSV, PDF oder PDFA) und klicken Sie auf die Schaltfläche Speichern. Ein vorhandenes Dokument öffnen: Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Lokale Datei öffnen. Wählen Sie im Fenster Dateiverwaltung die gewünschte Tabelle aus und klicken Sie auf die Schaltfläche Öffnen. Sie können auch im Fenster Dateiverwaltung mit der rechten Maustaste auf die gewünschte Tabelle klicken, die Option Öffnen mit auswählen und die gewünschte Anwendung aus dem Menü auswählen. Wenn die Office-Dokumentdateien mit der Anwendung verknüpft sind, können Sie Tabellen auch öffnen, indem Sie im Fenster Datei-Explorer auf den Dateinamen doppelklicken. Alle Verzeichnisse, auf die Sie mit dem Desktop-Editor zugegriffen haben, werden in der Liste Aktuelle Ordner angezeigt, um Ihnen einen schnellen Zugriff zu ermöglichen. Klicken Sie auf den gewünschten Ordner, um eine der darin gespeicherten Dateien auszuwählen. Öffnen einer kürzlich bearbeiteten Tabelle: Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Zuletzt verwendet.... Wählen Sie die gewünschte Tabelle aus der Liste der vor kurzem bearbeiteten Dokumente aus. Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Aktuelle Dateien. Wählen Sie die gewünschte Tabelle aus der Liste der vor kurzem bearbeiteten Dokumente aus. Um den Ordner in dem die Datei gespeichert ist in der Online-Version in einem neuen Browser-Tab oder in der Desktop-Version im Fenster Datei-Explorer zu öffnen, klicken Sie auf der rechten Seite des Editor-Hauptmenüs auf das Symbol Dateispeicherort öffnen. Alternativ können Sie in der oberen Menüleiste auf die Registerkarte Datei wechseln und die Option Dateispeicherort öffnen auswählen." + "title": "Neue Tabelle erstellen/Vorhandene Tabelle öffnen", + "body": "In der Tabellenkalkulation können Sie eine kürzlich bearbeitete Tabelle öffnen, die Tabelle umbenennen, eine neue Tabelle erstellen oder zur Liste der vorhandenen Tabellen zurückkehren. Eine neue Kalkulationstabelle erstellen Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Neu erstellen. Desktop-Editor Wählen Sie im Hauptfenster des Programms das Menü Kalkulationstabelle im Abschnitt Neu erstellen der linken Seitenleiste aus - eine neue Datei wird in einer neuen Registerkarte geöffnet. Wenn Sie alle gewünschten Änderungen durchgeführt haben, klicken Sie auf das Symbol Speichern in der oberen linken Ecke oder wechseln Sie in die Registerkarte Datei und wählen Sie das Menü Speichern als aus. Wählen Sie im Fenster Dateiverwaltung den Speicherort, legen Sie den Namen fest, wählen Sie das gewünschte Format (XLSX, Tabellenvorlage (XLTX), ODS, OTS, CSV, PDF oder PDFA) und klicken Sie auf die Schaltfläche Speichern. Eine neue Kalkulationstabelle öffnen: Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Lokale Datei öffnen. Wählen Sie im Fenster Dateiverwaltung die gewünschte Tabelle aus und klicken Sie auf die Schaltfläche Öffnen. Sie können auch im Fenster Dateiverwaltung mit der rechten Maustaste auf die gewünschte Tabelle klicken, die Option Öffnen mit auswählen und die gewünschte Anwendung aus dem Menü auswählen. Wenn die Office-Dokumentdateien mit der Anwendung verknüpft sind, können Sie Tabellen auch öffnen, indem Sie im Fenster Datei-Explorer auf den Dateinamen doppelklicken. Alle Verzeichnisse, auf die Sie mit dem Desktop-Editor zugegriffen haben, werden in der Liste Aktuelle Ordner angezeigt, um Ihnen einen schnellen Zugriff zu ermöglichen. Klicken Sie auf den gewünschten Ordner, um eine der darin gespeicherten Dateien auszuwählen. Eine neue Kalkulationstabelle öffnen: Online-Editor Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Zuletzt benutzte öffnen. Wählen Sie die gewünschte Tabelle aus der Liste der vor kurzem bearbeiteten Dokumente aus. Desktop-Editor Wählen Sie in der linken Seitenleiste im Hauptfenster des Programms den Menüpunkt Aktuelle Dateien. Wählen Sie die gewünschte Tabelle aus der Liste der vor kurzem bearbeiteten Dokumente aus. Eine neue Kalkulationstabelle umbenennen: Online-Editor Klicken Sie oben auf der Seite auf den Namen der Kalkulationstabelle. Geben Sie einen neuen Namen der Kalkulationstabelle ein. Drücken Sie die Eingabetaste, um die Änderungen zu akzeptieren. Um den Ordner in dem die Datei gespeichert ist in der Online-Version in einem neuen Browser-Tab oder in der Desktop-Version im Fenster Datei-Explorer zu öffnen, klicken Sie auf der rechten Seite des Editor-Hauptmenüs auf das Symbol Dateispeicherort öffnen. Alternativ können Sie in der oberen Menüleiste auf die Registerkarte Datei wechseln und die Option Dateispeicherort öffnen auswählen." + }, + { + "id": "UsageInstructions/Password.htm", + "title": "Tabellen mit einem Kennwort schützen", + "body": "Sie können den Zugriff auf eine Tabelle verwalten, indem Sie ein Kennwort festlegen, das von Ihren Co-Autoren zum Aufrufen des Bearbeitungsmodus erforderlich ist. Das Passwort kann später geändert oder entfernt werden. Es gibt zwei Möglichkeiten, Ihre Tabelle mit einem Passwort zu schützen: Über die Registerkarte Schutz oder die Registerkarte Datei. Wenn Sie das Kennwort verlieren oder vergessen, lässt es sich nicht mehr wiederherstellen. Bewahren Sie es an einem sicheren Ort auf. Das Kennwort über die Registerkarte Schutz festlegen Gehen Sie zur Registerkarte Schutz und klicken Sie auf die Schaltfläche Verschlüsseln. Geben Sie im geöffneten Fenster Kennwort festlegen das Kennwort ein, das Sie für den Zugriff auf diese Datei verwenden, und bestätigen Sie es. Klicken Sie auf , um die Kennwortzeichen bei der Eingabe anzuzeigen oder auszublenden. Klicken Sie zum Bestätigen auf OK. Die Schaltfläche Verschlüsseln in der oberen Symbolleiste wird mit einem Pfeil angezeigt, wenn die Datei verschlüsselt ist. Klicken Sie auf den Pfeil, wenn Sie Ihr Kennwort ändern oder löschen möchten. Kennwort ändern Gehen Sie zur Registerkarte Schutz in der oberen Symbolleiste. Klicken Sie auf die Schaltfläche Verschlüsseln und wählen Sie die Option Kennwort ändern aus der Drop-Down-Liste. Legen Sie ein Kennwort im Feld Kennwort fest, wiederholen Sie es im Feld Kennwort wiederholen und klicken Sie dann auf OK. Kennwort löschen Gehen Sie zur Registerkarte Schutz in der oberen Symbolleiste. Klicken Sie auf die Schaltfläche Verschlüsseln und wählen Sie die Option Kennwort löschen aus der Drop-Down-Liste. Das Kennwort über die Registerkarte Datei festlegen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort hinzufügen, geben Sie das Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort ändern öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort ändern, geben Sie das neue Kennwort im Feld Kennwort ein und wiederholen Sie es im Feld Kennwort wiederholen nach unten, dann klicken Sie auf OK. Kennwort löschen öffnen Sie die Registerkarte Datei in der oberen Symbolleiste, wählen Sie die Option Schützen aus, klicken Sie auf die Schaltfläche Kennwort löschen." }, { "id": "UsageInstructions/PhotoEditor.htm", "title": "Bild bearbeiten", - "body": "ONLYOFFICE Tabelleneditor hat einen sehr effektiven Fotoeditor, mit dem Sie das Bild mit Filtern anpassen und alle Arten von Anmerkungen einfügen können. Wählen Sie das Bild in Ihrer Tabelle aus. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt Foto-Editor aus. Sie befinden sich jetzt im Bearbeitungsmodus. Unter dem Bild finden Sie die folgenden Kontrollkästchen und Schieberegler für Filter: Graustufe, Sepia, Sepia 2, Blur, Emboss, Invertieren, Schärfen; Weiß entfernen (Grenzwert, Abstand), Farbtransparenz, Helligkeit, Rauschen, Verpixelt, Farbfilter; Farbton, Multiplizieren, Mix. Links neben den Filtern finden Sie die folgenden Schaltflächen Rückgängig machen, Wiederholen und Zurücksetzen; Löschen, Alles löschen; Menge (Benutzerdefiniert, Quadrat, 3:2, 4:3, 5:4, 7:5, 16:9); Kippen (Kippen X, Kippen Y, Zurücksetzen); Drehen (30 Grad., -30 Grad.,Schieberegler für manuelle Drehung); Zeichnen (Frei, Gerade, Farbe, Schieberegler für Größe); Form (Rechteck, Kreis, Dreieck, Ausfüllen, Strich, Strichgröße); Symbol (Pfeile, Sterne, Polygon, Speicherort, Herz, Blase, Benutzerdefiniertes Symbol, Farbe); Text (Fett, Kursiv, Unterstrichen, Links, Zentriert, Rechts, Farbe, Textgröße); Schablone. Sie können alle diese Einstellungen probieren. Sie können immer Ihre Aktionen rückgängig machen. Wenn Sie bereit sind, klicken Sie auf die Schaltfläche OK. Das bearbeitete Bild ist jetzt in der Tabelle enthalten." + "body": "Die ONLYOFFICE Tabellenkalkulation hat einen sehr effektiven Fotoeditor, mit dem Sie das Bild mit Filtern anpassen und alle Arten von Anmerkungen einfügen können. Wählen Sie das Bild in Ihrer Tabelle aus. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt Foto-Editor aus. Sie befinden sich jetzt im Bearbeitungsmodus. Unter dem Bild finden Sie die folgenden Kontrollkästchen und Schieberegler für Filter: Graustufe, Sepia, Sepia 2, Blur, Emboss, Invertieren, Schärfen; Weiß entfernen (Grenzwert, Abstand), Farbtransparenz, Helligkeit, Rauschen, Verpixelt, Farbfilter; Farbton, Multiplizieren, Mix. Links neben den Filtern finden Sie die folgenden Schaltflächen Rückgängig machen, Wiederholen und Zurücksetzen; Löschen, Alles löschen; Menge (Benutzerdefiniert, Quadrat, 3:2, 4:3, 5:4, 7:5, 16:9); Kippen (Kippen X, Kippen Y, Zurücksetzen); Drehen (30 Grad., -30 Grad.,Schieberegler für manuelle Drehung); Zeichnen (Frei, Gerade, Farbe, Schieberegler für Größe); Form (Rechteck, Kreis, Dreieck, Ausfüllen, Strich, Strichgröße); Symbol (Pfeile, Sterne, Polygon, Speicherort, Herz, Blase, Benutzerdefiniertes Symbol, Farbe); Text (Fett, Kursiv, Unterstrichen, Links, Zentriert, Rechts, Farbe, Textgröße); Schablone. Sie können alle diese Einstellungen probieren. Sie können immer Ihre Aktionen rückgängig machen. Wenn Sie bereit sind, klicken Sie auf die Schaltfläche OK. Das bearbeitete Bild ist jetzt in der Tabelle enthalten." }, { "id": "UsageInstructions/PivotTables.htm", "title": "Pivot-Tabellen erstellen und bearbeiten", - "body": "Mit Pivot-Tabellen können Sie große Datenmengen gruppieren und anordnen, um zusammengefasste Informationen zu erhalten. Im Tabelleneditor sie können Daten neu organisieren, um nur die erforderliche Information anzuzeigen und sich auf wichtige Aspekte zu konzentrieren. Eine neue Pivot-Tabelle erstellen Um eine Pivot-Tabelle zu erstellen, Bereiten Sie den Quelldatensatz vor, den Sie zum Erstellen einer Pivot-Tabelle verwenden möchten. Er sollte Spaltenkopfzeilen enthalten. Der Datensatz sollte keine leeren Zeilen oder Spalten enthalten. Wählen Sie eine Zelle im Datenquelle-Bereich aus. Öffnen Sie die Registerkarte Pivot-Tabelle in der oberen Symbolleiste und klicken Sie die Schaltfläche Tabelle einfügen an. Wenn Sie eine Pivot-Tabelle auf der Basis einer formatierten Tabelle erstellen möchten, verwenden Sie die Option Pivot-Tabelle einfügen im Menü Tabelle-Einstellungen in der rechten Randleiste. Das Fenster Pivot-Tabelle erstellen wird geöffnet. Die Option Datenquelle-Bereich wird schon konfiguriert. Alle Daten aus dem ausgewählten Datenquelle-Bereich werden verwendet. Wenn Sie den Bereich ändern möchten (z.B., nur einen Teil der Datenquelle enthalten), klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie den Datenbereich im nachfolgenden Format ein: Sheet1!$A$1:$E$10. Sie können auch den gewünschten Datenbereich per Maus auswählen. Klicken Sie auf OK. Wählen Sie die Stelle für die Pivot-Tabelle aus. Die Option Neues Arbeitsblatt ist standardmäßig markiert. Die Pivot-Tabelle wird auf einem neuen Arbeitsblatt erstellt. Die Option Existierendes Arbeitsblatt fordert eine Auswahl der bestimmten Zelle. Die ausgewählte Zelle befindet sich in der oberen rechten Ecke der erstellten Pivot-Tabelle. Um eine Zelle auszuwählen, klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie die Zelladresse im nachfolgenden Format ein: Sheet1!$G$2. Sie können auch die gewünschte Zelle per Maus auswählen. Klicken Sie auf OK. Wenn Sie die Position für die Pivot-Tabelle ausgewählt haben, klicken Sie auf OK im Fenster Pivot-Tabelle erstellen. Eine leere Pivot-Tabelle wird an der ausgewählten Position eingefügt. Die Registerkarte Pivot-Tabelle Einstellungen wird in der rechten Randleiste geöffnet. Sie können diese Registerkarte mithilfe der Schaltfläche ein-/ausblenden. Wählen Sie die Felder zur Ansicht aus Der Abschnitt Felder auswählen enthält die Felder, die gemäß den Spaltenüberschriften in Ihrem Quelldatensatz benannt sind. Jedes Feld enthält Werte aus der entsprechenden Spalte der Quelltabelle. Die folgenden vier Abschnitte stehen zur Verfügung: Filter, Spalten, Zeilen und Werte. Markieren Sie die Felder, die in der Pivot-Tabelle angezeigt werden sollen. Wenn Sie ein Feld markieren, wird es je nach Datentyp zu einem der verfügbaren Abschnitte in der rechten Randleiste hinzugefügt und in der Pivot-Tabelle angezeigt. Felder mit Textwerten werden dem Abschnitt Zeilen hinzugefügt. Felder mit numerischen Werten werden dem Abschnitt Werte hinzugefügt. Sie können Felder in den erforderlichen Abschnitt ziehen sowie die Felder zwischen Abschnitten ziehen, um Ihre Pivot-Tabelle schnell neu zu organisieren. Um ein Feld aus dem aktuellen Abschnitt zu entfernen, ziehen Sie es aus diesem Abschnitt heraus. Um dem erforderlichen Abschnitt ein Feld hinzuzufügen, können Sie auch auf den schwarzen Pfeil rechts neben einem Feld im Abschnitt Felder auswählen klicken und die erforderliche Option aus dem Menü auswählen: Zu Filtern hinzufügen, Zu Zeilen hinzufügen, Zu Spalten hinzufügen, Zu Werten hinzufügen. Unten sehen Sie einige Beispiele für die Verwendung der Abschnitte Filter, Spalten, Zeilen und Werte. Wenn Sie ein Feld dem Abschnitt Filter hunzufügen, wird ein gesonderter Filter oberhalb der Pivot-Tabelle erstellt. Der Filter wird für die ganze Pivot-Tabelle verwendet. Klicken Sie den Abwärtspfeil im erstellten Filter an, um die Werte aus dem ausgewählten Feld anzuzeigen. Wenn einige der Werten im Filter-Fenster demarkiert werden, klicken Sie auf OK, um die demarkierten Werte in der Pivot-Tabelle nicht anzuzeigen. Wenn Sie ein Feld dem Abschnitt Spalten hinzufügen, wird die Pivot-Tabelle die Anzahl der Spalten enthalten, die dem eingegebenen Wert entspricht. Die Spalte Gesamtsumme wird auch eingefügt. Wenn Sie ein Feld dem Abschnitt Zeile hinzufügen, wird die Pivot-Tabelle die Anzahl der Zeilen enthalten, die dem eingegebenen Wert entspricht. Die Zeile Gesamtsumme wird auch eingefügt. Wenn Sie ein Feld dem Abschnitt Werte hinzufügen, zeogt die Pivot-Table die Gesamtsumme für alle numerischen Werte im ausgewählten Feld an. Wenn das Feld Textwerte enthält, wird die Anzahlt der Werte angezeigt. Die Finktion für die Gesamtsumme kann man in den Feldeinstellungen ändern. Die Felder reorganisieren und anpassen Wenn die Felder hinzugefügt sind, ändern Sie das Layout und die Formatierung der Pivot-Tabelle. Klicken Sie den schwarzen Abwärtspfeil neben dem Feld mit den Abschnitten Filter, Spalten, Zeilen oder Werte an, um das Kontextmenü zu öffnen. Das Menü hat die folgenden Optionen: Das ausgewählte Feld Nach oben, Nach unten, Zum Anfang, Zum Ende bewegen und verschieben, wenn es mehr als ein Feld gibt. Das ausgewählte Feld zum anderen Abschnitt bewegen: Zu Filter, Zu Zeilen, Zu Spalten, Zu Werten. Die Option, die dem aktiven Abschnitt entspricht, wird deaktiviert. Das ausgewählte Feld aus dem aktiven Abschnitt Entfernen. Die Feldeinstellungen konfigurieren. Die Einstellungen für die Filter, Spalten und Zeilen sehen gleich aus: Der Abschnitt Layout enthält die folgenden Einstellungen: Die Option Quellenname zeigt den Feldnamen an, der der Spaltenüberschrift aus dem Datenquelle entspricht. Die Option Benutzerdefinierter Name ändert den Namen des aktiven Felds, der in der Pivot-Tabelle angezeigt ist. Der Abschnitt Report Form ändert den Anzeigemodus des aktiven Felds in der Pivot-Tabelle: Wählen Sie das gewünschte Layout für das aktive Feld in der Pivot-Tabelle aus: Der Modus Tabular zeigt eine Spalte für jedes Feld an und erstellt Raum für die Feldüberschriften. Der Modus Gliederung zeigt eine Spalte für jedes Feld an und erstellt Raum für die Feldüberschriften. Die Option zeigt auch Zwischensumme nach oben an. Der Modus Kompakt zeigt Elemente aus verschiedenen Zeilen in einer Spalte an. Die Option Die Überschriften auf jeder Zeile wiederholen gruppiert die Zeilen oder die Spalten zusammen, wenn es viele Felder im Tabular-Modus gibt. Die Option Leere Zeilen nach jedem Element einfügen fügt leere Reihe nach den Elementen im aktiven Feld ein. Die Option Zwischensummen anzeigen ist für die Zwischensummen der ausgewähltenen Felder verantwortlich. Sie können eine der Optionen auswählen: Oben in der Gruppe anzeigen oder Am Ende der Gruppe anzeigen. Die Option Elemente ohne Daten anzeigen blendet die leeren Elemente im aktiven Feld aus-/ein. Der Abschnitt Zwischensumme hat die Funktionen für Zwischensummem. Markieren Sie die gewünschten Funktionen in der Liste: Summe, Anzahl, MITTELWERT, Max, Min, Produkt, Zähle Zahlen, StdDev, StdDevp, Var, Varp. Feldeinstellungen - Werte Die Option Quellenname zeigt den Feldnamen an, der der Spaltenüberschrift aus dem Datenquelle entspricht. Die Option Benutzerdefinierter Name ändert den Namen des aktiven Felds, der in der Pivot-Tabelle angezeigt ist. In der Liste Wert zusammenfassen nach können Sie die Funktion auswählen, nach der der Summierungswert für alle Werte aus diesem Feld berechnet wird. Standardmäßig wird Summe für numerische Werte und Anzahl für Textwerte verwendet. Die verfügbaren Funktionen sind Summe, Anzahl, MITTELWERT, Max, Min, Produkt. Daten gruppieren und Gruppierung aufheben Daten in Pivot-Tabellen können nach benutzerdefinierten Anforderungen gruppiert werden. Für Daten und Nummern ist eine Gruppierung verfügbar. Daten gruppieren Erstellen Sie zum Gruppieren von Daten eine Pivot-Tabelle mit einer Reihe erforderlicher Daten. Klicken Sie mit der rechten Maustaste auf eine Zelle in einer Pivot-Tabelle mit einem Datum, wählen Sie im Pop-Up-Menü die Option Gruppieren und legen Sie im geöffneten Fenster die erforderlichen Parameter fest. Starten - Das erste Datum in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern das gewünschte Datum in dieses Feld ein. Deaktivieren Sie dieses Feld, um den Startpunkt zu ignorieren. Beenden - Das letzte Datum in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern das gewünschte Datum in dieses Feld ein. Deaktivieren Sie dieses Feld, um den Endpunkt zu ignorieren. nach - Die Optionen Sekunden, Minuten und Stunden gruppieren die Daten gemäß der in den Quelldaten angegebenen Zeit. Die Option Monate eliminiert Tage und lässt nur Monate übrig. Die Option Quartale wird unter folgenden Bedingungen ausgeführt: Vier Monate bilden ein Quartal und stellen somit Qtr1, Qtr2 usw. bereit. Die Option Jahre entspricht den in den Quelldaten angegebenen Jahren. Kombinieren Sie die Optionen, um das gewünschte Ergebnis zu erzielen. Anzahl der Tage - Stellen Sie den erforderlichen Wert ein, um einen Datumsbereich zu bestimmen. Klicken Sie auf OK, wenn Sie bereit sind. Nummer gruppieren Erstellen Sie zum Gruppieren von Nummern eine Pivot-Tabelle mit einer Reihe erforderlicher Nummern. Klicken Sie mit der rechten Maustaste auf eine Zelle in einer Pivot-Tabelle mit einer Zahl, wählen Sie im Pop-Up-Menü die Option Gruppieren und legen Sie im geöffneten Fenster die erforderlichen Parameter fest. Starten - Die kleinste Nummer in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern die gewünschte Nummer in dieses Feld ein. Deaktivieren Sie dieses Feld, um die kleinste Nummer zu ignorieren. Beenden - Die größte Nummer in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern die gewünschte Nummer in dieses Feld ein. Deaktivieren Sie dieses Feld, um die größte Nummer zu ignorieren. nach - Stellt das erforderliche Intervall für die Gruppierung von Nummern ein. Zum Beispiel, \"2\" gruppiert die Nummern von 1 bis 10 als \"1-2\", \"3-4\" usw. Klicken Sie auf OK, wenn Sie bereit sind. Gruppierung von Daten aufheben Um zuvor gruppierte Daten aufzuheben, klicken Sie mit der rechten Maustaste auf eine beliebige Zelle in der Gruppe, wählen Sie im Kontextmenü die Option Gruppierung aufheben. Darstellung der Pivot-Tabellen ändern Verwenden Sie die Optionen aus der oberen Symbolleiste, um die Darstellung der Pivot-Tabellen zu konfigurieren. Diese Optionen sind für die ganze Tabelle verwendet. Wählen Sie mindestens eine Zelle in der Pivot-Tabelle per Mausklik aus, um die Optionen der Bearbeitung zu aktivieren. Wählen Sie das gewünschte Layout für die Pivot-Tabelle in der Drop-Down Liste Berichtslayout aus: In Kurzformat anzeigen - die Elemente aus verschieden Zeilen in einer Spalte anzeigen. In Gliederungsformat anzeigen - die Pivot-Tabelle im klassischen Pivot-Tabellen-Format anzeigen: jede Spalte für jedes Feld, erstellte Räume für Feldüberschrifte. Die Zwischensummen sind nach oben angezeigt. In Tabellenformat anzeigen - die Pivot-Tabelle als eine standardmaßige Tabelle anzeigen: jede Spalte für jedes Feld, erstellte Räume für Feldüberschrifte. Alle Elementnamen wiederholen - Zeilen oder Spalten visuell gruppieren, wenn Sie mehrere Felder in Tabellenform haben. Alle Elementnamen nicht wiederholen - Elementnamen ausblenden, wenn Sie mehrere Felder in der Tabellenform haben. Wählen Sie den gewünschten Anzeigemodus für die leeren Zeilen in der Drop-Down Liste Leere Zeilen aus: Nach jedem Element eine Leerzeile einfügen - fügen Sie die leeren Zeilen nach Elementen ein. Leere Zeilen nach jedem Element entfernen - entfernen Sie die eingefügten Zeilen. Wählen Sie den gewünschten Anzeigemodus für die Zwischensummen in der Drop-Down Liste Teilergebnisse aus: Keine Zwischensummen anzeigen - blenden Sie die Zwischensummen aus. Alle Teilergebnisse unten in der Gruppe anzeigen - die Zwischensummen werden unten angezeigt. Alle Teilergebnisse oben in der Gruppe anzeigen - die Zwischensummen werden oben angezeigt. Wählen Sie den gewünschten Anzeigemodus für die Gesamtergebnisse in der Drop-Down Liste Gesamtergebnisse ein- oder ausblenden aus: Für Zeilen und Spalten deaktiviert - die Gesamtergebnisse für die Spalten und Zeilen ausblenden. Für Zeilen und Spalten aktiviert - die Gesamtergebnisse für die Spalten und Zeilen anzeigen. Nur für Zeilen aktiviert - die Gesamtergebnisse nur für die Zeilen anzeigen. Nur für Spalten aktiviert - die Gesamtergebnisse nur für die Spalten anzeigen. Hinweis: Diese Einstellungen befinden sich auch im Fenster für die erweiterten Einstellungen der Pivot-Tabellen im Abschnitt Gesamtergebnisse in der Registerkarte Name und Layout. Die Schaltfläche Auswählen wählt die ganze Pivot-Tabelle aus. Wenn Sie die Daten in der Datenquelle ändern, wählen Sie die Pivot-Tabelle aus und klicken Sie die Schaltfläche Aktualisieren an, um die Pivot-Tabelle zu aktualisieren. Den Stil der Pivot-Tabellen ändern Sie können die Darstellung von Pivot-Tabellen mithilfe der in der oberen Symbolleiste verfügbaren Stilbearbeitungswerkzeuge ändern. Wählen Sie mindestens eine Zelle per Maus in der Pivot-Tabelle aus, um die Bearbeitungswerkzeuge in der oberen Symbolleiste zu aktivieren. Mit den Optionen für Zeilen und Spalten können Sie bestimmte Zeilen / Spalten hervorheben, eine bestimmte Formatierung anwenden, oder verschiedene Zeilen / Spalten mit unterschiedlichen Hintergrundfarben hervorheben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Zeilenüberschriften - die Zeilenüberschriften mit einer speziellen Formatierung hervorheben. Spaltenüberschriften - die Spaltenüberschriften mit einer speziellen Formatierung hervorheben. Verbundene Zeilen - aktiviert den Hintergrundfarbwechsel für ungerade und gerade Zeilen. Verbundene Spalten - aktiviert den Hintergrundfarbwechsel für ungerade und gerade Spalten. In der Vorlagenliste können Sie einen der vordefinierten Pivot-Tabellenstile auswählen. Jede Vorlage enthält bestimmte Formatierungsparameter wie Hintergrundfarbe, Rahmenstil, Zeilen- / Spaltenstreifen usw. Abhängig von den für Zeilen und Spalten aktivierten Optionen werden die Vorlagen unterschiedlich angezeigt. Wenn Sie beispielsweise die Optionen Zeilenüberschriften und Verbundene Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen, bei denen die Zeilenüberschriften hervorgehoben und die verbundenen Spalten aktiviert sind. Pivot-Tabellen filtern und sortieren Sie können Pivot-Tabellen nach Beschriftungen oder Werten filtern und die zusätzlichen Sortierparameter verwenden. Filtern Klicken Sie auf den Dropdown-Pfeil in den Spaltenbeschriftungen Zeilen oder Spalten in der Pivot-Tabelle. Die Optionsliste Filter wird geöffnet: Passen Sie die Filterparameter an. Sie können auf eine der folgenden Arten vorgehen: Wählen Sie die Daten aus, die angezeigt werden sollen, oder filtern Sie die Daten nach bestimmten Kriterien. Wählen Sie die anzuzeigenden Daten aus Deaktivieren Sie die Kontrollkästchen neben den Daten, die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten in der Optionsliste Filter in aufsteigender Reihenfolge sortiert. Hinweis: Das Kontrollkästchen (leer) entspricht den leeren Zellen. Es ist verfügbar, wenn der ausgewählte Zellbereich mindestens eine leere Zelle enthält. Verwenden Sie das Suchfeld oben, um den Vorgang zu vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein. Die Werte, die diese Zeichen enthalten, werden in der folgenden Liste angezeigt. Die folgenden zwei Optionen sind ebenfalls verfügbar: Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Hier können Sie alle Werte auswählen, die Ihrer Angabe in der Liste entsprechen. Dem Filter die aktuelle Auswahl hinzufügen. Wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte beim Anwenden des Filters nicht ausgeblendet. Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie in der Optionsliste Filter auf die Schaltfläche OK, um den Filter anzuwenden. Filtern Sie Daten nach bestimmten Kriterien Sie können entweder die Option Beschriftungsfilter oder die Option Wertefilter auf der rechten Seite der Optionsliste Filter auswählen und dann auf eine der Optionen aus dem Menü klicken: Für den Beschriftungsfilter stehen folgende Optionen zur Verfügung: Für Texte: Entspricht..., Ist nicht gleich..., Beginnt mit ..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält... , Enthält kein/keine.... Für Zahlen: Größer als ..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Nicht zwischen. Für den Wertefilter stehen folgende Optionen zur Verfügung: Entspricht..., Ist nicht gleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Nicht zwischen, Erste 10. Nachdem Sie eine der oben genannten Optionen ausgewählt haben (außer Erste 10), wird das Fenster Beschriftungsfilter/Wertefilter geöffnet. Das entsprechende Feld und Kriterium wird in der ersten und zweiten Dropdown-Liste ausgewählt. Geben Sie den erforderlichen Wert in das Feld rechts ein. Klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Erste 10 aus der Optionsliste Wertefilter auswählen, wird ein neues Fenster geöffnet: In der ersten Dropdown-Liste können Sie auswählen, ob Sie den höchsten (Oben) oder den niedrigsten (Unten) Wert anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). In der dritten Dropdown-Liste können Sie die Maßeinheiten festlegen: Element oder Prozent. In der vierten Dropdown-Liste wird der ausgewählte Feldname angezeigt. Sobald die erforderlichen Parameter festgelegt sind, klicken Sie auf OK, um den Filter anzuwenden. Die Schaltfläche Filter wird in den Zeilenbeschriftungen oder Spaltenbeschriftungen der Pivot-Tabelle angezeigt. Dies bedeutet, dass der Filter angewendet wird. Sortierung Sie können die Pivot-Tabellendaten sortieren. Klicken Sie auf den Dropdown-Pfeil in den Zeilenbeschriftungen oder Spaltenbeschriftungen der Pivot-Tabelle und wählen Sie dann im Menü die Option Aufsteigend sortieren oder Absteigend sortieren aus. Mit der Option Mehr Sortierungsoptionen können Sie das Fenster Sortieren öffnen, in dem Sie die erforderliche Sortierreihenfolge auswählen können - Aufsteigend oder Absteigend - und wählen Sie dann ein bestimmtes Feld aus, das Sie sortieren möchten. Datenschnitte einfügen Sie können Datenschnitte hinzufügen, um die Daten einfacher zu filtern, indem Sie nur das anzeigen, was benötigt wird. Um mehr über Datenschnitte zu erfahren, lesen Sie bitte diese Anelitung. Erweiterte Einstellungen der Pivot-Tabelle konfigurieren Verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Randleiste, um die erweiterten Einstellungen der Pivot-Tabelle zu ändern. Das Fenster 'Pivot-Tabelle - Erweiterte Einstellungen' wird geöffnet: Der Abschnitt Name und Layout ändert die gemeinsamen Eigenschaften der Pivot-Tabelle. Die Option Name ändert den Namen der Pivot-Tabelle. Der Abschnitt Gesamtsummen ändert den Anzeigemodus der Gesamtsummen in der Pivot-Tabelle. Die Optionen Für Zeilen anzeigen und Für Spalten anzeigen werden standardmäßig aktiviert. Sie können eine oder beide Optionen deaktivieren, um die entsprechenden Gesamtsummen auszublenden. Hinweis: Diese Einstellungen können Sie auch in der oberen Symbolleiste im Menü Gesamtergebnisse konfigurieren. Der Abschnitt Felder in Bericht Filter anzeigen passt die Berichtsfilter an, die angezeigt werden, wenn Sie dem Abschnitt Filter Felder hinzufügen: Die Option Runter, dann über ist für die Spaltenbearbeitung verwendet. Die Berichtsfilter werden in der Spalte angezeigt. Die Option Über, dann runter ist für die Zeilenbearbeitung verwendet. Die Berichtsfilter werden in der Zeile angezeigt. Die Option Berichtsfilterfelder pro Spalte lässt die Anzahl der Filter in jeder Spalte auswählen. Der Standardwert ist 0. Sie können den erforderlichen numerischen Wert einstellen. Im Abschnitt Feld Überschrift können Sie auswählen, ob Feldüberschriften in der Pivot-Tabelle angezeigt werden sollen. Die Option Feldüberschriften für Zeilen und Spalten anzeigen ist standardmäßig aktiviert. Deaktivieren Sie diese Option, um Feldüberschriften aus der Pivot-Tabelle auszublenden. Der Abschnitt Datenquelle ändert die verwendeten Daten für die Pivot-Tabelle. Prüfen Sie den Datenbereich und ändern Sie ihn gegebenfalls. Um den Datenbereich zu ändern, klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie den gewünschten Datenbereich im nachfolgenden Format ein: Sheet1!$A$1:$E$10 oder verwenden Sie die Maus. Klicken Sie auf OK. Der Abschnitt Alternativer Text konfiguriert den Titel und die Beschreibung. Diese Optionen sind für die Benutzer mit Seh- oder kognitiven Beeinträchtigungen verfügbar, damit sie besser verstehen, welche Informationen die Pivot-Tabelle enthält. Eine Pivot-Tabelle löschen Um eine Pivot-Tabelle zu löschen, Wählen Sie die ganze Pivot-Tabelle mithilfe der Schaltfläche Auswählen in der oberen Symbolleiste aus. Drucken Sie die Entfernen-Taste." + "body": "Mit Pivot-Tabellen können Sie große Datenmengen gruppieren und anordnen, um zusammengefasste Informationen zu erhalten. In der Tabellenkalkulation können Sie Daten neu organisieren, um nur die erforderliche Information anzuzeigen und sich auf wichtige Aspekte zu konzentrieren. Eine neue Pivot-Tabelle erstellen Um eine Pivot-Tabelle zu erstellen, Bereiten Sie den Quelldatensatz vor, den Sie zum Erstellen einer Pivot-Tabelle verwenden möchten. Er sollte Spaltenkopfzeilen enthalten. Der Datensatz sollte keine leeren Zeilen oder Spalten enthalten. Wählen Sie eine Zelle im Datenquelle-Bereich aus. Öffnen Sie die Registerkarte Pivot-Tabelle in der oberen Symbolleiste und klicken Sie die Schaltfläche Tabelle einfügen an. Wenn Sie eine Pivot-Tabelle auf der Basis einer formatierten Tabelle erstellen möchten, verwenden Sie die Option Pivot-Tabelle einfügen im Menü Tabelle-Einstellungen in der rechten Randleiste. Das Fenster Pivot-Tabelle erstellen wird geöffnet. Die Option Datenquelle-Bereich wird schon konfiguriert. Alle Daten aus dem ausgewählten Datenquelle-Bereich werden verwendet. Wenn Sie den Bereich ändern möchten (z.B., nur einen Teil der Datenquelle enthalten), klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie den Datenbereich im nachfolgenden Format ein: Sheet1!$A$1:$E$10. Sie können auch den gewünschten Datenbereich per Maus auswählen. Klicken Sie auf OK. Wählen Sie die Stelle für die Pivot-Tabelle aus. Die Option Neues Arbeitsblatt ist standardmäßig markiert. Die Pivot-Tabelle wird auf einem neuen Arbeitsblatt erstellt. Die Option Existierendes Arbeitsblatt fordert eine Auswahl der bestimmten Zelle. Die ausgewählte Zelle befindet sich in der oberen rechten Ecke der erstellten Pivot-Tabelle. Um eine Zelle auszuwählen, klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie die Zelladresse im nachfolgenden Format ein: Sheet1!$G$2. Sie können auch die gewünschte Zelle per Maus auswählen. Klicken Sie auf OK. Wenn Sie die Position für die Pivot-Tabelle ausgewählt haben, klicken Sie auf OK im Fenster Pivot-Tabelle erstellen. Eine leere Pivot-Tabelle wird an der ausgewählten Position eingefügt. Die Registerkarte Pivot-Tabelle Einstellungen wird in der rechten Randleiste geöffnet. Sie können diese Registerkarte mithilfe der Schaltfläche ein-/ausblenden. Die Felder zur Ansicht auswählen Der Abschnitt Felder auswählen enthält die Felder, die gemäß den Spaltenüberschriften in Ihrem Quelldatensatz benannt sind. Jedes Feld enthält Werte aus der entsprechenden Spalte der Quelltabelle. Die folgenden vier Abschnitte stehen zur Verfügung: Filter, Spalten, Zeilen und Werte. Markieren Sie die Felder, die in der Pivot-Tabelle angezeigt werden sollen. Wenn Sie ein Feld markieren, wird es je nach Datentyp zu einem der verfügbaren Abschnitte in der rechten Randleiste hinzugefügt und in der Pivot-Tabelle angezeigt. Felder mit Textwerten werden dem Abschnitt Zeilen hinzugefügt. Felder mit numerischen Werten werden dem Abschnitt Werte hinzugefügt. Sie können Felder in den erforderlichen Abschnitt ziehen sowie die Felder zwischen Abschnitten ziehen, um Ihre Pivot-Tabelle schnell neu zu organisieren. Um ein Feld aus dem aktuellen Abschnitt zu entfernen, ziehen Sie es aus diesem Abschnitt heraus. Um dem erforderlichen Abschnitt ein Feld hinzuzufügen, können Sie auch auf den schwarzen Pfeil rechts neben einem Feld im Abschnitt Felder auswählen klicken und die erforderliche Option aus dem Menü auswählen: Zu Filtern hinzufügen, Zu Zeilen hinzufügen, Zu Spalten hinzufügen, Zu Werten hinzufügen. Unten sehen Sie einige Beispiele für die Verwendung der Abschnitte Filter, Spalten, Zeilen und Werte. Wenn Sie ein Feld dem Abschnitt Filter hunzufügen, wird ein gesonderter Filter oberhalb der Pivot-Tabelle erstellt. Der Filter wird für die ganze Pivot-Tabelle verwendet. Klicken Sie den Abwärtspfeil im erstellten Filter an, um die Werte aus dem ausgewählten Feld anzuzeigen. Wenn einige der Werten im Filter-Fenster demarkiert werden, klicken Sie auf OK, um die demarkierten Werte in der Pivot-Tabelle nicht anzuzeigen. Wenn Sie ein Feld dem Abschnitt Spalten hinzufügen, wird die Pivot-Tabelle die Anzahl der Spalten enthalten, die dem eingegebenen Wert entspricht. Die Spalte Gesamtsumme wird auch eingefügt. Wenn Sie ein Feld dem Abschnitt Zeile hinzufügen, wird die Pivot-Tabelle die Anzahl der Zeilen enthalten, die dem eingegebenen Wert entspricht. Die Zeile Gesamtsumme wird auch eingefügt. Wenn Sie ein Feld dem Abschnitt Werte hinzufügen, zeogt die Pivot-Table die Gesamtsumme für alle numerischen Werte im ausgewählten Feld an. Wenn das Feld Textwerte enthält, wird die Anzahlt der Werte angezeigt. Die Finktion für die Gesamtsumme kann man in den Feldeinstellungen ändern. Die Felder reorganisieren und anpassen Wenn die Felder hinzugefügt sind, ändern Sie das Layout und die Formatierung der Pivot-Tabelle. Klicken Sie den schwarzen Abwärtspfeil neben dem Feld mit den Abschnitten Filter, Spalten, Zeilen oder Werte an, um das Kontextmenü zu öffnen. Das Menü hat die folgenden Optionen: Das ausgewählte Feld Nach oben, Nach unten, Zum Anfang, Zum Ende bewegen und verschieben, wenn es mehr als ein Feld gibt. Das ausgewählte Feld zum anderen Abschnitt bewegen: Zu Filter, Zu Zeilen, Zu Spalten, Zu Werten. Die Option, die dem aktiven Abschnitt entspricht, wird deaktiviert. Das ausgewählte Feld aus dem aktiven Abschnitt Entfernen. Die Feldeinstellungen konfigurieren. Die Einstellungen für die Filter, Spalten und Zeilen sehen gleich aus: Der Abschnitt Layout enthält die folgenden Einstellungen: Die Option Quellenname zeigt den Feldnamen an, der der Spaltenüberschrift aus dem Datenquelle entspricht. Die Option Benutzerdefinierter Name ändert den Namen des aktiven Felds, der in der Pivot-Tabelle angezeigt ist. Der Abschnitt Berichtsformular ändert den Anzeigemodus des aktiven Felds in der Pivot-Tabelle: Wählen Sie das gewünschte Layout für das aktive Feld in der Pivot-Tabelle aus: Der Modus Tabular zeigt eine Spalte für jedes Feld an und erstellt Raum für die Feldüberschriften. Der Modus Gliederung zeigt eine Spalte für jedes Feld an und erstellt Raum für die Feldüberschriften. Die Option zeigt auch Zwischensumme nach oben an. Der Modus Kompakt zeigt Elemente aus verschiedenen Zeilen in einer Spalte an. Die Option Die Überschriften auf jeder Zeile wiederholen gruppiert die Zeilen oder die Spalten zusammen, wenn es viele Felder im Tabular-Modus gibt. Die Option Leere Zeilen nach jedem Element einfügen fügt leere Reihe nach den Elementen im aktiven Feld ein. Die Option Zwischensummen anzeigen ist für die Zwischensummen der ausgewähltenen Felder verantwortlich. Sie können eine der Optionen auswählen: Oben in der Gruppe anzeigen oder Am Ende der Gruppe anzeigen. Die Option Elemente ohne Daten anzeigen blendet die leeren Elemente im aktiven Feld aus-/ein. Der Abschnitt Zwischensumme hat die Funktionen für Zwischensummem. Markieren Sie die gewünschten Funktionen in der Liste: Summe, Anzahl, MITTELWERT, Max, Min, Produkt, Zähle Zahlen, StdDev, StdDevp, Var, Varp. Feldeinstellungen - Werte Die Option Quellenname zeigt den Feldnamen an, der der Spaltenüberschrift aus dem Datenquelle entspricht. Die Option Benutzerdefinierter Name ändert den Namen des aktiven Felds, der in der Pivot-Tabelle angezeigt ist. In der Liste Wert zusammenfassen nach können Sie die Funktion auswählen, nach der der Summierungswert für alle Werte aus diesem Feld berechnet wird. Standardmäßig wird Summe für numerische Werte und Anzahl für Textwerte verwendet. Die verfügbaren Funktionen sind Summe, Anzahl, MITTELWERT, Max, Min, Produkt. Daten gruppieren und Gruppierung aufheben Daten in Pivot-Tabellen können nach benutzerdefinierten Anforderungen gruppiert werden. Für Daten und Nummern ist eine Gruppierung verfügbar. Daten gruppieren Erstellen Sie zum Gruppieren von Daten eine Pivot-Tabelle mit einer Reihe erforderlicher Daten. Klicken Sie mit der rechten Maustaste auf eine Zelle in einer Pivot-Tabelle mit einem Datum, wählen Sie im Pop-Up-Menü die Option Gruppieren und legen Sie im geöffneten Fenster die erforderlichen Parameter fest. Starten - Das erste Datum in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern das gewünschte Datum in dieses Feld ein. Deaktivieren Sie dieses Feld, um den Startpunkt zu ignorieren. Beenden - Das letzte Datum in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern das gewünschte Datum in dieses Feld ein. Deaktivieren Sie dieses Feld, um den Endpunkt zu ignorieren. nach - Die Optionen Sekunden, Minuten und Stunden gruppieren die Daten gemäß der in den Quelldaten angegebenen Zeit. Die Option Monate eliminiert Tage und lässt nur Monate übrig. Die Option Quartale wird unter folgenden Bedingungen ausgeführt: Vier Monate bilden ein Quartal und stellen somit Qtr1, Qtr2 usw. bereit. Die Option Jahre entspricht den in den Quelldaten angegebenen Jahren. Kombinieren Sie die Optionen, um das gewünschte Ergebnis zu erzielen. Anzahl der Tage - Stellen Sie den erforderlichen Wert ein, um einen Datumsbereich zu bestimmen. Klicken Sie auf OK, wenn Sie bereit sind. Nummer gruppieren Erstellen Sie zum Gruppieren von Nummern eine Pivot-Tabelle mit einer Reihe erforderlicher Nummern. Klicken Sie mit der rechten Maustaste auf eine Zelle in einer Pivot-Tabelle mit einer Zahl, wählen Sie im Pop-Up-Menü die Option Gruppieren und legen Sie im geöffneten Fenster die erforderlichen Parameter fest. Starten - Die kleinste Nummer in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern die gewünschte Nummer in dieses Feld ein. Deaktivieren Sie dieses Feld, um die kleinste Nummer zu ignorieren. Beenden - Die größte Nummer in den Quelldaten ist standardmäßig ausgewählt. Geben Sie zum Ändern die gewünschte Nummer in dieses Feld ein. Deaktivieren Sie dieses Feld, um die größte Nummer zu ignorieren. nach - Stellt das erforderliche Intervall für die Gruppierung von Nummern ein. Zum Beispiel, \"2\" gruppiert die Nummern von 1 bis 10 als \"1-2\", \"3-4\" usw. Klicken Sie auf OK, wenn Sie bereit sind. Gruppierung von Daten aufheben Um zuvor gruppierte Daten aufzuheben, klicken Sie mit der rechten Maustaste auf eine beliebige Zelle in der Gruppe, wählen Sie im Kontextmenü die Option Gruppierung aufheben. Darstellung der Pivot-Tabellen ändern Verwenden Sie die Optionen aus der oberen Symbolleiste, um die Darstellung der Pivot-Tabellen zu konfigurieren. Diese Optionen sind für die ganze Tabelle verwendet. Wählen Sie mindestens eine Zelle in der Pivot-Tabelle per Mausklik aus, um die Optionen der Bearbeitung zu aktivieren. Wählen Sie das gewünschte Layout für die Pivot-Tabelle in der Drop-Down Liste Berichtslayout aus: In Kurzformat anzeigen - die Elemente aus verschieden Zeilen in einer Spalte anzeigen. In Gliederungsformat anzeigen - die Pivot-Tabelle im klassischen Pivot-Tabellen-Format anzeigen: jede Spalte für jedes Feld, erstellte Räume für Feldüberschrifte. Die Zwischensummen sind nach oben angezeigt. In Tabellenformat anzeigen - die Pivot-Tabelle als eine standardmaßige Tabelle anzeigen: jede Spalte für jedes Feld, erstellte Räume für Feldüberschrifte. Alle Elementnamen wiederholen - Zeilen oder Spalten visuell gruppieren, wenn Sie mehrere Felder in Tabellenform haben. Alle Elementnamen nicht wiederholen - Elementnamen ausblenden, wenn Sie mehrere Felder in der Tabellenform haben. Wählen Sie den gewünschten Anzeigemodus für die leeren Zeilen in der Drop-Down Liste Leere Zeilen aus: Nach jedem Element eine Leerzeile einfügen - fügen Sie die leeren Zeilen nach Elementen ein. Leere Zeilen nach jedem Element entfernen - entfernen Sie die eingefügten Zeilen. Wählen Sie den gewünschten Anzeigemodus für die Zwischensummen in der Drop-Down Liste Teilergebnisse aus: Keine Zwischensummen anzeigen - blenden Sie die Zwischensummen aus. Alle Teilergebnisse unten in der Gruppe anzeigen - die Zwischensummen werden unten angezeigt. Alle Teilergebnisse oben in der Gruppe anzeigen - die Zwischensummen werden oben angezeigt. Wählen Sie den gewünschten Anzeigemodus für die Gesamtergebnisse in der Drop-Down Liste Gesamtergebnisse ein- oder ausblenden aus: Für Zeilen und Spalten deaktiviert - die Gesamtergebnisse für die Spalten und Zeilen ausblenden. Für Zeilen und Spalten aktiviert - die Gesamtergebnisse für die Spalten und Zeilen anzeigen. Nur für Zeilen aktiviert - die Gesamtergebnisse nur für die Zeilen anzeigen. Nur für Spalten aktiviert - die Gesamtergebnisse nur für die Spalten anzeigen. Diese Einstellungen befinden sich auch im Fenster für die erweiterten Einstellungen der Pivot-Tabellen im Abschnitt Gesamtergebnisse in der Registerkarte Name und Layout. Die Schaltfläche Auswählen wählt die ganze Pivot-Tabelle aus. Wenn Sie die Daten in der Datenquelle ändern, wählen Sie die Pivot-Tabelle aus und klicken Sie die Schaltfläche Aktualisieren an, um die Pivot-Tabelle zu aktualisieren. Den Stil der Pivot-Tabellen ändern Sie können die Darstellung von Pivot-Tabellen mithilfe der in der oberen Symbolleiste verfügbaren Stilbearbeitungswerkzeuge ändern. Wählen Sie mindestens eine Zelle per Maus in der Pivot-Tabelle aus, um die Bearbeitungswerkzeuge in der oberen Symbolleiste zu aktivieren. Mit den Optionen für Zeilen und Spalten können Sie bestimmte Zeilen / Spalten hervorheben, eine bestimmte Formatierung anwenden, oder verschiedene Zeilen / Spalten mit unterschiedlichen Hintergrundfarben hervorheben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Zeilenüberschriften - die Zeilenüberschriften mit einer speziellen Formatierung hervorheben. Spaltenüberschriften - die Spaltenüberschriften mit einer speziellen Formatierung hervorheben. Verbundene Zeilen - aktiviert den Hintergrundfarbwechsel für ungerade und gerade Zeilen. Verbundene Spalten - aktiviert den Hintergrundfarbwechsel für ungerade und gerade Spalten. In der Vorlagenliste können Sie einen der vordefinierten Pivot-Tabellenstile auswählen. Jede Vorlage enthält bestimmte Formatierungsparameter wie Hintergrundfarbe, Rahmenstil, Zeilen- / Spaltenstreifen usw. Abhängig von den für Zeilen und Spalten aktivierten Optionen werden die Vorlagen unterschiedlich angezeigt. Wenn Sie beispielsweise die Optionen Zeilenüberschriften und Verbundene Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen, bei denen die Zeilenüberschriften hervorgehoben und die verbundenen Spalten aktiviert sind. Pivot-Tabellen filtern und sortieren Sie können Pivot-Tabellen nach Beschriftungen oder Werten filtern und die zusätzlichen Sortierparameter verwenden. Filtern Klicken Sie auf den Dropdown-Pfeil in den Spaltenbeschriftungen Zeilen oder Spalten in der Pivot-Tabelle. Die Optionsliste Filter wird geöffnet: Passen Sie die Filterparameter an. Sie können auf eine der folgenden Arten vorgehen: Wählen Sie die Daten aus, die angezeigt werden sollen, oder filtern Sie die Daten nach bestimmten Kriterien. Wählen Sie die anzuzeigenden Daten aus Deaktivieren Sie die Kontrollkästchen neben den Daten, die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten in der Optionsliste Filter in aufsteigender Reihenfolge sortiert. Das Kontrollkästchen (leer) entspricht den leeren Zellen. Es ist verfügbar, wenn der ausgewählte Zellbereich mindestens eine leere Zelle enthält. Verwenden Sie das Suchfeld oben, um den Vorgang zu vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein. Die Werte, die diese Zeichen enthalten, werden in der folgenden Liste angezeigt. Die folgenden zwei Optionen sind ebenfalls verfügbar: Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Hier können Sie alle Werte auswählen, die Ihrer Angabe in der Liste entsprechen. Dem Filter die aktuelle Auswahl hinzufügen. Wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte beim Anwenden des Filters nicht ausgeblendet. Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie in der Optionsliste Filter auf die Schaltfläche OK, um den Filter anzuwenden. Filtern Sie Daten nach bestimmten Kriterien Sie können entweder die Option Beschriftungsfilter oder die Option Wertefilter auf der rechten Seite der Optionsliste Filter auswählen und dann auf eine der Optionen aus dem Menü klicken: Für den Beschriftungsfilter stehen folgende Optionen zur Verfügung: Für Texte: Entspricht..., Ist nicht gleich..., Beginnt mit ..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält... , Enthält kein/keine.... Für Zahlen: Größer als ..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Nicht zwischen. Für den Wertefilter stehen folgende Optionen zur Verfügung: Entspricht..., Ist nicht gleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Nicht zwischen, Erste 10. Nachdem Sie eine der oben genannten Optionen ausgewählt haben (außer Erste 10), wird das Fenster Beschriftungsfilter/Wertefilter geöffnet. Das entsprechende Feld und Kriterium wird in der ersten und zweiten Dropdown-Liste ausgewählt. Geben Sie den erforderlichen Wert in das Feld rechts ein. Klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Erste 10 aus der Optionsliste Wertefilter auswählen, wird ein neues Fenster geöffnet: In der ersten Dropdown-Liste können Sie auswählen, ob Sie den höchsten (Oben) oder den niedrigsten (Unten) Wert anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). In der dritten Dropdown-Liste können Sie die Maßeinheiten festlegen: Element oder Prozent. In der vierten Dropdown-Liste wird der ausgewählte Feldname angezeigt. Sobald die erforderlichen Parameter festgelegt sind, klicken Sie auf OK, um den Filter anzuwenden. Die Schaltfläche Filter wird in den Zeilenbeschriftungen oder Spaltenbeschriftungen der Pivot-Tabelle angezeigt. Dies bedeutet, dass der Filter angewendet wird. Sortierung Sie können die Pivot-Tabellendaten sortieren. Klicken Sie auf den Dropdown-Pfeil in den Zeilenbeschriftungen oder Spaltenbeschriftungen der Pivot-Tabelle und wählen Sie dann im Menü die Option Aufsteigend sortieren oder Absteigend sortieren aus. Mit der Option Mehr Sortierungsoptionen können Sie das Fenster Sortieren öffnen, in dem Sie die erforderliche Sortierreihenfolge auswählen können - Aufsteigend oder Absteigend - und wählen Sie dann ein bestimmtes Feld aus, das Sie sortieren möchten. Datenschnitte einfügen Sie können Datenschnitte hinzufügen, um die Daten einfacher zu filtern, indem Sie nur das anzeigen, was benötigt wird. Um mehr über Datenschnitte zu erfahren, lesen Sie bitte diese Anelitung. Erweiterte Einstellungen der Pivot-Tabelle konfigurieren Verwenden Sie den Link Erweiterte Einstellungen anzeigen in der rechten Randleiste, um die erweiterten Einstellungen der Pivot-Tabelle zu ändern. Das Fenster 'Pivot-Tabelle - Erweiterte Einstellungen' wird geöffnet: Der Abschnitt Name und Layout ändert die gemeinsamen Eigenschaften der Pivot-Tabelle. Die Option Name ändert den Namen der Pivot-Tabelle. Der Abschnitt Gesamtsummen ändert den Anzeigemodus der Gesamtsummen in der Pivot-Tabelle. Die Optionen Für Zeilen anzeigen und Für Spalten anzeigen werden standardmäßig aktiviert. Sie können eine oder beide Optionen deaktivieren, um die entsprechenden Gesamtsummen auszublenden. Hinweis: Diese Einstellungen können Sie auch in der oberen Symbolleiste im Menü Gesamtergebnisse konfigurieren. Der Abschnitt Felder in Bericht Filter anzeigen passt die Berichtsfilter an, die angezeigt werden, wenn Sie dem Abschnitt Filter Felder hinzufügen: Die Option Runter, dann über ist für die Spaltenbearbeitung verwendet. Die Berichtsfilter werden in der Spalte angezeigt. Die Option Über, dann runter ist für die Zeilenbearbeitung verwendet. Die Berichtsfilter werden in der Zeile angezeigt. Die Option Berichtsfilterfelder pro Spalte lässt die Anzahl der Filter in jeder Spalte auswählen. Der Standardwert ist 0. Sie können den erforderlichen numerischen Wert einstellen. Mit der Option Die Feldkopfzeilen für Zeilen und Spalten anzeigen können Sie auswählen, ob Sie Feldkopfzeilen in Ihrer Pivot-Tabelle anzeigen möchten. Die Option ist standardmäßig aktiviert. Deaktivieren Sie es, um Feldkopfzeilen aus Ihrer Pivot-Tabelle auszublenden. Mit der Option Autofit column widths on update können Sie die automatische Anpassung der Spaltenbreiten aktivieren/deaktivieren. Die Option ist standardmäßig aktiviert. Der Abschnitt Datenquelle ändert die verwendeten Daten für die Pivot-Tabelle. Prüfen Sie den Datenbereich und ändern Sie ihn gegebenfalls. Um den Datenbereich zu ändern, klicken Sie die Schaltfläche an. Im Fenster Datenbereich auswählen geben Sie den gewünschten Datenbereich im nachfolgenden Format ein: Sheet1!$A$1:$E$10 oder verwenden Sie die Maus. Klicken Sie auf OK. Der Abschnitt Alternativer Text konfiguriert den Titel und die Beschreibung. Diese Optionen sind für die Benutzer mit Seh- oder kognitiven Beeinträchtigungen verfügbar, damit sie besser verstehen, welche Informationen die Pivot-Tabelle enthält. Eine Pivot-Tabelle löschen Um eine Pivot-Tabelle zu löschen, Wählen Sie die ganze Pivot-Tabelle mithilfe der Schaltfläche Auswählen in der oberen Symbolleiste aus. Drucken Sie die Entfernen-Taste." }, { "id": "UsageInstructions/ProtectSheet.htm", @@ -2593,7 +2603,7 @@ var indexes = { "id": "UsageInstructions/ProtectSpreadsheet.htm", "title": "Kalkulationstabelle schützen", - "body": "Die Tabellenkalkulation bietet Sie die Möglichkeit, eine freigegebene Tabelle zu schützen, wenn Sie den Zugriff oder die Bearbeitungsfunktionen für andere Benutzer einschränken möchten. Die Tabellenkalkulation bietet verschiedene Schutzstufen, um sowohl den Zugriff auf die Datei als auch die Bearbeitungsfunktionen innerhalb einer Arbeitsmappe und innerhalb der Blätter zu verwalten. Verwenden Sie die Registerkarte Schutz, um die verfügbaren Schutzoptionen nach Belieben zu konfigurieren. Die verfügbaren Schutzoptionen umfassen: Verschlüsseln, um den Zugriff auf die Datei zu verwalten und zu verhindern, dass sie von anderen Benutzern geöffnet wird. Arbeitsmappe schützen, um Benutzermanipulationen mit der Arbeitsmappe zu verwalten und unerwünschte Änderungen an der Arbeitsmappenstruktur zu verhindern. Kalkulationstabelle schützen, um die Benutzeraktionen innerhalb einer Tabelle zu verwalten und unerwünschte Änderungen an Daten zu verhindern. Bearbeitung der Bereiche erlauben, um Zellbereiche anzugeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann. Verwenden Sie die Kontrollkästchen der Registerkarte Schutz, um den Blattinhalt in einem geschützten Blatt schnell zu sperren oder zu entsperren. Hinweis: Diese Optionen werden erst aktualisiert, wenn Sie den Blattschutz aktivieren. Standardmäßig sind die Zellen, die Formen und der Text innerhalb einer Form in einem Blatt gesperrt. Deaktivieren Sie das entsprechende Kontrollkästchen, um sie zu entsperren. Die entsperrten Objekte können weiterhin bearbeitet werden, wenn ein Blatt geschützt ist. Die Optionen Gesperrte Form und Text sperren werden aktiv, wenn eine Form ausgewählt wird. Die Option Gesperrte Form gilt sowohl für Formen als auch für andere Objekte wie Diagramme, Bilder und Textfelder. Die Option Text sperren sperrt Text in allen grafischen Objekten außer in Diagrammen. Aktivieren Sie das Kontrollkästchen Ausgeblendete Formeln, um Formeln in einem ausgewählten Bereich oder einer Zelle auszublenden, wenn ein Blatt geschützt ist. Die ausgeblendete Formel wird nicht in der Bearbeitungsleiste angezeigt, wenn Sie auf die Zelle klicken." + "body": "Die Tabellenkalkulation bietet Sie die Möglichkeit, eine freigegebene Tabelle zu schützen, wenn Sie den Zugriff oder die Bearbeitungsfunktionen für andere Benutzer einschränken möchten. Die Tabellenkalkulation bietet verschiedene Schutzstufen, um sowohl den Zugriff auf die Datei als auch die Bearbeitungsfunktionen innerhalb einer Arbeitsmappe und innerhalb der Blätter zu verwalten. Verwenden Sie die Registerkarte Schutz, um die verfügbaren Schutzoptionen nach Belieben zu konfigurieren. Die verfügbaren Schutzoptionen umfassen: Verschlüsseln, um den Zugriff auf die Datei zu verwalten und zu verhindern, dass sie von anderen Benutzern geöffnet wird. Arbeitsmappe schützen, um Benutzermanipulationen mit der Arbeitsmappe zu verwalten und unerwünschte Änderungen an der Arbeitsmappenstruktur zu verhindern. Kalkulationstabelle schützen, um die Benutzeraktionen innerhalb einer Tabelle zu verwalten und unerwünschte Änderungen an Daten zu verhindern. Bearbeitung der Bereiche erlauben, um Zellbereiche anzugeben, mit denen ein Benutzer in einem geschützten Blatt arbeiten kann. Verwenden Sie die Kontrollkästchen der Registerkarte Schutz, um den Blattinhalt in einem geschützten Blatt schnell zu sperren oder zu entsperren. Diese Optionen werden erst aktualisiert, wenn Sie den Blattschutz aktivieren. Standardmäßig sind die Zellen, die Formen und der Text innerhalb einer Form in einem Blatt gesperrt. Deaktivieren Sie das entsprechende Kontrollkästchen, um sie zu entsperren. Die entsperrten Objekte können weiterhin bearbeitet werden, wenn ein Blatt geschützt ist. Die Optionen Gesperrte Form und Text sperren werden aktiv, wenn eine Form ausgewählt wird. Die Option Gesperrte Form gilt sowohl für Formen als auch für andere Objekte wie Diagramme, Bilder und Textfelder. Die Option Text sperren sperrt Text in allen grafischen Objekten außer in Diagrammen. Aktivieren Sie das Kontrollkästchen Ausgeblendete Formeln, um Formeln in einem ausgewählten Bereich oder einer Zelle auszublenden, wenn ein Blatt geschützt ist. Die ausgeblendete Formel wird nicht in der Bearbeitungsleiste angezeigt, wenn Sie auf die Zelle klicken." }, { "id": "UsageInstructions/ProtectWorkbook.htm", @@ -2603,17 +2613,17 @@ var indexes = { "id": "UsageInstructions/RemoveDuplicates.htm", "title": "Duplikate entfernen", - "body": "Im Tabelleneditor sie können die Duplikate im ausgewälten Zellbereich oder in der formatierten Tabelle entfernen. Um die Duplikate zu entfernen: Wählen Sie den gewünschten Zellbereich mit den Duplikaten aus. Öffnen Sie die Registerkarte Daten und klicken Sie die Schaltfläche Entferne Duplikate an. Falls Sie die Duplikate in der formatierten Tabelle entfernen möchten, verwenden Sie die Option Entferne Duplikate in der rechten Randleiste. Wenn Sie einen bestimmten Teil des Datenbereichs auswählen, ein Warnfenster wird geöffnet, wo Sie auswählen, ob Sie die Auswahl erweitern möchten, um den ganzen Datenbereich zu erfassen, oder ob Sie nur den aktiven ausgewälten Datenbereich bearbeiten möchten. Klicken Sie die Option Erweitern oder Im ausgewählten Bereich zu entfernen an. Wenn Sie die Option Im ausgewählten Bereich zu entfernen auswählen, werden die Duplikate in den angrenzenden Zellen nicht entfernt. Das Fenster Entferne Duplikate wird geöffnet: Markieren Sie die Kästchen, die Sie brauchen, im Fenster Entferne Duplikate: Meine Daten haben Kopfzeilen - markieren Sie das Kästchen, um die Kopfzeilen mit Spalten auszuschließen. Spalten - die Option Alles auswählen ist standardmäßig aktiviert. Um nir die bestimmten Spalten zu bearbeiten, deaktivieren Sie das Kästchen. Klicken Sie OK an. Die Duplikate in den ausgewälten Zellbereichen werden entfernt und das Fenster mit der entfernten Duplikatenanzahl und den gebliebenen Werten wird geöffnet: Verwenden Sie die Schaltfläche Rückgängig machen nach oben oder drücken Sie die Tastenkombination Strg+Z, um die Änderungen aufzuheben." + "body": "In der Tabellenkalkulation können Sie die Duplikate im ausgewälten Zellbereich oder in der formatierten Tabelle entfernen. Um die Duplikate zu entfernen: Wählen Sie den gewünschten Zellbereich mit den Duplikaten aus. Öffnen Sie die Registerkarte Daten und klicken Sie die Schaltfläche Entferne Duplikate an. Falls Sie die Duplikate in der formatierten Tabelle entfernen möchten, verwenden Sie die Option Entferne Duplikate in der rechten Randleiste. Wenn Sie einen bestimmten Teil des Datenbereichs auswählen, ein Warnfenster wird geöffnet, wo Sie auswählen, ob Sie die Auswahl erweitern möchten, um den ganzen Datenbereich zu erfassen, oder ob Sie nur den aktiven ausgewälten Datenbereich bearbeiten möchten. Klicken Sie die Option Erweitern oder Im ausgewählten Bereich zu entfernen an. Wenn Sie die Option Im ausgewählten Bereich zu entfernen auswählen, werden die Duplikate in den angrenzenden Zellen nicht entfernt. Das Fenster Entferne Duplikate wird geöffnet: Markieren Sie die Kästchen, die Sie brauchen, im Fenster Entferne Duplikate: Meine Daten haben Kopfzeilen - markieren Sie das Kästchen, um die Kopfzeilen mit Spalten auszuschließen. Spalten - die Option Alles auswählen ist standardmäßig aktiviert. Um nir die bestimmten Spalten zu bearbeiten, deaktivieren Sie das Kästchen. Klicken Sie OK an. Die Duplikate in den ausgewälten Zellbereichen werden entfernt und das Fenster mit der entfernten Duplikatenanzahl und den gebliebenen Werten wird geöffnet: Verwenden Sie die Schaltfläche Rückgängig machen nach oben oder drücken Sie die Tastenkombination Strg+Z, um die Änderungen aufzuheben." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Kalkulationstabelle speichern/drucken/herunterladen", - "body": "Speichern Standardmäßig speichert die Online-Tabellenkalkulation 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 AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Um die aktuelle Tabelle manuell im aktuellen Format im aktuellen Verzeichnis zu speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors 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. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie die Tabelle unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als.... Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDF/A. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen. Herunterladen In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers 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, XLTX, PDF/A, OTS. 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). Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie Speichern als.... Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Um die aktuelle Kalkulationstabelle zu drucken: Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors 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. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. Die Tabellenkalkulation Vorschau und die verfügbaren Druckoptionen werden geöffnet. Einige dieser Einstellungen (Ränder, Seitenorientierung, Skalierung, Druckbereich sowie An Format anpassen) sind auch auf der Registerkarte Layout der oberen Symbolleiste verfügbar. Hier können Sie folgende Parameter anpassen: Druckbereich: Geben Sie an, was gedruckt werden soll: Aktuelles Blatt, Alle Blätter oder Auswahl. Wenn Sie zuvor einen konstanten Druckbereich festgelegt haben, aber das gesamte Blatt drucken möchten, aktivieren Sie das Kontrollkästchen Druckbereich ignorieren. Blatteinstellungen: Legen Sie die individuellen Druckeinstellungen für jedes einzelne Blatt fest, wenn Sie die Option Alle Blätter in der Drop-Down-Liste Druckbereich ausgewählt haben. Seitenformat: Wählen Sie eine der verfügbaren Größen aus der Drop-Down-Liste aus. Seitenorientierung: Wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder verwenden Sie die Option Querformat, um horizontal zu drucken. Skalierung: Wenn Sie nicht möchten, dass einige Spalten oder Zeilen auf der zweiten Seite gedruckt werden, können Sie den Blattinhalt verkleinern, damit er auf eine Seite passt, indem Sie die entsprechende Option auswählen: Tatsächliche Größe, Blatt auf einer Seite darstellen, Alle Spalten auf einer Seite darstellen oder Alle Zeilen auf einer Seite darstellen. Belassen Sie die Option Tatsächliche Größe, um das Blatt ohne Anpassung zu drucken. Wenn Sie im Menü den Punkt Benutzerdefinierte Optionen wählen, öffnet sich das Fenster Maßstab-Einstellungen: Anpassen an: Sie können die erforderliche Anzahl von Seiten auswählen, auf die das gedruckte Arbeitsblatt passen soll. Wählen Sie die erforderliche Seitenzahl aus den Listen Breite und Höhe aus. Anpassen an: Sie können den Maßstab des Arbeitsblatts vergrößern oder verkleinern, um ihn an gedruckte Seiten anzupassen, indem Sie den Prozentsatz der normalen Größe manuell angeben. Drucke Titel: Wenn Sie Zeilen- oder Spaltentitel auf jeder Seite drucken möchten, verwenden Sie die Optionen Zeilen am Anfang wiederholen und/oder Spalten links wiederholen, um die Zeile und die Spalte mit dem zu wiederholenden Titel anzugeben, und wählen Sie eine der verfügbaren Optionen aus der Drop-Down-Liste aus: Eingefrorene Zeilen/Spalten, Erste Zeile/Spalte oder Nicht wiederholen. Ränder: Geben Sie den Abstand zwischen den Arbeitsblattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern. Gitternetzlinien und Überschriften: Geben Sie die zu druckenden Arbeitsblattelemente an, indem Sie die entsprechenden Kontrollkästchen aktivieren: Gitternetzlinien drucken und Zeilen- und Spaltenüberschriften drucken. Kopf- und Fußzeileneinstellungen – ermöglichen das Hinzufügen einiger zusätzlicher Informationen zu einem gedruckten Arbeitsblatt, wie z. B. Datum und Uhrzeit, Seitenzahl, Blattname usw. Nachdem Sie die Druckeinstellungen konfiguriert haben, klicken Sie auf die Schaltfläche Drucken, um die Änderungen zu speichern und die Tabelle auszudrucken, oder auf die Schaltfläche Speichern, um die an den Druckeinstellungen vorgenommenen Änderungen zu speichern. Alle von Ihnen vorgenommenen Änderungen gehen verloren, wenn Sie die Tabelle nicht drucken oder die Änderungen speichern. In der Tabellenkalkulation Vorschau können Sie mithilfe der Pfeile unten in einer Tabelle navigieren, um zu sehen, wie Ihre Daten beim Drucken auf einem Blatt angezeigt werden, und um eventuelle Fehler mithilfe der obigen Druckeinstellung zu korrigieren. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Sie können sie öffnen und ausdrucken oder auf der Festplatte Ihres Computers oder einem Wechselmedium speichern, um sie später auszudrucken. Einige Browser (z. B. Chrome und Opera) unterstützen das direkte Drucken. Druckbereich festlegen Wenn Sie nur einen ausgewählten Zellbereich anstelle des gesamten Arbeitsblatts drucken möchten, können Sie diesen mit der Option Auswahl in der Dropdown-Liste Druckbereich festlegen. Wird die Arbeitsmappe gespeichert so wird diese Einstellung nicht übernommen. Sie ist für die einmalige Verwendung vorgesehen. Wenn ein Zellbereich häufig gedruckt werden soll, können Sie im Arbeitsblatt einen konstanten Druckbereich festlegen. Wird die Arbeitsmappe nun gespeichert, wird auch der Druckbereich gespeichert und kann beim nächsten Öffnen der Tabelle verwendet werden. Es ist auch möglich mehrere konstante Druckbereiche auf einem Blatt festzulegen. In diesem Fall wird jeder Bereich auf einer separaten Seite gedruckt. Um einen Druckbereich festzulegen: wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus: Um mehrere Zellen auszuwählen, drücken Sie die Taste STRG und halten Sie diese gedrückt. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Wenn Sie die Arbeitsmappe speichern, wird der festgelegte Druckbereich ebenfalls gespeichert. Wenn Sie die Datei das nächste Mal öffnen, wird der festgelegte Druckbereich gedruckt. Wenn Sie einen Druckbereich erstellen, wird automatisch ein als Druck_Bereich benannter Bereich erstellt, der im Namensmanger angezeigt wird. Um die Ränder aller Druckbereiche im aktuellen Arbeitsblatt hervorzuheben, klicken Sie auf den Pfeil im Namensfeld links neben der Bearbeitungsleiste und wählen Sie den Namen Druck_Bereich aus der Namensliste aus. Um die Zellen in einen Druckbereich einzufügen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Ein neuer Druckbereich wird hinzugefügt. Jeder Druckbereich wird auf einer separaten Seite gedruckt. Um einen Druckbereich zu löschen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Alle auf diesem Blatt vorhandenen Druckbereiche werden entfernt. Anschließend wird die gesamte Arbeitsmappe gedruckt." + "body": "Speichern Standardmäßig speichert die Online-Tabellenkalkulation 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 AutoSpeichern auf der Seite Erweiterte Einstellungen deaktivieren. Um die aktuelle Tabelle manuell im aktuellen Format im aktuellen Verzeichnis zu speichern: Verwenden Sie das Symbol Speichern im linken Bereich der Kopfzeile des Editors 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. Um Datenverluste durch ein unerwartetes Schließen des Programms zu verhindern, können Sie in der Desktop-Version die Option AutoWiederherstellen auf der Seite Erweiterte Einstellungen aktivieren. In der Desktop-Version können Sie die Tabelle unter einem anderen Namen, an einem neuen Speicherort oder in einem anderen Format speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Speichern als. Wählen Sie das gewünschte Format aus: XLSX, ODS, CSV, PDF, PDF/A. Sie können auch die Option Tabellenvorlage (XLTX oder OTS) auswählen. Herunterladen In der Online-Version können Sie die daraus resultierende Tabelle auf der Festplatte Ihres Computers 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, XLTX, PDF/A, OTS. 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). Kopie speichern In der Online-Version können Sie die eine Kopie der Datei in Ihrem Portal speichern. Klicken Sie in der oberen Menüleiste auf die Registerkarte Datei. Wählen Sie die Option Kopie speichern als. Wählen Sie das gewünschte Format aus: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Wählen Sie den gewünschten Speicherort auf dem Portal aus und klicken Sie Speichern. Drucken Um die aktuelle Kalkulationstabelle zu drucken: Klicken Sie auf das Symbol Drucken im linken Bereich der Kopfzeile des Editors 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. Der Firefox-Browser ermöglicht das Drucken, ohne das Dokument zuerst als PDF-Datei herunterzuladen. Die Tabellenkalkulation Vorschau und die verfügbaren Druckoptionen werden geöffnet. Einige dieser Einstellungen (Ränder, Seitenorientierung, Skalierung, Druckbereich sowie An Format anpassen) sind auch auf der Registerkarte Layout der oberen Symbolleiste verfügbar. Hier können Sie folgende Parameter anpassen: Druckbereich: Geben Sie an, was gedruckt werden soll: Aktuelles Blatt, Alle Blätter oder Auswahl. Wenn Sie zuvor einen konstanten Druckbereich festgelegt haben, aber das gesamte Blatt drucken möchten, aktivieren Sie das Kontrollkästchen Druckbereich ignorieren. Blatteinstellungen: Legen Sie die individuellen Druckeinstellungen für jedes einzelne Blatt fest, wenn Sie die Option Alle Blätter in der Drop-Down-Liste Druckbereich ausgewählt haben. Seitenformat: Wählen Sie eine der verfügbaren Größen aus der Drop-Down-Liste aus. Seitenorientierung: Wählen Sie die Option Hochformat, wenn Sie vertikal auf der Seite drucken möchten, oder verwenden Sie die Option Querformat, um horizontal zu drucken. Skalierung: Wenn Sie nicht möchten, dass einige Spalten oder Zeilen auf der zweiten Seite gedruckt werden, können Sie den Blattinhalt verkleinern, damit er auf eine Seite passt, indem Sie die entsprechende Option auswählen: Tatsächliche Größe, Blatt auf einer Seite darstellen, Alle Spalten auf einer Seite darstellen oder Alle Zeilen auf einer Seite darstellen. Belassen Sie die Option Tatsächliche Größe, um das Blatt ohne Anpassung zu drucken. Wenn Sie im Menü den Punkt Benutzerdefinierte Optionen wählen, öffnet sich das Fenster Maßstab-Einstellungen: Anpassen an: Sie können die erforderliche Anzahl von Seiten auswählen, auf die das gedruckte Arbeitsblatt passen soll. Wählen Sie die erforderliche Seitenzahl aus den Listen Breite und Höhe aus. Anpassen an: Sie können den Maßstab des Arbeitsblatts vergrößern oder verkleinern, um ihn an gedruckte Seiten anzupassen, indem Sie den Prozentsatz der normalen Größe manuell angeben. Drucke Titel: Wenn Sie Zeilen- oder Spaltentitel auf jeder Seite drucken möchten, verwenden Sie die Optionen Zeilen am Anfang wiederholen und/oder Spalten links wiederholen, um die Zeile und die Spalte mit dem zu wiederholenden Titel anzugeben, und wählen Sie eine der verfügbaren Optionen aus der Drop-Down-Liste aus: Eingefrorene Zeilen/Spalten, Erste Zeile/Spalte oder Nicht wiederholen. Ränder: Geben Sie den Abstand zwischen den Arbeitsblattdaten und den Rändern der gedruckten Seite an, indem Sie die Standardgrößen in den Feldern Oben, Unten, Links und Rechts ändern. Gitternetzlinien und Überschriften: Geben Sie die zu druckenden Arbeitsblattelemente an, indem Sie die entsprechenden Kontrollkästchen aktivieren: Gitternetzlinien drucken und Zeilen- und Spaltenüberschriften drucken. Kopf- und Fußzeileneinstellungen – ermöglichen das Hinzufügen einiger zusätzlicher Informationen zu einem gedruckten Arbeitsblatt, wie z. B. Datum und Uhrzeit, Seitenzahl, Blattname usw. Nachdem Sie die Druckeinstellungen konfiguriert haben, klicken Sie auf die Schaltfläche Drucken, um die Änderungen zu speichern und die Tabelle auszudrucken, oder auf die Schaltfläche Speichern, um die an den Druckeinstellungen vorgenommenen Änderungen zu speichern. Alle von Ihnen vorgenommenen Änderungen gehen verloren, wenn Sie die Tabelle nicht drucken oder die Änderungen speichern. In der Tabellenkalkulation Vorschau können Sie mithilfe der Pfeile unten in einer Tabelle navigieren, um zu sehen, wie Ihre Daten beim Drucken auf einem Blatt angezeigt werden, und um eventuelle Fehler mithilfe der obigen Druckeinstellung zu korrigieren. In der Desktop-Version wird die Datei direkt gedruckt. In der Online-Version wird basierend auf dem Dokument eine PDF-Datei erstellt. Sie können sie öffnen und ausdrucken oder auf der Festplatte Ihres Computers oder einem Wechselmedium speichern, um sie später auszudrucken. Einige Browser (z. B. Chrome und Opera) unterstützen das direkte Drucken. Druckbereich festlegen Wenn Sie nur einen ausgewählten Zellbereich anstelle des gesamten Arbeitsblatts drucken möchten, können Sie diesen mit der Option Auswahl in der Dropdown-Liste Druckbereich festlegen. Wird die Arbeitsmappe gespeichert so wird diese Einstellung nicht übernommen. Sie ist für die einmalige Verwendung vorgesehen. Wenn ein Zellbereich häufig gedruckt werden soll, können Sie im Arbeitsblatt einen konstanten Druckbereich festlegen. Wird die Arbeitsmappe nun gespeichert, wird auch der Druckbereich gespeichert und kann beim nächsten Öffnen der Tabelle verwendet werden. Es ist auch möglich mehrere konstante Druckbereiche auf einem Blatt festzulegen. In diesem Fall wird jeder Bereich auf einer separaten Seite gedruckt. Um einen Druckbereich festzulegen: wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus: Um mehrere Zellen auszuwählen, drücken Sie die Taste STRG und halten Sie diese gedrückt. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Wenn Sie die Arbeitsmappe speichern, wird der festgelegte Druckbereich ebenfalls gespeichert. Wenn Sie die Datei das nächste Mal öffnen, wird der festgelegte Druckbereich gedruckt. Wenn Sie einen Druckbereich erstellen, wird automatisch ein als Druck_Bereich benannter Bereich erstellt, der im Namensmanger angezeigt wird. Um die Ränder aller Druckbereiche im aktuellen Arbeitsblatt hervorzuheben, klicken Sie auf den Pfeil im Namensfeld links neben der Bearbeitungsleiste und wählen Sie den Namen Druck_Bereich aus der Namensliste aus. Um die Zellen in einen Druckbereich einzufügen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wählen Sie den gewünschten Zellbereich in der Arbeitsmappe aus. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Ein neuer Druckbereich wird hinzugefügt. Jeder Druckbereich wird auf einer separaten Seite gedruckt. Um einen Druckbereich zu löschen: Öffnen Sie die Arbeitsmappe mit dem festgelegten Druckbereich. Wechseln Sie in der oberen Symbolleiste auf die Registerkarte Layout. Klicken Sie auf den Pfeil neben dem Symbol Druckbereich und wählen Sie die Option Druckbereich festlegen. Alle auf diesem Blatt vorhandenen Druckbereiche werden entfernt. Anschließend wird die gesamte Arbeitsmappe gedruckt." }, { "id": "UsageInstructions/ScaleToFit.htm", "title": "Ein Arbeitsblatt skalieren", - "body": "Wenn Sie eine gesamte Tabelle zum Drucken auf eine Seite anpassen möchten, können Sie die Funktion An Format anpassen verwenden. Mithilfe dieser Funktion des Tabelleneditor kann man die Daten auf der angegebenen Anzahl von Seiten skalieren. Um ein Arbeitsblatt zu skalieren: in der oberen Symbolleiste öffnen Sie die Registerkarte Layout und wählen Sie die Option An Format anpassen aus, wählen Sie den Abschnitt Höhe aus und klicken Sie die Option 1 Seite an, dann konfigurieren Sie den Abschnitt Breite auf Auto, damit alle Seiten auf derselben Seite ausgedruckt werden. Der Skalenwert wird automatisch geändert. Dieser Wert wird im Abschnitt Skalierung angezeigt; Sie können auch den Skalenwert manuell konfigurieren. Konfigurieren Sie die Einstellungen Höhe und Breite auf Auto und verwenden Sie die Schaltflächen «+» und «-», um das Arbeitsblatt zu skalieren. Die Grenzen des ausgedruckten Blatts werden als gestrichelte Linien angezeigt, öffnen Sie die Registerkarte Datei, klicken Sie Drucken an, oder drucken Sie die Tastenkombination Strg + P und konfigurieren Sie die Druckeinstellungen im geöffneten Fenster. Z.B., wenn es viele Spalten im Arbeitsblatt gibt, können Sie die Einstellung Seitenorientierung auf Hochformat konfigurieren oder nur den markierten Zellbereich drucken. Weitere Information zu den Druckeinstellungen finden Sie auf dieser Seite. Hinweis: Beachten Sie, dass der Ausdruck möglicherweise schwer zu lesen sein kann, da der Editor die Daten entsprechend verkleinert und skaliert." + "body": "Wenn Sie eine gesamte Tabelle zum Drucken auf eine Seite anpassen möchten, können Sie die Funktion An Format anpassen verwenden. Mithilfe dieser Funktion der Tabellenkalkulation kann man die Daten auf der angegebenen Anzahl von Seiten skalieren. Um ein Arbeitsblatt zu skalieren: in der oberen Symbolleiste öffnen Sie die Registerkarte Layout und wählen Sie die Option An Format anpassen aus, wählen Sie den Abschnitt Höhe aus und klicken Sie die Option 1 Seite an, dann konfigurieren Sie den Abschnitt Breite auf Auto, damit alle Seiten auf derselben Seite ausgedruckt werden. Der Skalenwert wird automatisch geändert. Dieser Wert wird im Abschnitt Skalierung angezeigt; Sie können auch den Skalenwert manuell konfigurieren. Konfigurieren Sie die Einstellungen Höhe und Breite auf Auto und verwenden Sie die Schaltflächen «+» und «-», um das Arbeitsblatt zu skalieren. Die Grenzen des ausgedruckten Blatts werden als gestrichelte Linien angezeigt, öffnen Sie die Registerkarte Datei, klicken Sie Drucken an, oder drucken Sie die Tastenkombination Strg + P und konfigurieren Sie die Druckeinstellungen im geöffneten Fenster. Z.B., wenn es viele Spalten im Arbeitsblatt gibt, können Sie die Einstellung Seitenorientierung auf Hochformat konfigurieren oder nur den markierten Zellbereich drucken. Weitere Information zu den Druckeinstellungen finden Sie auf dieser Seite. Beachten Sie, dass der Ausdruck möglicherweise schwer zu lesen sein kann, da der Editor die Daten entsprechend verkleinert und skaliert." }, { "id": "UsageInstructions/SheetView.htm", @@ -2623,12 +2633,12 @@ var indexes = { "id": "UsageInstructions/Slicers.htm", "title": "Datenschnitte in den formatierten Tabellen erstellen", - "body": "Einen Datenschnitt erstellen Wenn Sie eine formatierte Tabelle im Tabelleneditor oder eine Pivot-Tabelle erstellt haben, können Sie auch die Datenschnitten einfügen, um die Information schnell zu navigieren: wählen Sie mindestens eine Zelle der Tabelle aus und klicken Sie das Symbol Tabelleneinstellungen rechts. klicken Sie die Schaltfläche Datenschnitt einfügen in der Registerkarte Tabelleneinstellungen auf der rechten Randleiste an. Oder öffnen Sie die Registerkarte Einfügen in der oberen Symbolleiste und klicken Sie die Schaltfläche Datenschnitt an. Das Fenster Datenschnitt einfügen wird geöffnet: markieren Sie die gewünschten Spalten im Fenster Datenschnitt einfügen. klicken Sie auf OK. Ein Datenschnitt für jede ausgewählte Spalte wird eingefügt. Wenn Sie mehr Datenschnitten einfügen, werden sie überlappen. Wenn ein Datenschnitt eingefügt ist, ändern Sie die Größe und Position sowie konfigurieren Sie die Einstellungen. Ein Datenschnitt hat die Schaltflächen, die Sie anklicken können, um die Tabelle zu filtern. Die Schaltflächen, die den leeren Zellen entsprechen, werden mit der Beschriftung (leer) markiert. Wenn Sie die Schaltfläche für den Datenschnitt anklicken, werden die anderen Schaltflächen deselektiert, und die entsprechende Spalte in der Tabelle wird nur das ausgewählte Element anzeigen: Wenn Sie mehr Datenschnitten eingefügt haben, können die Änderungen für einen der Datenschnitten die anderen Datenschnitten bewirken. Wenn ein oder mehr Filter angewandt sind, können die Elemente, die keine Daten haben, in einem anderen Datenschnitt angezeigt sein (in einer hellen Farbe): Sie können den Anzeigemodus für die Elemente ohne Daten mithilfe der Datenschnitteinstellungen konfigurieren. Um viele Datenschnitt-Schaltflächen auszuwählen, verwenden Sie die Option Mehrfachauswahl in der oberen rechten Ecke des Datenschnitt-Fensters oder drucken Sie die Tastenkombination Alt+S. Wählen Sie die gewünschten Datenschnitt-Schaltflächen Stück für Stück aus. Um den Filter zu löschen, verwenden Sie die Option Filter löschen in der oberen rechten Ecke des Datenschnitt-Fensters oder drucken Sie die Tastenkombination Alt+C. Datenschnitten bearbeiten Einige Einstellungen kann man in der Registerkarte Datenschnitt-Einstellungen in der rechten Randleiste ändern. Sie können diese Einstellungen per Mausklick auf einem Datenschnitt öffnen. Um diese Registerkarte ein-/auszublenden, klicken Sie auf das Symbol rechts. Die Größe und Position des Datenschnitts ändern Die Optionen Breite und Höhe ändern die Größe und/oder Position des Datenschnitts. Wenn Sie das Kästchen konstante Proportionen markieren (sieht es so aus ), werden die Breite und die Höhe zusammen geändert und das Seitenverhältnis wird beibehalten. Der Abschnitt Position ändert die horizontale und/oder vertikale Position des Datenschnitts. Die Option Schalte Größe ändern und Bewegen aus verhindert, dass der Datenschnitt verschoben oder in der Größe geändert wird. Wenn das Kästchen markiert ist, sind die Optionen Breite, Höhe, Position und Schaltflächen deaktiviert. Layout und Stil des Datenschnitts ändern Der Abscnitt Schaltflächen lässt die Anzahl der Spalten konfigurieren, sowie auch die Breite und Höhe der Schaltflächen ändern. Standardmäßig hat der Datenschnitt eine Spalte. Sie können die Anzahl der Spalten auf 2 oder mehr konfigurieren: Wenn Sie die Schaltflächenbreite erhöhen, ändert sich die Datenschnitt-Breite. Wenn Sie die Schaltflächenhöhe erhöhen, wird die Bildlaufleiste zum Datenschnitt hinzugefügt: Der Abschnitt Stil hat voreingestellte Stile für die Datenschnitten. Sortierung und Filterung Aufsteigend (A bis Z) wird verwendet, um die Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von der kleinsten bis zur größten Zahl für numerische Daten. Absteigend (Z bis A) wird verwendet, um die Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von der größten bis zur kleinsten Zahl für numerische Daten. Die Option Verbergen Elemente ohne Daten blendet die Elemente ohne Daten aus. Wenn dieses Kästchen markiert ist, werden die Optionen Visuell Elemente ohne Daten anzeigen und Elemente ohne Daten letzt anzeigen deaktiviert. Wenn die Option Verberge Elemente ohne Daten deaktiviert ist, verwenden Sie die folgenden Optionen: Die Option Visuell Elemente ohne Daten anzeigen zeigt die Elemente ohne Daten mit der verschiedenen Formatierung an (mit heller Farbe). Wenn diese Option deaktiviert ist, werden alle Elemente mit gleicher Formatierung angezeigt. Die Option Elemente ohne Daten letzt anzeigen zeigt die Elemente ohne Daten am Ende der Liste an. Wenn diese Option deaktiviert ist, werden alle Elemente in der Reihenfolge, die in der Originaltabelle beibehalten ist, angezeigt. Erweiterte Datenschnitt-Einstellungen konfigurieren Um die erweiterten Datenschnitt-Einstellungen zu konfigurieren, verwenden Sie die Option Erweiterte Einstellungen anzeigen in der rechten Randleiste. Das Fenster 'Datenschnitt - Erweiterte Einstellungen' wird geöffnet: Der Abschnitt Stil & Größe enthält die folgenden Einstellungen: Die Option Kopfzeile ändert die Kopfzeile für den Datenschnitt. Deselektieren Sie das Kästchen Kopfzeile anzeigen, damit die Kopfzeile für den Datenschnitt nicht angezeigt wird. Die Option Stil ändert den Stil für den Datenschnitt. Die Option Breite und Höhe ändert die Breite und Höhe des Datenschnitts. Wenn Sie das Kästchen Konstante Proportionen markieren (sieht es so aus ), werden die Breite und Höhe zusammen geändert und das Seitenverhältnis beibehalten ist. Die Option Schaltflächen ändert die Anzahl der Spalten und konfiguriert die Höhe der Schaltflächen. Der Abschnitt Sortierung & Filterung enthält die folgenden Einstellungen: Aufsteigend (A bis Z) wird verwendet, um die Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von der kleinsten bis zur größten Zahl für numerische Daten. Absteigend (Z bis A) wird verwendet, um die Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von der größten bis zur kleinsten Zahl für numerische Daten. Die Option Verberge Elemente ohne Daten blendet die Elemente ohne Daten im Datenschnitt aus. Wenn dieses Kästchen markiert ist, werden die Optionen Visuell Elemente ohne Daten anzeigen und Elemente ohne Daten letzt anzeigen deaktiviert. Wenn Sie die Option Verberge Elemente ohne Daten demarkieren, verwenden Sie die folgenden Optionen: Die Option Visuell Elemente ohne Daten anzeigen zeigt die Elemente ohne Daten mit der verschiedenen Formatierung an (mit heller Farbe). Die Option Elemente ohne Daten letzt anzeigen zeigt die Elemente ohne Daten am Ende der Liste an. Der Abschnitt Referenzen enthält die folgenden Einstellungen: Die Option Quellenname zeigt den Feldnamen an, der der Kopfzeilenspalte aus der Datenquelle entspricht. Die Option Name zur Nutzung in Formeln zeigt den Datenschnittnamen an, der im Menü Name-Manager ist. Die Option Name fügt den Namen für einen Datenschnitt ein, um den Datenschnitt klar zu machen. Der Abschnitt Andocken an die Zelle enthält die folgenden Einstellungen: Bewegen und Größeänderung mit Zellen - diese Option dockt den Datenschnitt an der Zelle hinten an. Wenn die Zelle verschoben ist (z.B. wenn Sie die Zeilen oder Spalten eingefügt oder gelöscht haben), wird der Datenschnitt mit der Zelle zusammen verschoben. Wenn Sie die Breite oder Höhe der Zelle vergrößern/verringern, wird die Größe des Datenschnitts auch geändert. Bewegen, aber nicht Größe ändern mit - diese Option dockt den Datenschnitt an der Zelle hinten an, ohne die Größe des Datenschnitts zu verändern. Wenn die Zelle verschoben ist, wird der Datenschnitt mit der Zelle zusammen verschoben. Wenn Sie die Zellgröße ändern, wird die Größe des Datenschnitts unverändert. Kein Bewegen oder Größeänderung mit - this option allows you to prevent the slicer from being moved or resized if the cell position or size was changed. Der Abschnitt Alternativer Text ändert den Titel und die Beschreibung, die den Leuten mit Sehbehinderung oder kognitiven Beeinträchtigung hilft, die Information im Datenschnitt besser zu verstehen. Datenschnitt löschen Um einen Datenschnitt zu löschen, Klicken Sie den Datenschnitt an. Drucken Sie die Entfernen-Taste." + "body": "Einen Datenschnitt erstellen Wenn Sie eine formatierte Tabelle in der Tabellenkalkulation oder eine Pivot-Tabelle erstellt haben, können Sie auch die Datenschnitten einfügen, um die Information schnell zu navigieren: wählen Sie mindestens eine Zelle der Tabelle aus und klicken Sie das Symbol Tabelleneinstellungen rechts. klicken Sie die Schaltfläche Datenschnitt einfügen in der Registerkarte Tabelleneinstellungen auf der rechten Randleiste an. Oder öffnen Sie die Registerkarte Einfügen in der oberen Symbolleiste und klicken Sie die Schaltfläche Datenschnitt an. Das Fenster Datenschnitt einfügen wird geöffnet: markieren Sie die gewünschten Spalten im Fenster Datenschnitt einfügen. klicken Sie auf OK. Ein Datenschnitt für jede ausgewählte Spalte wird eingefügt. Wenn Sie mehr Datenschnitten einfügen, werden sie überlappen. Wenn ein Datenschnitt eingefügt ist, ändern Sie die Größe und Position sowie konfigurieren Sie die Einstellungen. Ein Datenschnitt hat die Schaltflächen, die Sie anklicken können, um die Tabelle zu filtern. Die Schaltflächen, die den leeren Zellen entsprechen, werden mit der Beschriftung (leer) markiert. Wenn Sie die Schaltfläche für den Datenschnitt anklicken, werden die anderen Schaltflächen deselektiert, und die entsprechende Spalte in der Tabelle wird nur das ausgewählte Element anzeigen: Wenn Sie mehr Datenschnitten eingefügt haben, können die Änderungen für einen der Datenschnitten die anderen Datenschnitten bewirken. Wenn ein oder mehr Filter angewandt sind, können die Elemente, die keine Daten haben, in einem anderen Datenschnitt angezeigt sein (in einer hellen Farbe): Sie können den Anzeigemodus für die Elemente ohne Daten mithilfe der Datenschnitteinstellungen konfigurieren. Um viele Datenschnitt-Schaltflächen auszuwählen, verwenden Sie die Option Mehrfachauswahl in der oberen rechten Ecke des Datenschnitt-Fensters oder drucken Sie die Tastenkombination Alt+S. Wählen Sie die gewünschten Datenschnitt-Schaltflächen Stück für Stück aus. Um den Filter zu löschen, verwenden Sie die Option Filter löschen in der oberen rechten Ecke des Datenschnitt-Fensters oder drucken Sie die Tastenkombination Alt+C. Datenschnitten bearbeiten Einige Einstellungen kann man in der Registerkarte Datenschnitt-Einstellungen in der rechten Randleiste ändern. Sie können diese Einstellungen per Mausklick auf einem Datenschnitt öffnen. Um diese Registerkarte ein-/auszublenden, klicken Sie auf das Symbol rechts. Die Größe und Position des Datenschnitts ändern Die Optionen Breite und Höhe ändern die Größe und/oder Position des Datenschnitts. Wenn Sie das Kästchen konstante Proportionen markieren (sieht es so aus ), werden die Breite und die Höhe zusammen geändert und das Seitenverhältnis wird beibehalten. Der Abschnitt Position ändert die horizontale und/oder vertikale Position des Datenschnitts. Die Option Schalte Größe ändern und Bewegen aus verhindert, dass der Datenschnitt verschoben oder in der Größe geändert wird. Wenn das Kästchen markiert ist, sind die Optionen Breite, Höhe, Position und Schaltflächen deaktiviert. Layout und Stil des Datenschnitts ändern Der Abscnitt Schaltflächen lässt die Anzahl der Spalten konfigurieren, sowie auch die Breite und Höhe der Schaltflächen ändern. Standardmäßig hat der Datenschnitt eine Spalte. Sie können die Anzahl der Spalten auf 2 oder mehr konfigurieren: Wenn Sie die Schaltflächenbreite erhöhen, ändert sich die Datenschnitt-Breite. Wenn Sie die Schaltflächenhöhe erhöhen, wird die Bildlaufleiste zum Datenschnitt hinzugefügt: Der Abschnitt Stil hat voreingestellte Stile für die Datenschnitten. Sortierung und Filterung Aufsteigend (A bis Z) wird verwendet, um die Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von der kleinsten bis zur größten Zahl für numerische Daten. Absteigend (Z bis A) wird verwendet, um die Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von der größten bis zur kleinsten Zahl für numerische Daten. Die Option Verbergen Elemente ohne Daten blendet die Elemente ohne Daten aus. Wenn dieses Kästchen markiert ist, werden die Optionen Visuell Elemente ohne Daten anzeigen und Elemente ohne Daten letzt anzeigen deaktiviert. Wenn die Option Verberge Elemente ohne Daten deaktiviert ist, verwenden Sie die folgenden Optionen: Die Option Visuell Elemente ohne Daten anzeigen zeigt die Elemente ohne Daten mit der verschiedenen Formatierung an (mit heller Farbe). Wenn diese Option deaktiviert ist, werden alle Elemente mit gleicher Formatierung angezeigt. Die Option Elemente ohne Daten letzt anzeigen zeigt die Elemente ohne Daten am Ende der Liste an. Wenn diese Option deaktiviert ist, werden alle Elemente in der Reihenfolge, die in der Originaltabelle beibehalten ist, angezeigt. Erweiterte Datenschnitt-Einstellungen konfigurieren Um die erweiterten Datenschnitt-Einstellungen zu konfigurieren, verwenden Sie die Option Erweiterte Einstellungen anzeigen in der rechten Randleiste. Das Fenster 'Datenschnitt - Erweiterte Einstellungen' wird geöffnet: Der Abschnitt Stil & Größe enthält die folgenden Einstellungen: Die Option Kopfzeile ändert die Kopfzeile für den Datenschnitt. Deselektieren Sie das Kästchen Kopfzeile anzeigen, damit die Kopfzeile für den Datenschnitt nicht angezeigt wird. Die Option Stil ändert den Stil für den Datenschnitt. Die Option Breite und Höhe ändert die Breite und Höhe des Datenschnitts. Wenn Sie das Kästchen Konstante Proportionen markieren (sieht es so aus ), werden die Breite und Höhe zusammen geändert und das Seitenverhältnis beibehalten ist. Die Option Schaltflächen ändert die Anzahl der Spalten und konfiguriert die Höhe der Schaltflächen. Der Abschnitt Sortierung & Filterung enthält die folgenden Einstellungen: Aufsteigend (A bis Z) wird verwendet, um die Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von der kleinsten bis zur größten Zahl für numerische Daten. Absteigend (Z bis A) wird verwendet, um die Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von der größten bis zur kleinsten Zahl für numerische Daten. Die Option Verberge Elemente ohne Daten blendet die Elemente ohne Daten im Datenschnitt aus. Wenn dieses Kästchen markiert ist, werden die Optionen Visuell Elemente ohne Daten anzeigen und Elemente ohne Daten letzt anzeigen deaktiviert. Wenn Sie die Option Verberge Elemente ohne Daten demarkieren, verwenden Sie die folgenden Optionen: Die Option Elemente ohne Daten visuell kennzeichnen zeigt die Elemente ohne Daten mit der verschiedenen Formatierung an (mit heller Farbe). Die Option Leere Elemente am Ende anzeigen zeigt die Elemente ohne Daten am Ende der Liste an. Der Abschnitt Verweise enthält die folgenden Einstellungen: Die Option Name der Quelle zeigt den Feldnamen an, der der Kopfzeilenspalte aus der Datenquelle entspricht. Die Option Name zur Nutzung in Formeln zeigt den Datenschnittnamen an, der im Menü Name-Manager ist. Die Option Name fügt den Namen für einen Datenschnitt ein, um den Datenschnitt klar zu machen. Der Abschnitt Andocken an die Zelle enthält die folgenden Einstellungen: Bewegen und Größeänderung mit Zellen - diese Option dockt den Datenschnitt an der Zelle hinten an. Wenn die Zelle verschoben ist (z.B. wenn Sie die Zeilen oder Spalten eingefügt oder gelöscht haben), wird der Datenschnitt mit der Zelle zusammen verschoben. Wenn Sie die Breite oder Höhe der Zelle vergrößern/verringern, wird die Größe des Datenschnitts auch geändert. Bewegen, aber nicht Größe ändern mit - diese Option dockt den Datenschnitt an der Zelle hinten an, ohne die Größe des Datenschnitts zu verändern. Wenn die Zelle verschoben ist, wird der Datenschnitt mit der Zelle zusammen verschoben. Wenn Sie die Zellgröße ändern, wird die Größe des Datenschnitts unverändert. Kein Bewegen oder Größeänderung mit - this option allows you to prevent the slicer from being moved or resized if the cell position or size was changed. Der Abschnitt Alternativer Text ändert den Titel und die Beschreibung, die den Leuten mit Sehbehinderung oder kognitiven Beeinträchtigung hilft, die Information im Datenschnitt besser zu verstehen. Datenschnitt löschen Um einen Datenschnitt zu löschen, Klicken Sie den Datenschnitt an. Drucken Sie die Entfernen-Taste." }, { "id": "UsageInstructions/SortData.htm", "title": "Daten filtern und sortieren", - "body": "Daten sortieren Sie können Ihre Daten in einer Tabelleneditor mithilfe der verfügbaren Optionen schnell sortieren: Aufsteigend wird genutzt, um Ihre Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von den kleinsten bis zu den größten nummerischen Werten. Absteigend wird genutzt, um Ihre Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von den größten bis zu den kleinsten nummerischen Werten. Daten sortieren: Wählen Sie den Zellenbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle in einem Bereich auswählen, um den gesamten Bereich zu sortieren. Klicken Sie auf das Symbol Von A bis Z sortieren in der Registerkarte Start auf der oberen Symbolleiste, um Ihre Daten in aufsteigender Reihenfolge zu sortieren, ODER klicken Sie auf das Symbol Von Z bis A sortieren in der Registerkarte Start auf der oberen Symbolleiste, um Ihre Daten in absteigender Reihenfolge zu sortieren. Hinweis: Wenn Sie eine einzelne Spalte / Zeile innerhalb eines Zellenbereichs oder eines Teils der Spalte / Zeile auswählen, werden Sie gefragt, ob Sie die Auswahl um benachbarte Zellen erweitern oder nur die ausgewählten Daten sortieren möchten. Sie können Ihre Daten auch mit Hilfe der Optionen im Kontextmenü sortieren. Klicken Sie mit der rechten Maustaste auf den ausgewählten Zellenbereich, wählen Sie im Menü die Option Sortieren und dann im Untermenü auf die gewünschte Option Aufsteigend oder Absteigend. Mithilfe des Kontextmenüs können Sie die Daten auch nach Farbe sortieren. Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten. Wählen Sie die Option Sortieren aus dem Menü aus. Wählen Sie die gewünschte Option aus dem Untermenü aus: Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen. Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen. Daten filtern Um nur Zeilen anzuzeigen die bestimmten Kriterien entsprechen, nutzen Sie die Option Filter.Filter aktivieren: Wählen Sie den Zellenbereich aus, der die Daten enthält, die Sie filtern möchten (Sie können eine einzelne Zelle in einem Zellbereich auswählen, um den gesamten Zellbereich zu filter). Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter .Ein nach unten gerichteter Pfeil wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. So können Sie erkennen, dass der Filter aktiviert ist. Einen Filter anwenden: Klicken Sie auf den Filterpfeil . Die Liste mit den Filter-Optionen wird angezeigt: Passen Sie die Filterparameter an. Folgende Optionen stehen Ihnen zur Verfügung: Anzuzeigende Daten auswählen; Daten nach bestimmten Kriterien filtern oder Daten nach Farben filtern. Anzuzeigende Daten auswählen:Deaktivieren Sie die Felder neben den Daten die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten neben dem Fenster Filter in absteigender Reihenfolge dargestellt. Hinweis: das Kästchen {Leerstellen} bezieht sich auf leere Zellen. Es ist verfügbar, wenn der ausgewählte Zellenbereich mindestens eine leere Zelle enthält. Über das oben befindliche Suchfeld, können Sie den Prozess vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein und drücken Sie dann auf OK - die Werte, die die gesuchten Zeichen enthalten, werden in der Liste unten angezeigt. Außerdem stehen Ihnen die zwei folgenden Optionen zur Verfügung: Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Diese Option ermöglicht Ihnen alle Werte auszuwählen, die Ihrer Abfrage in der Liste entsprechen. Aktuelle Auswahl zum Filtern hinzufügen - Wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte nicht ausgeblendet, wenn Sie den Filter anwenden. Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie auf die Schaltfläche OK in der Optionsliste Filter, um den Filter anzuwenden. Daten nach bestimmten Kriterien filternAbhängig von den Daten, die in der ausgewählten Spalte enthalten sind, können Sie im rechten Teil der Liste der Filteroptionen entweder die Option Zahlenfilter oder die Option Textfilter auswählen und dann eine der Optionen aus dem Untermenü auswählen: Für Zahlenfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Top 10, Größer als der Durchschnitt, Kleiner als der Durchschnitt, Benutzerdefinierter Filter.... Für Textfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Beginnt mit..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält..., Enthält nicht..., Benutzerdefinierter Filter.... Nachdem Sie eine der oben genannten Optionen ausgewählt haben (außer den Optionen Top 10 und Größer/ Kleiner als Durchschnitt), öffnet sich das Fenster Benutzerdefinierter Filter. Das entsprechende Kriterium wird in der oberen Dropdown-Liste ausgewählt. Geben Sie den erforderlichen Wert in das Feld rechts ein. Um ein weiteres Kriterium hinzuzufügen, verwenden Sie das Optionsfeld Und, wenn Sie die Daten benötigen, um beide Kriterien zu erfüllen, oder klicken Sie auf das Optionsfeld Oder, wenn eines oder beide Kriterien erfüllt werden können. Wählen Sie dann das zweite Kriterium aus der unteren Auswahlliste und geben Sie den erforderlichen Wert rechts ein. Klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Benutzerdefinierter Filter... aus der Optionsliste Zahlen-/ Textfilter wählen, wird das erste Kriterium nicht automatisch ausgewählt, Sie können es selbst festlegen. Wenn Sie die Option Top 10 aus dem Zahlenfilter auswählen, öffnet sich ein neues Fenster: In der ersten Dropdown-Liste können Sie auswählen, ob Sie die höchsten (Oben) oder niedrigsten (Unten) Werte anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). Die dritte Drop-Down-Liste erlaubt die Einstellung von Maßeinheiten: Element oder Prozent. Nach der Einstellung der erforderlichen Parameter, klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Größer/Kleiner als Durchschnitt aus dem Zahlenfilter auswählen, wird der Filter sofort angewendet. Daten nach Farbe filternWenn der Zellenbereich, den Sie filtern möchten, Zellen mit einem formatierten Hintergrund oder einer geänderten Schriftfarbe enthalten (manuell oder mithilfe vordefinierter Stile), stehen Ihnen die folgenden Optionen zur Verfügung: Nach Zellenfarbe filtern - nur die Einträge mit einer bestimmten Zellenhintergrundfarbe anzeigen und alle anderen verbergen. Nach Schriftfarbe filtern - nur die Einträge mit einer bestimmten Schriftfarbe anzeigen und alle anderen verbergen. Wenn Sie die erforderliche Option auswählen, wird eine Palette geöffnet, die alle im ausgewählten Zellenbereich verwendeten Farben anzeigt. Klicken Sie auf OK, um den Filter anzuwenden. Die Schaltfläche Filter wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. Das bedeutet, dass der Filter aktiviert ist. Die Anzahl der gefilterten Datensätze wird in der Statusleiste angezeigt (z. B. 25 von 80 gefilterten Datensätzen). Hinweis: Wenn der Filter angewendet wird, können die ausgefilterten Zeilen beim automatischen Ausfüllen, Formatieren und Löschen der sichtbaren Inhalte nicht geändert werden. Solche Aktionen betreffen nur die sichtbaren Zeilen, die Zeilen, die vom Filter ausgeblendet werden, bleiben unverändert. Beim Kopieren und Einfügen der gefilterten Daten können nur sichtbare Zeilen kopiert und eingefügt werden. Dies entspricht jedoch nicht manuell ausgeblendeten Zeilen, die von allen ähnlichen Aktionen betroffen sind. Gefilterte Daten sortieren Sie können die Sortierreihenfolge der Daten festlegen, für die Sie den Filter aktiviert oder angewendet haben. Klicken Sie auf den Pfeil oder auf das Smbol Filter und wählen Sie eine der Optionen in der Liste der für Filter zur Verfügung stehenden Optionen aus: Von niedrig zu hoch - Daten in aufsteigender Reihenfolge sortieren, wobei der niedrigste Wert oben in der Spalte angezeigt wird. Von hoch zu niedrig - Daten in absteigender Reihenfolge sortieren, wobei der höchste Wert oben in der Spalte angezeigt wird. Nach Zellfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Zellfarbe oben in der Spalte anzeigen. Nach Schriftfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Schriftfarbe oben in der Spalte anzeigen. Die letzten beiden Optionen können verwendet werden, wenn der zu sortierende Zellenbereich Zellen enthält, die Sie formatiert haben und deren Hintergrund oder Schriftfarbe geändert wurde (manuell oder mithilfe vordefinierter Stile). Die Sortierrichtung wird durch die Pfeilrichtung des jeweiligen Filters angezeigt. Wenn die Daten in aufsteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt: und das Symbol Filter ändert sich folgendermaßen: . Wenn die Daten in absteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt: und das Symbol Filter ändert sich folgendermaßen: . Sie können die Daten auch über das Kontextmenü nach Farbe sortieren: Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten. Wählen Sie die Option Sortieren aus dem Menü aus. Wählen Sie die gewünschte Option aus dem Untermenü aus: Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen. Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen. Nach ausgewählten Zelleninhalten filtern. Sie können die Daten auch über das Kontextmenü nach bestimmten Inhalten filtern: Klicken Sie mit der rechten Maustaste auf eine Zelle, wählen Sie die Filteroptionen aus dem Menü aus und wählen Sie anschließend eine der verfügbaren Optionen: Nach dem Wert der ausgewählten Zelle filtern - es werden nur Einträge angezeigt, die denselben Wert wie die ausgewählte Zelle enthalten. Nach Zellfarbe filtern - es werden nur Einträge mit derselben Zellfarbe wie die ausgewählte Zelle angezeigt. Nach Schriftfarbe filtern - es werden nur Einträge mit derselben Schriftfarbe wie die ausgewählte Zelle angezeigt. Wie Tabellenvorlage formatieren Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu vor wie folgt: Wählen sie einen Zellenbereich, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Start auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Gallerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titel, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellbereich um eine Zeile nach unten verschoben wird. Klicken Sie auf OK, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten. Hinweis: wenn Sie eine neu formatierte Tabelle erstellen, wird der Tabelle automatisch ein Standardname zugewiesen (Tabelle1, Tabelle2 usw.). Sie können den Namen ändern und für weitere Bearbeitungen verwenden. Wenn Sie einen neuen Wert in eine Zelle unter der letzten Zeile der Tabelle eingeben (wenn die Tabelle nicht über eine Zeile mit den Gesamtergebnissen verfügt) oder in einer Zelle rechts von der letzten Tabellenspalte, wird die formatierte Tabelle automatisch um eine neue Zeile oder Spalte erweitert. Wenn Sie die Tabelle nicht erweitern möchten, klicken Sie auf die angezeigte Schaltfläche und wählen Sie die Option Automatische Erweiterung rückgängig machen. Wenn Sie diese Aktion rückgängig gemacht haben, ist im Menü die Option Automatische Erweiterung wiederholen verfügbar. Einige der Tabelleneinstellungen können über die Registerkarte Einstellungen in der rechten Seitenleiste geändert werden, die geöffnet wird, wenn Sie mindestens eine Zelle in der Tabelle mit der Maus auswählen und auf das Symbol Tabelleneinstellungen rechts klicken. In den Abschnitten Zeilen und Spalten, haben Sie die Möglichkeit, bestimmte Zeilen/Spalten hervorzuheben, eine bestimmte Formatierung anzuwenden oder die Zeilen/Spalten in den verschiedenen Hintergrundfarben einzufärben, um sie klar zu unterscheiden. Folgende Optionen stehen zur Verfügung: Kopfzeile - Kopfzeile wird angezeigt. Gesamt - am Ende der Tabelle wird eine Zeile mit den Ergebnissen hinzugefügt. Gebänderte Zeilen - gerade und ungerade Zeilen werden unterschiedlich formatiert. Schaltfläche Filtern - die Filterpfeile werden in den Zellen der Kopfzeile angezeigt. Diese Option ist nur verfügbar, wenn die Option Kopfzeile ausgewählt ist. Erste Spalte - die erste Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Letzte Spalte - die letzte Spalte der Tabelle wird durch eine bestimmte Formatierung hervorgehoben. Gebänderte Spalten - gerade und ungerade Spalten werden unterschiedlich formatiert. Im Abschnitt Aus Vorlage wählen können Sie einen vordefinierten Tabellenstil auswählen. Jede Vorlage kombiniert bestimmte Formatierungsparameter, wie Hintergrundfarbe, Rahmenstil, Zellen-/Spaltenformat usw. Abhängig von den in den Abschnitten Zeilen oder Spalten ausgewählten Optionen, werden die Vorlagen unterschiedlich dargestellt. Wenn Sie zum Beispiel die Option Kopfzeile im Abschnitt Zeilen und die Option Gebänderte Spalten im Abschnitt Spalten aktiviert haben, enthält die angezeigte Vorlagenliste nur Vorlagen mit Kopfzeile und gebänderten Spalten: Wenn Sie den aktuellen Tabellenstil (Hintergrundfarbe, Rahmen usw.) löschen möchten, ohne die Tabelle selbst zu entfernen, wenden Sie die Vorlage Keine aus der Vorlagenliste an: Im Abschnitt Größe anpassen können Sie den Zellenbereich ändern, auf den die Tabellenformatierung angewendet wird. Klicken Sie auf die Schaltfläche Daten auswählen - ein neues Fenster wird geöffnet. Ändern Sie die Verknüpfung zum Zellbereich im Eingabefeld oder wählen Sie den gewünschten Zellbereich auf dem Arbeitsblatt mit der Maus aus und klicken Sie anschließend auf OK. Im Abschnitt Zeilen & Spalten können Sie folgende Vorgänge durchzuführen: Wählen Sie eine Zeile, Spalte, alle Spalten ohne die Kopfzeile oder die gesamte Tabelle einschließlich der Kopfzeile aus. Einfügen - eine neue Zeile unter oder über der ausgewählten Zeile bzw. eine neue Spalte links oder rechts von der ausgewählten Spalte einfügen. Löschen - eine Zeile, Spalte, Zelle (abhängig von der Cursorposition) oder die ganze Tabelle löschen. Hinweis: die Optionen im Abschnitt Zeilen & Spalten sind auch über das Rechtsklickmenü zugänglich. In Bereich konvertieren - Tabelle in einen regulären Datenbereich umwandeln, indem Sie den Filter entfernen. Der Tabellenstil wird beibehalten (z. B. Zellen- und Schriftfarben usw.). Wenn Sie diese Option anwenden, ist die Registerkarte Tabelleneinstellungen in der rechten Seitenleiste nicht mehr verfügbar. Um die erweiterten Tabelleneigenschaften zu ändern, klicken Sie auf den Link Erweiterte Einstellungen anzeigen in der rechten Seitenleiste. Das Fenster mit den Tabelleneigenschaften 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 in der Tabelle enthalten sind. Filter erneut anwenden: Wenn die gefilterten Daten geändert wurden, können Sie den Filter aktualisieren, um ein aktuelles Ergebnis anzuzeigen: Klicken Sie auf die Schaltfläche Filter in der ersten Zelle der Spalte mit den gefilterten Daten. Wählen Sie die Option Filter erneut anwenden in der geöffneten Liste mit den Filteroptionen aus. Sie können auch mit der rechten Maustaste auf eine Zelle innerhalb der Spalte klicken, die die gefilterten Daten enthält, und im Kontextmenü die Option Filter erneut anwenden auswählen. Filter leeren Angewendete Filter leeren: Klicken Sie auf die Schaltfläche Filter in der ersten Zelle der Spalte mit den gefilterten Daten. Wählen Sie die Option Filter leeren in der geöffneten Liste mit den Filteroptionen aus. Alternativ gehen Sie vor wie folgt: Wählen Sie den Zellenbereich mit den gefilterten Daten aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter leeren . Der Filter bleibt aktiviert, aber alle angewendeten Filterparameter werden entfernt und die Schaltflächen Filter in den ersten Zellen der Spalten werden in die Filterpfeile geändert. Filter entfernen Einen Filter entfernen: Wählen Sie den Zellenbereich mit den gefilterten Daten aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Start auf das Symbol Filter . Der Filter werde deaktiviert und die Filterpfeile verschwinden aus den ersten Zellen der Spalten." + "body": "Daten sortieren Sie können Ihre Daten in einer Tabellenkalkulation mithilfe der verfügbaren Optionen schnell sortieren: Aufsteigend wird genutzt, um Ihre Daten in aufsteigender Reihenfolge zu sortieren - von A bis Z alphabetisch oder von den kleinsten bis zu den größten nummerischen Werten. Absteigend wird genutzt, um Ihre Daten in absteigender Reihenfolge zu sortieren - von Z bis A alphabetisch oder von den größten bis zu den kleinsten nummerischen Werten. Die Optionen Sortieren sind sowohl über die Registerkarten Startseite als auch Daten zugänglich. Daten sortieren: Wählen Sie den Zellenbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle in einem Bereich auswählen, um den gesamten Bereich zu sortieren. Klicken Sie auf das Symbol Von A bis Z sortieren in der Registerkarte Startseite auf der oberen Symbolleiste, um Ihre Daten in aufsteigender Reihenfolge zu sortieren, ODER klicken Sie auf das Symbol Von Z bis A sortieren > in der Registerkarte Startseite auf der oberen Symbolleiste, um Ihre Daten in absteigender Reihenfolge zu sortieren. Wenn Sie eine einzelne Spalte / Zeile innerhalb eines Zellenbereichs oder eines Teils der Spalte / Zeile auswählen, werden Sie gefragt, ob Sie die Auswahl um benachbarte Zellen erweitern oder nur die ausgewählten Daten sortieren möchten. Sie können Ihre Daten auch mit Hilfe der Optionen im Kontextmenü sortieren. Klicken Sie mit der rechten Maustaste auf den ausgewählten Zellenbereich, wählen Sie im Menü die Option Sortieren und dann im Untermenü auf die Option Aufsteigend oder Absteigend klicken. Mithilfe des Kontextmenüs können Sie die Daten auch nach Farbe sortieren. Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten. Wählen Sie die Option Sortieren aus dem Menü aus. Wählen Sie die gewünschte Option aus dem Untermenü aus: Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen. Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen. Daten filtern Um nur Zeilen anzuzeigen die bestimmten Kriterien entsprechen, nutzen Sie die Option Filter. Auf die Filter-Optionen kann sowohl über die Registerkarten Startseite als auch Daten zugegriffen werden. Filter aktivieren: Wählen Sie den Zellenbereich aus, der die Daten enthält, die Sie filtern möchten (Sie können eine einzelne Zelle in einem Zellbereich auswählen, um den gesamten Zellbereich zu filter). Klicken Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Filter . Ein nach unten gerichteter Pfeil wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. So können Sie erkennen, dass der Filter aktiviert ist. Einen Filter anwenden: Klicken Sie auf den Filterpfeil . Die Liste mit den Filter-Optionen wird angezeigt: Sie können die Größe des Filterfensters anpassen, indem Sie seinen rechten Rand nach rechts oder links ziehen, um die Daten so bequem wie möglich anzuzeigen. Passen Sie die Filterparameter an. Folgende Optionen stehen Ihnen zur Verfügung: Anzuzeigende Daten auswählen; Daten nach bestimmten Kriterien filtern oder Daten nach Farben filtern. Anzuzeigende Daten auswählen: Deaktivieren Sie die Felder neben den Daten die Sie ausblenden möchten. Zur Vereinfachung werden alle Daten neben dem Fenster Filter in absteigender Reihenfolge dargestellt. Die Anzahl der eindeutigen Werte im gefilterten Bereich wird rechts neben jedem Wert im Filterfenster angezeigt. Das Kästchen {Leerstellen} bezieht sich auf leere Zellen. Es ist verfügbar, wenn der ausgewählte Zellenbereich mindestens eine leere Zelle enthält. Über das oben befindliche Suchfeld, können Sie den Prozess vereinfachen. Geben Sie Ihre Abfrage ganz oder teilweise in das Feld ein und drücken Sie dann auf OK - die Werte, die die gesuchten Zeichen enthalten, werden in der Liste unten angezeigt. Außerdem stehen Ihnen die zwei folgenden Optionen zur Verfügung: Alle Suchergebnisse auswählen ist standardmäßig aktiviert. Diese Option ermöglicht Ihnen alle Werte auszuwählen, die Ihrer Abfrage in der Liste entsprechen. Aktuelle Auswahl zum Filtern hinzufügen - wenn Sie dieses Kontrollkästchen aktivieren, werden die ausgewählten Werte nicht ausgeblendet, wenn Sie den Filter anwenden. Nachdem Sie alle erforderlichen Daten ausgewählt haben, klicken Sie auf die Schaltfläche OK in der Optionsliste Filter, um den Filter anzuwenden. Daten nach bestimmten Kriterien filtern Abhängig von den Daten, die in der ausgewählten Spalte enthalten sind, können Sie im rechten Teil der Liste der Filteroptionen entweder die Option Zahlenfilter oder die Option Textfilter auswählen und dann eine der Optionen aus dem Untermenü auswählen: Für Zahlenfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Größer als..., Größer als oder gleich..., Kleiner als..., Kleiner als oder gleich..., Zwischen, Top 10, Größer als der Durchschnitt, Kleiner als der Durchschnitt, Benutzerdefinierter Filter.... Für Textfilter stehen folgende Auswahlmöglichkeiten zur Verfügung: Gleich..., Ungleich..., Beginnt mit..., Beginnt nicht mit..., Endet mit..., Endet nicht mit..., Enthält..., Enthält nicht..., Benutzerdefinierter Filter.... Nachdem Sie eine der oben genannten Optionen ausgewählt haben (außer den Optionen Top 10 und Größer/ Kleiner als Durchschnitt), öffnet sich das Fenster Benutzerdefinierter Filter. Das entsprechende Kriterium wird in der oberen Dropdown-Liste ausgewählt. Geben Sie den erforderlichen Wert in das Feld rechts ein. Um ein weiteres Kriterium hinzuzufügen, verwenden Sie das Optionsfeld Und, wenn Sie die Daten benötigen, um beide Kriterien zu erfüllen, oder klicken Sie auf das Optionsfeld Oder, wenn eines oder beide Kriterien erfüllt werden können. Wählen Sie dann das zweite Kriterium aus der unteren Auswahlliste und geben Sie den erforderlichen Wert rechts ein. Klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Benutzerdefinierter Filter... aus der Optionsliste Zahlen-/ Textfilter wählen, wird das erste Kriterium nicht automatisch ausgewählt, Sie können es selbst festlegen. Wenn Sie die Option Top 10 aus dem Zahlenfilter auswählen, öffnet sich ein neues Fenster: In der ersten Dropdown-Liste können Sie auswählen, ob Sie die höchsten (Oben) oder niedrigsten (Unten) Werte anzeigen möchten. Im zweiten Feld können Sie angeben, wie viele Einträge aus der Liste oder wie viel Prozent der Gesamtzahl der Einträge angezeigt werden sollen (Sie können eine Zahl zwischen 1 und 500 eingeben). Die dritte Drop-Down-Liste erlaubt die Einstellung von Maßeinheiten: Element oder Prozent. Nach der Einstellung der erforderlichen Parameter, klicken Sie auf OK, um den Filter anzuwenden. Wenn Sie die Option Größer/Kleiner als Durchschnitt aus dem Zahlenfilter auswählen, wird der Filter sofort angewendet. Daten nach Farbe filtern Wenn der Zellenbereich, den Sie filtern möchten, Zellen mit einem formatierten Hintergrund oder einer geänderten Schriftfarbe enthalten (manuell oder mithilfe vordefinierter Stile), stehen Ihnen die folgenden Optionen zur Verfügung: Nach Zellenfarbe filtern - nur die Einträge mit einer bestimmten Zellenhintergrundfarbe anzeigen und alle anderen verbergen. Nach Schriftfarbe filtern - nur die Einträge mit einer bestimmten Schriftfarbe anzeigen und alle anderen verbergen. Wenn Sie die erforderliche Option auswählen, wird eine Palette geöffnet, die alle im ausgewählten Zellenbereich verwendeten Farben anzeigt. Klicken Sie auf OK, um den Filter anzuwenden. Die Schaltfläche Filter wird in der ersten Zelle jeder Spalte des gewählten Zellenbereichs angezeigt. Das bedeutet, dass der Filter aktiviert ist. Die Anzahl der gefilterten Datensätze wird in der Statusleiste angezeigt (z. B. 25 von 80 gefilterten Datensätzen). Wenn der Filter angewendet wird, können die ausgefilterten Zeilen beim automatischen Ausfüllen, Formatieren und Löschen der sichtbaren Inhalte nicht geändert werden. Solche Aktionen betreffen nur die sichtbaren Zeilen, die Zeilen, die vom Filter ausgeblendet werden, bleiben unverändert. Beim Kopieren und Einfügen der gefilterten Daten können nur sichtbare Zeilen kopiert und eingefügt werden. Dies entspricht jedoch nicht manuell ausgeblendeten Zeilen, die von allen ähnlichen Aktionen betroffen sind. Gefilterte Daten sortieren Sie können die Sortierreihenfolge der Daten festlegen, für die Sie den Filter aktiviert oder angewendet haben. Klicken Sie auf den Pfeil oder auf das Symbol Filter und wählen Sie eine der Optionen in der Liste der für Filter zur Verfügung stehenden Optionen aus: Von niedrig zu hoch - Daten in aufsteigender Reihenfolge sortieren, wobei der niedrigste Wert oben in der Spalte angezeigt wird. Von hoch zu niedrig - Daten in absteigender Reihenfolge sortieren, wobei der höchste Wert oben in der Spalte angezeigt wird. Nach Zellfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Zellfarbe oben in der Spalte anzeigen. Nach Schriftfarbe sortieren - Daten nach einer festgelegten Farbe sortieren und die Einträge mit der angegebenen Schriftfarbe oben in der Spalte anzeigen. Die letzten beiden Optionen können verwendet werden, wenn der zu sortierende Zellenbereich Zellen enthält, die Sie formatiert haben und deren Hintergrund oder Schriftfarbe geändert wurde (manuell oder mithilfe vordefinierter Stile). Die Sortierrichtung wird durch die Pfeilrichtung des jeweiligen Filters angezeigt. Wenn die Daten in aufsteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt: und das Symbol Filter ändert sich folgendermaßen: . Wenn die Daten in absteigender Reihenfolge sortiert sind, sieht der Filterpfeil in der ersten Zelle der Spalte aus wie folgt: und das Symbol Filter ändert sich folgendermaßen: . Sie können die Daten auch über das Kontextmenü nach Farbe sortieren: Klicken Sie mit der rechten Maustaste auf eine Zelle, die die Farbe enthält, nach der Sie Ihre Daten sortieren möchten. Wählen Sie die Option Sortieren aus dem Menü aus. Wählen Sie die gewünschte Option aus dem Untermenü aus: Ausgewählte Zellenfarbe oben - um die Einträge mit der gleichen Zellenhintergrundfarbe oben in der Spalte anzuzeigen. Ausgewählte Schriftfarbe oben - um die Einträge mit der gleichen Schriftfarbe oben in der Spalte anzuzeigen. Nach ausgewählten Zelleninhalten filtern. Sie können die Daten auch über das Kontextmenü nach bestimmten Inhalten filtern: Klicken Sie mit der rechten Maustaste auf eine Zelle, wählen Sie die Filteroptionen aus dem Menü aus und wählen Sie anschließend eine der verfügbaren Optionen: Nach dem Wert der ausgewählten Zelle filtern - es werden nur Einträge angezeigt, die denselben Wert wie die ausgewählte Zelle enthalten. Nach Zellfarbe filtern - es werden nur Einträge mit derselben Zellfarbe wie die ausgewählte Zelle angezeigt. Nach Schriftfarbe filtern - es werden nur Einträge mit derselben Schriftfarbe wie die ausgewählte Zelle angezeigt. Wie Tabellenvorlage formatieren Um die Arbeit mit Daten zu erleichtern, ermöglicht der Tabelleneditor eine Tabellenvorlage auf einen ausgewählten Zellenbereich unter automatischer Filteraktivierung anzuwenden. Gehen Sie dazu vor wie folgt: Wählen sie einen Zellenbereich, den Sie formatieren möchten. Klicken Sie auf das Symbol Wie Tabellenvorlage formatieren in der Registerkarte Startseite auf der oberen Symbolleiste. Wählen Sie die gewünschte Vorlage in der Gallerie aus. Überprüfen Sie den Zellenbereich, der als Tabelle formatiert werden soll im geöffneten Fenster. Aktivieren Sie das Kontrollkästchen Titel, wenn Sie möchten, dass die Tabellenüberschriften in den ausgewählten Zellbereich aufgenommen werden, ansonsten wird die Kopfzeile oben hinzugefügt, während der ausgewählte Zellbereich um eine Zeile nach unten verschoben wird. Klicken Sie auf OK, um die gewählte Vorlage anzuwenden. Die Vorlage wird auf den ausgewählten Zellenbereich angewendet und Sie können die Tabellenüberschriften bearbeiten und den Filter anwenden, um mit Ihren Daten zu arbeiten. Filter erneut anwenden: Wenn die gefilterten Daten geändert wurden, können Sie den Filter aktualisieren, um ein aktuelles Ergebnis anzuzeigen: Klicken Sie auf die Schaltfläche Filter in der ersten Zelle der Spalte mit den gefilterten Daten. Wählen Sie die Option Filter erneut anwenden in der geöffneten Liste mit den Filteroptionen aus. Sie können auch mit der rechten Maustaste auf eine Zelle innerhalb der Spalte klicken, die die gefilterten Daten enthält, und im Kontextmenü die Option Filter erneut anwenden auswählen. Filter leeren Angewendete Filter leeren: Klicken Sie auf die Schaltfläche Filter in der ersten Zelle der Spalte mit den gefilterten Daten. Wählen Sie die Option Filter leeren in der geöffneten Liste mit den Filteroptionen aus. Alternativ gehen Sie vor wie folgt: Wählen Sie den Zellenbereich mit den gefilterten Daten aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Filter leeren . Der Filter bleibt aktiviert, aber alle angewendeten Filterparameter werden entfernt und die Schaltflächen Filter in den ersten Zellen der Spalten werden in die Filterpfeile geändert. Filter entfernen Einen Filter entfernen: Wählen Sie den Zellenbereich mit den gefilterten Daten aus. Klicken Sie in der oberen Symbolleiste in der Registerkarte Startseite auf das Symbol Filter . Der Filter werde deaktiviert und die Filterpfeile verschwinden aus den ersten Zellen der Spalten. Daten nach mehreren Spalten/Zeilen sortieren Um Daten nach mehreren Spalten/Zeilen zu sortieren, können Sie mit der Funktion Benutzerdefinierte Sortierung mehrere Sortierebenen erstellen. Wählen Sie einen Zellbereich aus, den Sie sortieren möchten (Sie können eine einzelne Zelle auswählen, um den gesamten Bereich zu sortieren). Klicken Sie auf das Symbol Benutzerdefinierte Sortierung , das sich oben auf der Registerkarte Daten befindet Symbolleiste, Das Fenster Sortieren wird angezeigt. Die Sortierung nach Spalten ist standardmäßig ausgewählt. Um die Sortierausrichtung zu ändern (d. h. Daten nach Zeilen statt nach Spalten zu sortieren), klicken Sie oben auf die Schaltfläche Optionen. Das Fenster Sortieroptionen wird geöffnet: Aktivieren Sie bei Bedarf das Kontrollkästchen Meine Daten haben Kopfzeilen. Wählen Sie die erforderliche Ausrichtung: Von oben nach unten sortieren, um Daten nach Spalten zu sortieren, oder Von links nach rechts sortieren, um Daten nach Zeilen zu sortieren. Klicken Sie auf OK, um die Änderungen zu übernehmen und das Fenster zu schließen. Legen Sie die erste Sortierebene im Feld Sortieren nach fest: Wählen Sie im Abschnitt Spalte / Zeile die erste Spalte / Zeile aus, die Sie sortieren möchten. Wählen Sie in der Liste Sortieren nach eine der folgenden Optionen: Werte, Zellenfarbe oder Schriftfarbe, Geben Sie in der Liste Reihenfolge die erforderliche Sortierreihenfolge an. Die verfügbaren Optionen unterscheiden sich je nach der in der Liste Sortieren nach ausgewählten Option: wenn die Option Werte ausgewählt ist, wählen Sie die Option Aufsteigend / Absteigend, wenn der Zellbereich Zahlen enthält oder A bis Z / Z bis A Option, wenn der Zellbereich Textwerte enthält, wenn die Option Zellenfarbe ausgewählt ist, wählen Sie die erforderliche Zellenfarbe und wählen Sie die Option Oben / Unten für Spalten oder Links / Rechts Option für Zeilen, wenn die Option Schriftfarbe ausgewählt ist, wählen Sie die erforderliche Schriftfarbe und wählen Sie die Option Oben / Unten für Spalten oder Links / Rechts Option für Zeilen. Fügen Sie die nächste Sortierebene hinzu, indem Sie auf die Schaltfläche Ebene hinzufügen klicken, wählen Sie die zweite Spalte / Zeile aus, die Sie sortieren möchten, und geben Sie andere Sortierparameter im Feld Dann nach wie oben beschrieben an. Fügen Sie bei Bedarf auf die gleiche Weise weitere Ebenen hinzu. Verwalten Sie die hinzugefügten Ebenen mit den Schaltflächen oben im Fenster: Ebene löschen, Ebene kopieren oder ändern Sie die Reihenfolge der Ebenen mit den Pfeilschaltflächen Ebene nach oben verschieben / Ebene nach unten verschieben. Klicken Sie auf OK, um die Änderungen zu übernehmen und das Fenster zu schließen. Die Daten werden nach den angegebenen Sortierebenen sortiert." }, { "id": "UsageInstructions/SupportSmartArt.htm", @@ -2647,22 +2657,22 @@ var indexes = }, { "id": "UsageInstructions/UndoRedo.htm", - "title": "Vorgänge rückgängig machen/wiederholen", - "body": "Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile des Tabelleneditor, um Vorgänge rückgängig zu machen/zu wiederholen: Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen , um den zuletzt durchgeführten Vorgang rückgängig zu machen. Wiederholen – klicken Sie auf das Symbol Wiederholen , um den zuletzt rückgängig gemachten Vorgang zu wiederholen. Diese Vorgänge können auch mithilfe der entsprechenden Tastenkombinationen durchgeführt werden. Hinweis: Wenn Sie eine Kalkulationstabelle im Modus Schnell gemeinsam bearbeiten, ist die Option letzten Vorgang Rückgängig machen/Wiederholen nicht verfügbar." + "title": "Ihre Aktionen rückgängig machen oder wiederholen", + "body": "Verwenden Sie die entsprechenden Symbole im linken Bereich der Kopfzeile der Tabellenkalkulation, um Vorgänge rückgängig zu machen/zu wiederholen: Rückgängig machen – klicken Sie auf das Symbol Rückgängig machen , um den zuletzt durchgeführten Vorgang rückgängig zu machen. Wiederholen – klicken Sie auf das Symbol Wiederholen , um den zuletzt rückgängig gemachten Vorgang zu wiederholen. Diese Vorgänge können auch mithilfe der entsprechenden Tastenkombinationen durchgeführt werden. Wenn Sie eine Kalkulationstabelle im Modus Schnell gemeinsam bearbeiten, ist die Option letzten Vorgang Rückgängig machen/Wiederholen nicht verfügbar." }, { "id": "UsageInstructions/UseNamedRanges.htm", "title": "Namensbereiche verwenden", - "body": "Namen sind sinnvolle Kennzeichnungen, die für eine Zelle oder einen Zellbereich zugewiesen werden können und die das Arbeiten mit Formeln vereinfachen im Tabelleneditor. Wenn Sie eine Formel erstellen, können Sie einen Namen als Argument eingeben, anstatt einen Verweis auf einen Zellbereich zu erstellen. Wenn Sie z. B. den Namen Jahreseinkommen für einen Zellbereich vergeben, können Sie SUMME(Jahreseinkommen) eingeben, anstelle von SUMME (B1:B12). Auf diese Art werden Formeln übersichtlicher. Diese Funktion kann auch nützlich sein, wenn viele Formeln auf ein und denselben Zellbereich verweisen. Wenn die Bereichsadresse geändert wird, können Sie die Korrektur mithilfe des Namensverwaltung vornehmen, anstatt alle Formeln einzeln zu bearbeiten. Es gibt zwei Arten von Namen, die verwendet werden können: Definierter Name - ein beliebiger Name, den Sie für einen bestimmten Zellbereich angeben können. Definierte Namen umfassen auch die Namen die automatisch bei der Einrichtung eines Druckbereichs erstellt werden. Tabellenname - ein Standardname, der einer neu formatierten Tabelle automatisch zugewiesen wird (Tabelle1, Tabelle2 usw.). Sie können den Namen später bearbeiten. Namen werden auch nach Bereich klassifiziert, d. h. der Ort, an dem ein Name erkannt wird. Ein Name kann für die gesamte Arbeitsmappe (wird für jedes Arbeitsblatt in dieser Arbeitsmappe erkannt) oder für ein separates Arbeitsblatt (wird nur für das angegebene Arbeitsblatt erkannt) verwendet werden. Jeder Name muss innerhalb eines Geltungsbereichs eindeutig sein, dieselben Namen können innerhalb verschiedener Bereiche verwendet werden. Neue Namen erstellen So erstellen Sie einen neuen definierten Namen für eine Auswahl: Wählen Sie eine Zelle oder einen Zellbereich aus, dem Sie einen Namen zuweisen möchten. Öffnen Sie ein neues Namensfenster: Klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie die Option Namen definieren im Kontextmenü aus. klicken Sie auf das Symbol Benannte Bereiche auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Neuer Name aus dem Menü aus. Das Fenster Neuer Name wird geöffnet: Geben Sie den gewünschten Namen in das dafür vorgesehene Texteingabefeld ein.Hinweis: ein Name darf nicht von einer Nummer ausgehen und keine Leerzeichen oder Satzzeichen enthalten. Unterstriche (_) sind erlaubt. Groß- und Kleinschreibung wird nicht beachtet. Legen Sie den Bereich für den Namen fest. Der Bereich Arbeitsmappe ist standardmäßig ausgewählt, Sie können jedoch auch ein einzelnes Arbeitsblatt aus der Liste auswählen. Überprüfen Sie die Angabe für den ausgewählten Datenbereich. Nehmen Sie Änderungen vor, falls erforderlich. Klicken Sie auf die Schaltfläche Daten auswählen - das Fenster Datenbereich auswählen wird geöffnet. Ändern Sie im Eingabefeld die Verknüpfung zum Zellbereich oder wählen Sie mit der Maus einen neuen Bereich im Arbeitsblatt aus und klicken Sie dann auf OK Klicken Sie auf OK, um den Namen zu speichern. Um schnell einen neuen Namen für den ausgewählten Zellenbereich zu erstellen, können Sie auch den gewünschten Namen in das Namensfeld links neben der Bearbeitungsleiste eingeben und die EINGABETASTE drücken. Ein solchermaßen erstellter Name wird der Arbeitsmappe zugeordnet. Namen verwalten Über den Namens-Manger können Sie die vorhandenen Namen einsehen und verwalten. Namens-Manager öffnen: Klicken Sie auf das Symbol Benannte Bereiche auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Namens-Manger aus dem Menü aus, oder klicken Sie auf den Pfeil im Namensfeld und wählen Sie die Option Namens-Manager. Das Fenster Namens-Manger wird geöffnet: Zu Ihrer Bequemlichkeit können Sie die Namen filtern, indem Sie die Namenskategorie auswählen, die angezeigt werden soll. Dazu stehen Ihnen folgende Optionen zur Verfügung: Alle, Definierte Namen, Tabellennamen, Im Arbeitsblatt festgelegte Namensbereiche oder In der Arbeitsmappe festgelegte Namensbereiche. Die Namen, die zu der ausgewählten Kategorie gehören, werden in der Liste angezeigt, die anderen Namen werden ausgeblendet. Um die Sortierreihenfolge für die angezeigte Liste zu ändern, klicken Sie im Fenster auf die Optionen Benannte Bereiche oder Bereich. Namen bearbeiten: wählen Sie den entsprechenden Namen aus der Liste aus und klicken Sie auf Bearbeiten. Das Fenster Namen bearbeiten wird geöffnet: Für einen definierten Namen können Sie den Namen und den Datenbereich (Bezug) ändern. Bei Tabellennamen können Sie nur den Namen ändern. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Ok, um die Änderungen anzuwenden. Um die Änderungen zu verwerfen, klicken Sie auf Abbrechen. Wenn der bearbeitete Name in einer Formel verwendet wird, wird die Formel automatisch entsprechend geändert. Namen löschen: wählen Sie den entsprechenden Namen aus der Liste aus und klicken Sie auf Löschen. Hinweis: wenn Sie einen Namen löschen, der in einer Formel verwendet wird, kann die Formel nicht länger funktionieren (die Formel gibt den Fehlerwert #NAME? zurück). Sie können im Fenster Names-Manager auch einen neuen Namen erstellen, klicken Sie dazu auf die Schaltfläche Neu. Namen bei die Bearbeitung der Tabelle verwenden Um schnell zwischen Zellenbereichen zu wechseln, klicken Sie auf den Pfeil im Namensfeld und wählen Sie den gewünschten Namen aus der Namensliste aus - der Datenbereich, der diesem Namen entspricht, wird auf dem Arbeitsblatt ausgewählt. Hinweis: in der Namensliste werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind. In einer Formel einen Namen als Argument hinzufügen: Platzieren Sie die Einfügemarke an der Stelle, an der Sie einen Namen hinzufügen möchten. Wählen Sie eine der folgenden Optionen: Geben Sie den Namen des erforderlichen benannten Bereichs manuell über die Tastatur ein. Sobald Sie die Anfangsbuchstaben eingegeben haben, wird die Liste Formel automatisch vervollständigen angezeigt. Während der Eingabe werden die Elemente (Formeln und Namen) angezeigt, die den eingegebenen Zeichen entsprechen. Um den gewünschten Namen aus der Liste auszuwählen und diesen in die Formel einzufügen, klicken Sie mit einem Doppelklick auf den Namen oder drücken Sie die TAB-Taste, oder klicken Sie auf das Symbol Benannte Bereiche auf der Registerkarte Start in der oberen Symbolleiste und wählen Sie die Option Namen einfügen aus dem Menü aus, wählen Sie den gewünschten Namen im Fenster Namen einfügen aus und klicken Sie auf OK. Hinweis: im Fenster Namen einfügen werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind." + "body": "Namen sind sinnvolle Kennzeichnungen, die für eine Zelle oder einen Zellbereich zugewiesen werden können und die das Arbeiten mit Formeln vereinfachen im Tabelleneditor. Wenn Sie eine Formel erstellen, können Sie einen Namen als Argument eingeben, anstatt einen Verweis auf einen Zellbereich zu erstellen. Wenn Sie z. B. den Namen Jahreseinkommen für einen Zellbereich vergeben, können Sie SUMME(Jahreseinkommen) eingeben, anstelle von SUMME (B1:B12). Auf diese Art werden Formeln übersichtlicher. Diese Funktion kann auch nützlich sein, wenn viele Formeln auf ein und denselben Zellbereich verweisen. Wenn die Bereichsadresse geändert wird, können Sie die Korrektur mithilfe des Namensverwaltung vornehmen, anstatt alle Formeln einzeln zu bearbeiten. Es gibt zwei Arten von Namen, die verwendet werden können: Definierter Name - ein beliebiger Name, den Sie für einen bestimmten Zellbereich angeben können. Definierte Namen umfassen auch die Namen die automatisch bei der Einrichtung eines Druckbereichs erstellt werden. Tabellenname - ein Standardname, der einer neu formatierten Tabelle automatisch zugewiesen wird (Tabelle1, Tabelle2 usw.). Sie können den Namen später bearbeiten. Wenn Sie einen Slicer für eine formatierte Tabelle erstellt haben, wird ein automatisch zugewiesener Slicer-Name auch im Namensanager angezeigt (Slicer_Column1, Slicer_Column2 usw. Dieser Name besteht aus dem Teil Slicer_ und dem Feldnamen, der der Spaltenüberschrift aus den Quelldaten entspricht). Sie können diesen Namen später bearbeiten. Namen werden auch nach Bereich klassifiziert, d. h. der Ort, an dem ein Name erkannt wird. Ein Name kann für die gesamte Arbeitsmappe (wird für jedes Arbeitsblatt in dieser Arbeitsmappe erkannt) oder für ein separates Arbeitsblatt (wird nur für das angegebene Arbeitsblatt erkannt) verwendet werden. Jeder Name muss innerhalb eines Geltungsbereichs eindeutig sein, dieselben Namen können innerhalb verschiedener Bereiche verwendet werden. Neue Namen erstellen So erstellen Sie einen neuen definierten Namen für eine Auswahl: Wählen Sie eine Zelle oder einen Zellbereich aus, dem Sie einen Namen zuweisen möchten. Öffnen Sie ein neues Namensfenster: Klicken Sie mit der rechten Maustaste auf die Auswahl und wählen Sie die Option Namen definieren im Kontextmenü aus. oder klicken Sie auf das Symbol Benannte Bereiche auf der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie im Menü die Option Namen definieren. oder klicken Sie auf die Schaltfläche Benannte Bereiche auf der Registerkarte Formel in der oberen Symbolleiste und wählen Sie den Namens-Manger aus dem Menü. Wählen Sie im geöffneten Fenster die Option Neu. Das Fenster Neuer Name wird geöffnet: Geben Sie den gewünschten Namen in das dafür vorgesehene Texteingabefeld ein. Ein Name darf nicht von einer Nummer ausgehen und keine Leerzeichen oder Satzzeichen enthalten. Unterstriche (_) sind erlaubt. Groß- und Kleinschreibung wird nicht beachtet. Legen Sie den Bereich für den Namen fest. Der Bereich Arbeitsmappe ist standardmäßig ausgewählt, Sie können jedoch auch ein einzelnes Arbeitsblatt aus der Liste auswählen. Überprüfen Sie die Angabe für den ausgewählten Datenbereich. Nehmen Sie Änderungen vor, falls erforderlich. Klicken Sie auf die Schaltfläche Daten auswählen - das Fenster Datenbereich auswählen wird geöffnet. Ändern Sie im Eingabefeld die Verknüpfung zum Zellbereich oder wählen Sie mit der Maus einen neuen Bereich im Arbeitsblatt aus und klicken Sie dann auf OK Klicken Sie auf OK, um den Namen zu speichern. Um schnell einen neuen Namen für den ausgewählten Zellenbereich zu erstellen, können Sie auch den gewünschten Namen in das Namensfeld links neben der Bearbeitungsleiste eingeben und die EINGABETASTE drücken. Ein solchermaßen erstellter Name wird der Arbeitsmappe zugeordnet. Namen verwalten Über den Name-Manager können Sie die vorhandenen Namen einsehen und verwalten. Um den Name-Manager zu öffnen: Klicken Sie auf das Symbol Benannte Bereiche auf der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Name-Manager aus dem Menü aus, oder klicken Sie auf den Pfeil im Namensfeld und wählen Sie die Option Name-Manager. Das Fenster Name-Manager wird geöffnet: Zu Ihrer Bequemlichkeit können Sie die Namen filtern, indem Sie die Namenskategorie auswählen, die angezeigt werden soll. Dazu stehen Ihnen folgende Optionen zur Verfügung: Alle, Definierte Namen, Tabellennamen, Im Arbeitsblatt festgelegte Namensbereiche oder In der Arbeitsmappe festgelegte Namensbereiche. Die Namen, die zu der ausgewählten Kategorie gehören, werden in der Liste angezeigt, die anderen Namen werden ausgeblendet. Um die Sortierreihenfolge für die angezeigte Liste zu ändern, klicken Sie im Fenster auf die Optionen Benannte Bereiche oder Bereich. Namen bearbeiten: wählen Sie den entsprechenden Namen aus der Liste aus und klicken Sie auf Bearbeiten. Das Fenster Namen bearbeiten wird geöffnet: Für einen definierten Namen können Sie den Namen und den Datenbereich (Bezug) ändern. Bei Tabellennamen können Sie nur den Namen ändern. Wenn Sie alle notwendigen Änderungen durchgeführt haben, klicken Sie auf Ok, um die Änderungen anzuwenden. Um die Änderungen zu verwerfen, klicken Sie auf Abbrechen. Wenn der bearbeitete Name in einer Formel verwendet wird, wird die Formel automatisch entsprechend geändert. Namen löschen: wählen Sie den entsprechenden Namen aus der Liste aus und klicken Sie auf Löschen. Wenn Sie einen Namen löschen, der in einer Formel verwendet wird, kann die Formel nicht länger funktionieren (die Formel gibt den Fehlerwert #NAME? zurück). Sie können im Fenster Name-Manager auch einen neuen Namen erstellen, klicken Sie dazu auf die Schaltfläche Neu. Namen bei die Bearbeitung der Tabelle verwenden Um schnell zwischen Zellenbereichen zu wechseln, klicken Sie auf den Pfeil im Namensfeld und wählen Sie den gewünschten Namen aus der Namensliste aus - der Datenbereich, der diesem Namen entspricht, wird auf dem Arbeitsblatt ausgewählt. In der Namensliste werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind. In einer Formel einen Namen als Argument hinzufügen: Platzieren Sie die Einfügemarke an der Stelle, an der Sie einen Namen hinzufügen möchten. Wählen Sie eine der folgenden Optionen: Geben Sie den Namen des erforderlichen benannten Bereichs manuell über die Tastatur ein. Sobald Sie die Anfangsbuchstaben eingegeben haben, wird die Liste Formel automatisch vervollständigen angezeigt. Während der Eingabe werden die Elemente (Formeln und Namen) angezeigt, die den eingegebenen Zeichen entsprechen. Um den gewünschten Namen aus der Liste auszuwählen und diesen in die Formel einzufügen, klicken Sie mit einem Doppelklick auf den Namen oder drücken Sie die TAB-Taste, oder klicken Sie auf das Symbol Benannte Bereiche auf der Registerkarte Startseite in der oberen Symbolleiste und wählen Sie die Option Namen einfügen aus dem Menü aus, wählen Sie den gewünschten Namen im Fenster Namen einfügen aus und klicken Sie auf OK. Im Fenster Namen einfügen werden die definierten Namen und Tabellennamen angezeigt, die für das aktuelle Arbeitsblatt und die gesamte Arbeitsmappe festgelegt sind. Um einen Namen als internen Hyperlink zu verwenden: Platzieren Sie die Einfügemarke dort, wo Sie einen Hyperlink hinzufügen möchten. Gehen Sie zur Registerkarte Einfügen und klicken Sie auf die Schaltfläche Hyperlink. Wählen Sie im geöffneten Fenster Hyperlink-Einstellungen die Registerkarte Interner Datenbereich und wählen Sie einen benannten Bereich aus. Klicken Sie auf OK." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Dateiinformationen anzeigen", - "body": "Für detaillierte Informationen über die bearbeitete Tabelle in der Tabellenkalkulation, klicken Sie auf das Symbol Datei im linken Seitenbereich und wählen Sie die Option Tabelleninformationen. Allgemeine Eigenschaften Die Tabellenkalkulationsinformationen umfassen eine Reihe von Dateieigenschaften, die die Tabellenkalkulation beschreiben. Einige dieser Eigenschaften werden automatisch aktualisiert und einige können bearbeitet werden. Speicherort - der Ordner im Modul Dokumente, in dem die Datei gespeichert ist. Besitzer – der Name des Benutzers, der die Datei erstellt hat. Hochgeladen – Datum und Uhrzeit der Erstellung der Datei. Diese Eigenschaften sind nur in der Online-Version verfügbar. Title, Thema, Kommentar - diese Eigenschaften ermöglichen es Ihnen, die Klassifizierung Ihrer Dokumente zu vereinfachen. Den erforderlichen Text können Sie in den Eigenschaftsfeldern angeben. Zuletzt geändert - Datum und Uhrzeit der letzten Änderung der Datei. Zuletzt geändert von - der Name des Benutzers, der die letzte Änderung an der Tabelle vorgenommen hat, wenn die Tabelle freigegeben wurde und von mehreren Benutzern bearbeitet werden kann. Anwendung - die Anwendung, mit der die Tabelle erstellt wurde. Autor - die Person, die die Datei erstellt hat. In dieses Feld können Sie den erforderlichen Namen eingeben. Drücken Sie die Eingabetaste, um ein neues Feld hinzuzufügen, in dem Sie einen weiteren Autor angeben können. Wenn Sie die Dateieigenschaften geändert haben, klicken Sie auf die Schaltfläche Anwenden, um die Änderungen zu übernehmen. Hinweis: Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen..., geben Sie den neuen Dateinamen an und klicken Sie auf OK. Zugriffsrechte In der Online-Version können Sie die Informationen zu Berechtigungen für die in der Cloud gespeicherten Dateien einsehen. Hinweis: Diese Option steht im schreibgeschützten Modus nicht zur Verfügung. Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte... in der linken Seitenleiste. Sie können die aktuell ausgewählten Zugriffsrechte auch ändern, klicken Sie dazu im Abschnitt Personen mit Berechtigungen auf die Schaltfläche Zugriffsrechte ändern. Um den Bereich Datei zu schließen und zu Ihrer Tabelle zurückzukehren, wählen Sie die Option Menü schließen. Versionsverlauf In der Online-Version können Sie den Versionsverlauf der in der Cloud gespeicherten Dateien einsehen. Hinweis: Diese Option ist für Benutzer mit Schreibgeschützt-Berechtigungen nicht verfügbar. Um alle an dieser Kalkulationstabelle vorgenommenen Änderungen anzuzeigen, wählen Sie in der linken Seitenleiste die Option Versionsverlauf. Es ist auch möglich, den Versionsverlauf über das Symbol Versionsverlauf auf der Registerkarte Zusammenarbeit der oberen Symbolleiste anzuzeigen. Sie sehen die Liste dieser Dokumentversionen (größere Änderungen) und Revisionen (kleinere Änderungen) mit Angabe der einzelnen Versionen/Revisionsautoren sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird zusätzlich die Versionsnummer angegeben (z. B. Ver. 2). Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Änderung anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Versions-/Revisionsautor vorgenommenen Änderungen sind mit der Farbe gekennzeichnet, die neben dem Autorennamen in der linken Seitenleiste angezeigt wird. Sie können den Link Wiederherstellen unter der ausgewählten Version/Revision verwenden, um sie wiederherzustellen. Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste." + "body": "Für detaillierte Informationen über die bearbeitete Tabelle in der Tabellenkalkulation, klicken Sie auf das Symbol Datei im linken Seitenbereich und wählen Sie die Option Tabelleninformationen. Allgemeine Eigenschaften Die Tabellenkalkulationsinformationen umfassen eine Reihe von Dateieigenschaften, die die Tabellenkalkulation beschreiben. Einige dieser Eigenschaften werden automatisch aktualisiert und einige können bearbeitet werden. Speicherort - der Ordner im Modul Dokumente, in dem die Datei gespeichert ist. Besitzer – der Name des Benutzers, der die Datei erstellt hat. Hochgeladen – Datum und Uhrzeit der Erstellung der Datei. Diese Eigenschaften sind nur in der Online-Version verfügbar. Title, Thema, Kommentar - diese Eigenschaften ermöglichen es Ihnen, die Klassifizierung Ihrer Dokumente zu vereinfachen. Den erforderlichen Text können Sie in den Eigenschaftsfeldern angeben. Zuletzt geändert - Datum und Uhrzeit der letzten Änderung der Datei. Zuletzt geändert von - der Name des Benutzers, der die letzte Änderung an der Tabelle vorgenommen hat, wenn die Tabelle freigegeben wurde und von mehreren Benutzern bearbeitet werden kann. Anwendung - die Anwendung, mit der die Tabelle erstellt wurde. Autor - die Person, die die Datei erstellt hat. In dieses Feld können Sie den erforderlichen Namen eingeben. Drücken Sie die Eingabetaste, um ein neues Feld hinzuzufügen, in dem Sie einen weiteren Autor angeben können. Wenn Sie die Dateieigenschaften geändert haben, klicken Sie auf die Schaltfläche Anwenden, um die Änderungen zu übernehmen. Sie können den Namen der Tabelle direkt über die Oberfläche des Editors ändern. Klicken Sie dazu in der oberen Menüleiste auf die Registerkarte Datei und wählen Sie die Option Umbenennen, geben Sie den neuen Dateinamen an und klicken Sie auf OK. Zugriffsrechte In der Online-Version können Sie die Informationen zu Berechtigungen für die in der Cloud gespeicherten Dateien einsehen. Diese Option steht im schreibgeschützten Modus nicht zur Verfügung. Um einzusehen, wer zur Ansicht oder Bearbeitung der Tabelle berechtigt ist, wählen Sie die Option Zugriffsrechte in der linken Seitenleiste. Sie können die aktuell ausgewählten Zugriffsrechte auch ändern, klicken Sie dazu im Abschnitt Personen mit Berechtigungen auf die Schaltfläche Zugriffsrechte ändern. Um den Bereich Datei zu schließen und zu Ihrer Tabelle zurückzukehren, wählen Sie die Option Menü schließen. Versionsverlauf In der Online-Version können Sie den Versionsverlauf der in der Cloud gespeicherten Dateien einsehen. Diese Option ist für Benutzer mit Schreibgeschützt-Berechtigungen nicht verfügbar. Um alle an dieser Kalkulationstabelle vorgenommenen Änderungen anzuzeigen, wählen Sie in der linken Seitenleiste die Option Versionsverlauf. Es ist auch möglich, den Versionsverlauf über das Symbol Versionsverlauf auf der Registerkarte Zusammenarbeit der oberen Symbolleiste anzuzeigen. Sie sehen die Liste dieser Dokumentversionen (größere Änderungen) und Revisionen (kleinere Änderungen) mit Angabe der einzelnen Versionen/Revisionsautoren sowie Erstellungsdatum und -zeit. Bei Dokumentversionen wird zusätzlich die Versionsnummer angegeben (z. B. Ver. 2). Um genau zu wissen, welche Änderungen in jeder einzelnen Version/Revision vorgenommen wurden, können Sie die gewünschte Änderung anzeigen, indem Sie in der linken Seitenleiste darauf klicken. Die vom Versions-/Revisionsautor vorgenommenen Änderungen sind mit der Farbe gekennzeichnet, die neben dem Autorennamen in der linken Seitenleiste angezeigt wird. Sie können den Link Wiederherstellen unter der ausgewählten Version/Revision verwenden, um sie wiederherzustellen. Um zur aktuellen Version des Dokuments zurückzukehren, verwenden Sie die Option Verlauf schließen oben in der Versionsliste." }, { "id": "UsageInstructions/YouTube.htm", "title": "Video einfügen", - "body": "Sie können ein Video im Tabelleneditor in Ihre Tabelle einfügen. Es wird als Bild angezeigt. Durch Doppelklick auf das Bild wird der Videodialog geöffnet. Hier können Sie das Video starten. Kopieren Sie die URL des Videos, das Sie einbetten möchten. (die vollständige Adresse wird in der Adresszeile Ihres Browsers angezeigt) Gehen Sie zu Ihrer Tabelle und platzieren Sie den Cursor an der Stelle, an der Sie das Video einfügen möchten. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt YouTube aus. Fügen Sie die URL ein und klicken Sie auf OK. Überprüfen Sie, ob Sie das richtige Video eingefügt haben, und klicken Sie auf die Schaltfläche OK unter dem Video. Das Video ist jetzt in Ihrer Tabelle eingefügt." + "body": "Sie können ein Video in der Tabellenkalkulation in Ihre Tabelle einfügen. Es wird als Bild angezeigt. Durch Doppelklick auf das Bild wird der Videodialog geöffnet. Hier können Sie das Video starten. Kopieren Sie die URL des Videos, das Sie einbetten möchten. (die vollständige Adresse wird in der Adresszeile Ihres Browsers angezeigt) Gehen Sie zu Ihrer Tabelle und platzieren Sie den Cursor an der Stelle, an der Sie das Video einfügen möchten. Öffnen Sie die Registerkarte Plugins und wählen Sie den Menüpunkt YouTube aus. Fügen Sie die URL ein und klicken Sie auf OK. Überprüfen Sie, ob Sie das richtige Video eingefügt haben, und klicken Sie auf die Schaltfläche OK unter dem Video. Das Video ist jetzt in Ihrer Tabelle eingefügt." } ] \ 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 d2a89c9a4..3243abc95 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/About.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/About.htm @@ -17,7 +17,7 @@

            About Spreadsheet Editor

            The Spreadsheet Editor is an online application that allows you to edit spreadsheets directly in your browser.

            Using the Spreadsheet Editor, you can perform various editing operations like in any desktop editor, print the edited spreadsheets keeping all the formatting details or download them onto your computer hard disk drive as XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS file.

            -

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

            +

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

            \ 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 6bb22d37e..f13a28908 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/AdvancedSettings.htm @@ -15,45 +15,57 @@

            Advanced Settings of the Spreadsheet Editor

            -

            The Spreadsheet Editor allows you to change its general advanced settings. To access them, open the File tab on 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: +

              The Spreadsheet Editor allows you to change its general advanced settings. To access them, open the File tab on the top toolbar and select the Advanced Settings option.

              +

              The advanced settings are grouped as follows:

              + +

              Editing and saving

              +
                +
              1. Autosave is used in the online version to turn on/off automatic saving of changes made during the editing process.
              2. +
              3. Autorecover is used in the desktop version to turn on/off the option that allows you to automatically recover spreadsheets if the program closes unexpectedly.
              4. +
              5. Show the Paste Options button when the content is pasted. The corresponding icon will appear when you paste content in the spreadsheet.
              6. +
              + +

              Collaboration

              +
                +
              1. + The Co-editing mode subsection allows you to set the preferable mode for seeing changes made to the spreadsheet when working in collaboration.
                  -
                • Turn on display of the comments - if you disable this feature, the commented cells will be marked in the sheet only if you click the Comments
                  icon on the left sidebar.
                • -
                • Turn on display of the resolved comments - this feature is disabled by default to hide the resolved comments in the sheet. You can view such comments only if you click the Comments
                  icon on the left sidebar. Enable this option if you want to display the resolved comments in the sheet.
                • +
                • Fast (by default). The users who take part in the spreadsheet co-editing will see the changes in real time once they are made by other users.
                • +
                • Strict. All the changes made by co-editors will be shown only after you click the Save
                  icon that will notify you about new changes.
              2. -
              3. Autosave is used in the online version to turn on/off automatic saving of changes made during the editing process.
              4. -
              5. Autorecover - is used in the desktop version to turn on/off the option that allows you to automatically recover spreadsheets if the program closes unexpectedly.
              6. +
              7. Show changes from other users. This feature allows to see changes made by other users in the spreadsheet opened for viewing only in the Live Viewer mode.
              8. +
              9. Show comments in text. If you disable this feature, the commented passages will be highlighted only if you click the Comments
                icon on the left sidebar.
              10. +
              11. Show resolved comments. This feature is disabled by default so that the resolved comments are hidden in the spreadsheet. You can view such comments only if you click the Comments
                icon on the left sidebar. Enable this option if you want to display resolved comments in the spreadsheet.
              12. +
              + +

              Workspace

              +
              1. - 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. +

                The R1C1 reference style option is disabled by default and the A1 reference style is used.

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

                Active cell

                In case you refer to other cells using the R1C1 reference style, the reference to a target cell is formed based on the distance from an active cell. For example, when you select the cell in row 5 and column 1 and refer to the cell in row 3 and column 2, the reference is R[-2]C[1]. The numbers in square brackets designate the position of the cell 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.

                -

                +

              2. -
              3. - Co-editing Mode is used to select how the changes made during the co-editing are displayed: +
              4. The Use Alt key to navigate the user interface using the keyboard option is used to enable using the Alt / Option key in keyboard shortcuts.
              5. +
              6. + The Interface theme option is used to change the color scheme of the editor’s interface.
                  -
                • By default, the Fast mode is selected, and the co-authors will see all the changes in real time as soon as they are made by others.
                • -
                • If you prefer not to see the changes made by other users (so that they do not disturb you), select the Strict mode, and all the changes will be shown only after you click the Save
                  icon, and you will be informed that there are changes by other users.
                • +
                • The Same as system option makes the editor follow the interface theme of your system.
                • +
                • The Light color scheme incorporates standard blue, white, and light gray colors with less contrast in UI elements suitable for working during daytime.
                • +
                • The Classic Light color scheme incorporates standard blue, white, and light gray colors.
                • +
                • The Dark color scheme incorporates black, dark gray, and light gray colors suitable for working during nighttime.
                • +
                • + The Contrast Dark color scheme incorporates black, dark gray, and white colors with more contrast in UI elements highlighting the working area of the file. +

                  Note: Apart from the available Light, Classic Light, Dark, and Contrast Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that.

                  +
              7. +
              8. The Unit of Measurement option is used to specify what units are used on the rulers and in properties of objects when setting such parameters as width, height, spacing, margins etc. The available units are Centimeter, Point, and Inch.
              9. +
              10. The Default Zoom Value option is used to set the default zoom value, selecting it in the list of available options from 50% to 500%.
              11. - Interface theme is used to change the color scheme of the editor’s interface. -
                  -
                • Light color scheme incorporates standard green, white, and light-gray colors with less contrast in UI elements suitable for working during daytime.
                • -
                • Classic Light color scheme incorporates standard green, white, and light-gray colors.
                • -
                • Dark color scheme incorporates black, dark-gray, and light-gray colors suitable for working during nighttime. -

                  Note: Apart from the available Light, Classic Light, and Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that.

                  -
                • -
                -
              12. -
              13. Default Zoom Value is used to set the default zoom value by selecting it in the list of available options from 50% to 500%.
              14. -
              15. - Font Hinting is used to specify how a font is displayed in the Spreadsheet Editor: + The Font Hinting option is used to select how fonts are displayed in the 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.
                • @@ -73,24 +85,39 @@
              16. -
              17. 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.
              18. - Formula Language is used to select the language for displaying and entering formula names, argument names and descriptions. + The Macros Settings option is used to set macros display with a notification. +
                  +
                • Choose Disable All to disable all macros within the spreadsheet.
                • +
                • Choose Show Notification to receive notifications about macros within the spreadsheet.
                • +
                • Choose Enable All to automatically run all macros within the spreadsheet.
                • +
                +
              19. +
              + +

              Regional Settings

              +
                +
              1. + The Formula Language option is used to select the language for displaying and entering formula names, argument names, and descriptions.

                Formula language is supported for 32 languages:

                Belarussian, Bulgarian, Catalan, Chinese, Czech, Danish, Dutch, English, Finnish, French, German, Greek, Hungarian, Indonesian, Italian, Japanese, Korean, Lao, Latvian, Norwegian, Polish, Portuguese (Brazil), Portuguese (Portugal), Romanian, Russian, Slovak, Slovenian, Spanish, Swedish, Turkish, Ukrainian, Vietnamese.

              2. -
              3. Regional Settings is used to select the default display format for currency and date and time.
              4. -
              5. Separator is used to specify the characters that you want to use as separators for decimals and thousands. The Use separators based on regional settings option is selected by default. If you want to use custom separators, uncheck this box and enter the necessary characters in the Decimal separator and Thousands separator fields below.
              6. -
              7. Cut, copy and paste - used to show the Paste Options button when content is pasted. Check the box to enable this feature.
              8. -
              9. - Macros Settings - used to set macros display with a notification. -
                  -
                • Choose Disable all to disable all macros within the spreadsheet;
                • -
                • Show notification to receive notifications about macros within the spreadsheet;
                • -
                • Enable all to automatically run all macros within the spreadsheet.
                • -
                -
              10. -
            +
          2. The Region option is used to set the display mode for currency, date, and time.
          3. +
          4. The Use separators based on regional settings option is enabled by default, the separators will correspond to the set region. To set custom separators, uncheck this option and enter the required separators in Decimal separator and Thousands separator fields.
          5. +
          + +

          Proofing

          +
            +
          1. The Dictionary language option is used to set the preferred dictionary for the spell checking.
          2. +
          3. Ignore words in UPPERCASE. Words typed in capital letters are ignored during the spell checking.
          4. +
          5. Ignore words with numbers. Words with numbers in them are ignored during the spell checking.
          6. +
          7. The AutoCorrect options menu allows you to access the autocorrect settings such as replacing text as you type, recognizing functions, automatic formatting etc.
          8. +
          + +

          Calculating

          +
            +
          1. The Use 1904 date system option is used to calculate dates by using January 1, 1904, as a starting point. It can be useful when working with spreadsheets created in MS Excel 2008 for Mac and earlier MS Excel for Mac versions.
          2. +

          To save the changes you made, click the Apply button.

          diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm index 5e93157eb..943e7e56e 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/CollaborativeEditing.htm @@ -15,7 +15,7 @@

          Co-editing spreadsheets in real time

          -

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use.

          +

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use.

          In Spreadsheet Editor you can collaborate on spreadsheets in real time using two modes: Fast or Strict.

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

          Co-editing Mode menu

          @@ -28,6 +28,9 @@

          When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells are marked with dashed lines of different colors, the tab of the sheet where these cells are situated are marked with red marker. Hover the mouse cursor over one of the edited cells, to display the name of the user who is editing it at the moment.

          Coediting Highlighted Selection

          As soon as one of the users saves their 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.

          +

          Live Viewer mode

          +

          The Live Viewer mode is used to see the changes made by other users in real time when the spreadsheet is opened by a user with the View only access rights.

          +

          For the mode to function properly, make sure that the Show changes from other users checkbox is active in the editor's Advanced Settings.

          Anonymous

          Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name.

          anonymous collaboration

          diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm index f867810c8..c7099c94d 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Commenting.htm @@ -15,7 +15,7 @@

          Commenting

          -

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, communicate right in the editor, save spreadsheet versions for future use.

          +

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, communicate right in the editor, save spreadsheet versions for future use.

          In Spreadsheet Editor you can leave comments to the content of spreadsheets without actually editing it. Unlike chat messages, the comments stay until deleted.

          Leaving comments and replying to them

          To leave a comment,

          @@ -64,7 +64,7 @@

          To add a mention,

          1. Enter the "+" or "@" sign anywhere in the comment text - a list of the portal users will open. To simplify the search process, you can start typing the required name in the comment field - the user list will change while you type.
          2. -
          3. Select the necessary person from the list. If the file has not been shared with the mentioned user yet, the Sharing Settings window will open. The Read only access type is selected by default. Change it if necessary.
          4. +
          5. Select the necessary person from the list. If the file has not been shared with the mentioned user yet, the Sharing Settings window will open. The Read only access type is selected by default. Change it if necessary.
          6. Click OK.

          The mentioned user will receive an email notification that they have been mentioned in a comment. If the file has been shared, the user will also receive a corresponding notification.

          diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm index ff6dd6c37..00e421a05 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Communicating.htm @@ -15,7 +15,7 @@

          Communicating in real time

          -

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use.

          +

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use.

          In Spreadsheet Editor you can communicate with your co-editors in real time using the built-in Chat tool as well as a number of useful plugins, i.e. Telegram or Rainbow.

          To access the Chat tool and leave a message for other users,

            diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm index b260ff753..00adac920 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Navigation.htm @@ -18,26 +18,26 @@

            To help you view and select cells in large spreadsheets, the Spreadsheet Editor offers several tools: adjustable bars, scrollbars, sheet navigation buttons, sheet tabs and zoom.

            Adjust the View Settings

            - To adjust default view settings and to set the most convenient mode to work with the spreadsheet, click the View settings icon on the right side of the editor header and select which interface elements you want to be hidden or shown. - You can select the following options from the View settings drop-down list: + To adjust default view settings and to set the most convenient mode to work with the spreadsheet, go to the View tab. + You can select the following options:

            - View settings Menu
              +
            • Sheet View - to manage sheet views. To learn more about sheet views, please read the following article.
            • +
            • Zoom - to set the required zoom value from 50% to 500% from the drop-down list.
            • +
            • Interface theme - choose one of the available interface themes from the drop-down menu: Same as system, Light, Classic Light, Dark, Contrast Dark.
            • +
            • 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.
            • +
            • Formula bar - when disabled, hides the bar below the top toolbar which is used to enter and review the formulas and their contents. To show the hidden Formula Bar, click this option once again. Dragging formula bar bottom line to expand it toggles Formula Bar height to show one row.
            • +
            • Headings - when disabled, hides the column heading at the top and row heading on the left side of the worksheet. To show the hidden Headings, click this option once again.
            • +
            • Gridlines - when disabled, hides the lines around the cells. To show the hidden Gridlines, click this option once again.
            • +
            • Show zeros - allows “0” to be visible when entered in a cell. TO disable this option, uncheck the box.
            • - Hide Toolbar - hides the top toolbar with commands while the tabs remain visible. When this option is enabled, you can click any tab to display the toolbar. The toolbar is displayed until you click anywhere outside it. To disable this mode, click the View settings
              icon and click the Hide Toolbar option once again. The top toolbar will be displayed all the time. -

              Note: alternatively, you can just double-click any tab to hide the top toolbar or display it again.

              + Always show toolbar - when this option is disabled, the top toolbar that contains commands will be hidden while tab names remain visible. +

              Alternatively, you can just double-click any tab to hide the top toolbar or display it again.

            • -
            • Hide Formula Bar - hides the bar below the top toolbar which is used to enter and review the formulas and their contents. To show the hidden Formula Bar, click this option once again. Dragging formula bar bottom line to expand it toggles Formula Bar height to show one row.
            • -
            • Combine sheet and status bars - displays all sheet navigation tools and status bar in a single line. By default, this option is active. If you disable it, the status bar will appear in two lines.
            • -
            • Hide Headings - hides the column heading at the top and row heading on the left side of the worksheet. To show the hidden Headings, click this option once again.
            • -
            • Hide Gridlines - hides the lines around the cells. To show the hidden Gridlines, click this option once again.
            • -
            • 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.
            • -
            • Show Frozen Panes Shadow - shows that columns and/or rows are frozen (a subtle line appears). -
            • Zoom use the
              or
              buttons to zoom in or zoom out the sheet. +
            • Combine sheet and status bars - displays all sheet navigation tools and status bar in a single line. By default, this option is active. If you disable it, the status bar will appear in two lines.
            -

            Show zeros - allows “0” to be visible when entered in a cell. To activate/deactivate this option, find the Show zeros checkbox on the View tab.

            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:

            Use the Tab key on your keyboard to move to the cell to the right of the selected one.

            @@ -52,10 +52,8 @@

            You can also use the mouse scroll wheel to scroll your spreadsheet up or down.

            The Sheet Navigation buttons are situated in the left lower corner and are used to scroll the sheet list to the right/left and navigate among the sheet tabs.

              -
            • click the Scroll to first sheet
              button to scroll the sheet list to the first sheet tab of the current spreadsheet;
            • click the Scroll sheet list left
              button to scroll the sheet list of the current spreadsheet to the left;
            • click the Scroll sheet list right
              button to scroll the sheet list of the current spreadsheet to the right;
            • -
            • click the Scroll to last sheet
              button to scroll the sheet list to the last sheet tab of the current spreadsheet.

            Use the button on the status bar to add a new worksheet.

            To select the necessary sheet:

            @@ -67,7 +65,7 @@

            click the appropriate Sheet Tab next to button.

            The Zoom buttons are situated in the lower right corner and are used to zoom in and out of the current sheet. - To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. The Zoom settings are also available in the View settings drop-down list. + To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. The Zoom settings are also available on the View tab.

        diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm index e900208f4..50bc7c51f 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/Search.htm @@ -15,33 +15,33 @@

        Search and Replace Functions

        -

        To search for the required characters, words or phrases in the Spreadsheet Editor, click the Search icon situated on the left sidebar or use the Ctrl+F key combination.

        -

        If you want to search for/replace some values only within a certain area in the current sheet, select the necessary cell range and then click the Search icon.

        -

        The Find and Replace window will open:

        +

        To search for the required characters, words or phrases in the Spreadsheet Editor, click the Search icon situated on the left sidebar, the icon situated in the upper right corner, or use the Ctrl+F (Command+F for MacOS) key combination to open the small Find panel or the Ctrl+H key combination to open the full Find panel.

        +

        A small Find panel will open in the upper right corner of the working area.

        +

        Find small panel

        +

        To access the advanced settings, click the icon.

        +

        The Find and replace panel will open:

        Find and Replace Window
          -
        1. Type in your inquiry into the corresponding data entry field.
        2. -
        3. 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 in 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.
          • -
          -
        4. -
        5. 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.
        6. +
        7. Type in your inquiry into the corresponding Find data entry field.
        8. +
        9. To navigate between the found occurrences, click one of the arrow buttons. The
          button shows the next occurrence while the
          button shows the previous one.
        10. +
        11. If you need to replace one or more occurrences of the found characters, type in the replacement text into the corresponding Replace with data entry field. You can choose to replace a single currently selected occurrence or replace all occurrences by clicking the corresponding Replace and Replace All buttons.
        12. +
        13. + Specify search options by checking the necessary options: +
            +
          • Within - is used to search within the active Sheet only, the whole Workbook, or the Specific range. In the latter case, the Select Data range field will become active where you can specify the required range.
          • +
          • 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.
          • +
          +
        14. +
        15. + Specify search parameters by checking the necessary options below the entry fields: +
            +
          • 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).
          • +
          +
        -

        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:

        - Find and Replace Window -
          -
        1. Type in a new text into the bottom data entry field to replace the existing one.
        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.

        +

        All occurrences will be highlighted in the file and shown as a list in the Find panel to the left. Use the list to skip to the required occurrence, or use the navigation and buttons.

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SpellChecking.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SpellChecking.htm index c70a515d1..6b415b2f2 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SpellChecking.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SpellChecking.htm @@ -42,7 +42,7 @@

        Once you verify all the words in the worksheet, the Spellcheck has been completed message will appear on the spell-checking panel.

        To close the spell-checking panel, click the Spell checking icon on the left sidebar.

        Change the spell check settings
        -

        To change the spell-checking settings, go to the spreadsheet editor advanced settings (File tab -> Advanced Settings...) and switch to the Spell checking tab. Here you can adjust the following parameters:

        +

        To change the spell-checking settings, go to the spreadsheet editor advanced settings (File tab -> Advanced Settings) and switch to the Spell checking tab. Here you can adjust the following parameters:

        Spell checking settings

        • Dictionary language - select one of the available languages from the list. The Dictionary Language on the spell-checking panel will be changed correspondingly.
        • diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm index 7f45cdebf..650bdb63d 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/SupportedFormats.htm @@ -18,71 +18,110 @@

          A spreadsheet is a table of data organized in rows and columns. It is most frequently used to store financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell is made. The Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats.

          +

          While uploading or opening the file for editing, it will be converted to the Office Open XML (XLSX) format. It's done to speed up the file processing and increase the interoperability.

          +

          The following table contains the formats which can be opened for viewing and/or editing.

          - - - - - - - - - - - - - - - - - + + + + - - - + + + + + + + + + + + + - - - - - - - + - + - - - - - - - - - - + + + + + + + + + + + + + - - - + + - + + +
          Formats DescriptionViewEditDownload
          XLSFile extension for spreadsheet files created by Microsoft Excel++
          XLSXDefault file extension for spreadsheet files written in Microsoft Office Excel 2007 (or later versions)+++View nativelyView after conversion to OOXMLEdit nativelyEdit after conversion to OOXML
          XLTXExcel 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
          +CSVComma Separated Values
          File format used to store tabular data (numbers and text) in plain-text form
          ++
          ODSFile extension for spreadsheet files used by OpenOffice and StarOffice suites, an open standard for spreadsheets+ +
          ODSFile extension for spreadsheet files 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
          ++ +
          CSVComma Separated Values
          File format used to store tabular data (numbers and text) in plain-text form
          +++
          PDFPortable Document Format
          File format used to represent documents regardless of the application software, hardware, and operating systems used.
          XLSFile extension for spreadsheet files created by Microsoft Excel ++
          XLSXDefault file extension for spreadsheet files written in Microsoft Office Excel 2007 (or later versions)++
          PDF/APortable 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.
          XLTXExcel 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
          +
          +
          +

          The following table contains the formats in which you can download a spreadsheet from the File -> Download as menu.

          + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
          Input formatCan be downloaded as
          CSVCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          ODSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          OTSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLSXCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLTXCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          +

          You can also refer to the conversion matrix on api.onlyoffice.com to see possibility of conversion your spreadsheets into the most known file formats.

          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm index 8f5e5a188..862f2edbe 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/VersionHistory.htm @@ -15,7 +15,7 @@

          Version history

          -

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input.

          +

          The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, collaborate on spreadsheets in real time, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input.

          In Spreadsheet Editor you can view the version history of the spreadsheet you collaborate on.

          Viewing version history:

          To view all the changes made to the spreadsheet,

          diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index f2bf14b0a..e03bf8e14 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -32,14 +32,14 @@

          Icons in the editor header

          On the right side of the Editor header along with the user name the following icons are displayed:

            -
          • Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder in the Documents module where the file is stored, in a new browser tab.
          • -
          • - allows adjusting the View Settings and accessing the Advanced Settings of the editor.
          • -
          • Manage document access rights - (available in the online version only) allows setting access rights for the documents stored in the cloud.
          • -
          • Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location.
          • -
          +
        • Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder in the Documents module where the file is stored, in a new browser tab.
        • +
        • Share - (available in the online version only) allows setting access rights for the documents stored in the cloud.
        • +
        • Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location.
        • +
        • Search - allows to search the spreadsheet for a particular word or symbol, etc.
        • +
      7. The top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Formula, Data, Pivot Table, Collaboration, Protection, View, Plugins. -

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

        +

        The Copy, Paste, Cut and Select All options are always available at the left part of the Top toolbar regardless of the selected tab.

      8. The Formula bar allows entering and editing formulas or values in the cells. The Formula bar displays the contents of the currently selected cell.
      9. The Status bar at the bottom of the editor window contains some navigation tools: sheet navigation buttons, add worksheet button, list of sheets button, sheet tabs, and zoom buttons. The Status bar also displays the background save status and connection status when there is no connection and the editor is trying to reconnect, the number of filtered records if you apply a filter, or the results of automatic calculations if you select several cells containing data.
      10. diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ViewTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ViewTab.htm index 907b85660..f8c147b16 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ViewTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ViewTab.htm @@ -29,7 +29,7 @@
        • manage sheet view presets,
        • adjust zoom value,
        • -
        • select interface theme: Light, Classic Light or Dark,
        • +
        • select interface theme: Same as system, Light, Classic Light, Dark, Contrast Dark,
        • freeze panes using the following options: Freeze Panes, Freeze Top Row, Freeze First Column and Show frozen panes shadow,
        • diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm index ff79bf30c..f4150a908 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/AddHyperlinks.htm @@ -23,10 +23,11 @@
        • the Hyperlink Settings window will appear, and you will be able to specify the hyperlink settings:
          • Select the required link type: -

            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 External Link option and enter enter a URL in the http://www.example.com format in the Link to field below if you need to add a hyperlink leading to an external website. If you need to add a hyperlink to a local file, enter the URL in the file://path/Spreadsheet.xlsx (for Windows) or file:///path/Spreadsheet.xlsx (for MacOS and Linux) format in the Link to field.

            +

            The file://path/Spreadsheet.xlsx or file:///path/Spreadsheet.xlsx hyperlink type can be opened only in the desktop version of the editor. In the web editor you can only add the link without being able to open it.

            Hyperlink Settings window

            Use the Internal Data Range option, select a worksheet and a cell range in the fields below, or a previously added Named range if you need to add a hyperlink leading to a certain cell range in the same spreadsheet.

            -

            You can also generate an external link which will lead to a particular cell or a range of cells by clicking the Get Link button.

            +

            You can also generate an external link which will lead to a particular cell or a range of cells by clicking the Get Link button or using the Get link to this range option in the contextual right-click menu of the required cell range.

            Hyperlink Settings window

          • Display - enter a text that will become clickable and lead to the web address specified in the upper field. diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm index 40918db44..7a9bd7edc 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/CopyPasteData.htm @@ -18,10 +18,9 @@

            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 of the Spreadsheet Editor available on 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 on 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, or the Cut icon on the top toolbar 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 on 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:

              @@ -30,33 +29,33 @@
            • Ctrl+V key combination for pasting.

            Note: instead of cutting and pasting data within the same worksheet you can select the required cell/cell range, hover the mouse cursor over the selection border so that it turns into the Arrow icon and drag and drop the selection to the necessary position.

            -

            To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings... and check / uncheck the Cut, copy and paste checkbox.

            +

            To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings and check / uncheck the Show the Paste Options button when the content is pasted checkbox.

            Use the Paste Special feature

            -

            Note: For collaborative editing, the Pase Special feature is available in the Strict co-editing mode only.

            +

            Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only.

            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 you to paste all the cell contents including data formatting. This option is selected by default.
            • +
            • Paste (Ctrl+P) - allows you 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 you to paste formulas without pasting the data formatting.
              • -
              • Formula + number format - allows you to paste formulas with the formatting applied to numbers.
              • -
              • Formula + all formatting - allows you to paste formulas with all the data formatting.
              • -
              • Formula without borders - allows you to paste formulas with all the data formatting except the cell borders.
              • -
              • Formula + column width - allows you to paste formulas with all the data formatting and set the source column`s width for the cell range.
              • -
              • Transpose - allows you to paste data switching them from columns to rows, or vice versa. This option is available for regular data ranges, but not for formatted tables.
              • +
              • Paste only formula (Ctrl+F) - allows you to paste formulas without pasting the data formatting.
              • +
              • Formula + number format (Ctrl+O) - allows you to paste formulas with the formatting applied to numbers.
              • +
              • Formula + all formatting (Ctrl+K) - allows you to paste formulas with all the data formatting.
              • +
              • Formula without borders (Ctrl+B) - allows you to paste formulas with all the data formatting except the cell borders.
              • +
              • Formula + column width (Ctrl+W) - allows you to paste formulas with all the data formatting and set the source column`s width for the cell range.
              • +
              • Transpose (Ctrl+T) - allows you to paste data switching them from columns to rows, or vice versa. This option is available for regular data ranges, but not for formatted tables.
            • The following options allow you to paste the result that the copied formula returns without pasting the formula itself:
                -
              • Paste only value - allows you 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 you to paste the formula results with all the data formatting.
              • +
              • Paste only value (Ctrl+V) - allows you to paste the formula results without pasting the data formatting.
              • +
              • Value + number format (Ctrl+A) - allows to paste the formula results with the formatting applied to numbers.
              • +
              • Value + all formatting (Ctrl+E) - allows you to paste the formula results with all the data formatting.
            • -
            • Paste only formatting - allows you to paste the cell formatting only without pasting the cell contents. +
            • Paste only formatting (Ctrl+R) - allows you to paste the cell formatting only without pasting the cell contents.

              Paste options

              1. @@ -93,16 +92,16 @@

                When pasting the contents of a single cell or some text within autoshapes, the following options are available:

                  -
                • Source formatting - allows you to keep the source formatting of the copied data.
                • -
                • Destination formatting - allows you to apply the formatting that is already used for the cell/autoshape where the data are to be iserted to.
                • +
                • Source formatting (Ctrl+K) - allows you to keep the source formatting of the copied data.
                • +
                • Destination formatting (Ctrl+M) - allows you to apply the formatting that is already used for the cell/autoshape where the data are to be inserted to.
                Paste delimited text

                When pasting the delimited text copied from a .txt file, the following options are available:

                The delimited text can contain several records, and each record corresponds to a single table row. Each record can contain several text values separated with a delimiter (such as a comma, semicolon, colon, tab, space or other characters). The file should be saved as a plain text .txt file.

                  -
                • Keep text only - allows you to paste text values into a single column where each cell contents corresponds to a row in the source text file.
                • +
                • Keep text only (Ctrl+T) - allows you to paste text values into a single column where each cell contents corresponds to a row in the source text file.
                • Use text import wizard - allows you 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.

                  +

                  When the Text Import Wizard window opens, select the text delimiter used in the delimited data from the Delimiter drop-down list. The data split into columns will be displayed in the Preview field below. If you are satisfied with the result, click the OK button.

                Text import wizard

                diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertChart.htm index 72c1f3630..0f8373791 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertChart.htm @@ -110,7 +110,8 @@

                Chart Settings Right-Side Panel window

              2. open the Style drop-down list below and select the style which suits you best.
              3. -
              4. open the Change type drop-down list and select the type you need. +
              5. open the Change type drop-down list and select the type you need.
              6. +
              7. click the Switch row/column option to change the positioning of chart rows and columns.

              The selected chart type and style will be changed.

              To edit chart data:

              diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm index b6e38272c..6054555ed 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertTextObjects.htm @@ -56,7 +56,8 @@

              Bullets and numbering

              The List Settings option allows you to open the List Settings window where you can adjust the settings for a corresponding list type:

              Bulleted list settings

              -

              Type (bulleted) - allows you to select the necessary character for the bulleted list. When you click on the New bullet field, the Symbol window will open, and you will be able to choose one of the available characters. To learn more on how to work with symbols, please refer to this article.

              +

              Type (bulleted) - allows you to select the necessary character for the bulleted list. When you click the New bullet option, the Symbol window will open, and you will be able to choose one of the available characters. To learn more on how to work with symbols, please refer to this article.

              +

              When you click the New image option, a new Import field appears where you can choose new images for bullets From File, From URL, or From Storage.

              Numbered list settings

              Type (numbered) - allows you to select the necessary format for the numbered list.

                diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/MergeCells.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/MergeCells.htm index e4e410c92..b56f57396 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/MergeCells.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/MergeCells.htm @@ -14,84 +14,63 @@
                -
                -

                Introduction

                -
                -
                +

                Merge cells

                If you need to merge cells to position your text better (e.g., the name of the table or a long text fragment within the table), use the Merge tool of ONLYOFFICE Spreadsheet Editor.

                -
                -
                -
                -

                Type 1. Merge and Align Center

                -
                -
                + +

                Type 1. Merge and Align Center

                1. Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. -

                  select cell range

                  +

                  select cell range

                  The selected cells must be adjacent. Only the data in the upper-left cell of the selected range will remain in the merged cell. Data in other cells of the selected range will be deleted.

                2. Go to the Home tab and click on the Merge and center icon
                  . -

                  merge and center - result

                  +

                  merge and center - result

                -
                -
                -

                Type 2. Merge Across

                -
                -
                +

                Type 2. Merge Across

                1. Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. -

                  select cell range

                  +

                  select cell range

                2. Go to the Home tab and click on the arrow next to the Merge and center
                  icon to open a drop-down menu. -

                  merge and center - menu

                  +

                  merge and center - menu

                3. Choose the Merge Across option to align the text left and preserve the rows without merging them. -

                  merge across

                  +

                  merge across

                -
                -
                -

                Type 3. Merge Cells

                -
                -
                +

                Type 3. Merge Cells

                1. Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. -

                  select cell range

                  +

                  select cell range

                2. Go to the Home tab and click on the arrow next to the Merge and center
                  icon to open a drop-down menu. -

                  merge and center - menu

                  +

                  merge cells - menu

                3. Choose the Merge Cells option to preserve the preset alignment.
                -
                -
                -

                Unmerge Cells

                -
                -
                +

                Unmerge Cells

                1. Click on the merged area. -

                  merged area

                  +

                  merged area

                2. Go to the Home tab and click on the arrow next to the Merge and center
                  icon to open a drop-down menu. -

                  unmerge

                  +

                  unmerge

                3. Choose the Unmerge Cells option to bring the cells back to their original state.
                -
                -
                - + \ 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 d6d94a8ae..0351411ed 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/OpenCreateNew.htm @@ -10,12 +10,12 @@ -
                -
                - -
                -

                Create a new spreadsheet or open an existing one

                -

                In the Spreadsheet Editor, you can open a recently edited spreadsheet, create a new one, or return to the list of existing spreadsheets.

                +
                +
                + +
                +

                Create a new spreadsheet or open an existing one

                +

                In the Spreadsheet Editor, you can open a recently edited spreadsheet, rename it, create a new one, or return to the list of existing spreadsheets.

                To create a new spreadsheet

                In the online editor

                @@ -28,7 +28,7 @@

                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
                  icon in the upper left corner or switch to the File tab and choose the Save as menu item.
                4. +
                5. 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.
                6. in the file manager window, select the location of the file, specify its name, choose the required format (XLSX, Spreadsheet template (XLTX), ODS, OTS, CSV, PDF or PDFA) and click the Save button.
                @@ -49,7 +49,7 @@

                In the online editor

                1. click the File tab on the top toolbar,
                2. -
                3. select the Open Recent... option,
                4. +
                5. select the Open Recent option,
                6. choose the required spreadsheet from the list of recently edited documents.
                @@ -61,7 +61,17 @@
      -

      To open the folder, where the file is stored , in a new browser tab in the online version or 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 on the top toolbar and select the Open file location option.

      - +

      To rename an opened spreadsheet

      +
      +

      In the online editor

      +
        +
      1. click the spreadsheet name at the top of the page,
      2. +
      3. enter a new spreadsheet name,
      4. +
      5. press Enter to accept the changes.
      6. +
      +
      + +

      To open the folder, where the file is stored , in a new browser tab in the online version or 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 on the top toolbar and select the Open file location option.

      + diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm index 6a906e9d1..db41ea0cc 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm @@ -294,7 +294,8 @@
    3. The Report filter fields per column option allows you to select the number of filters to go in each column. The default value is set to 0. You can set the necessary numeric value.
    4. -
    5. The Field Headers section allows you to choose if you want to display field headers in your pivot table. The Show field headers for rows and columns option is selected by default. Uncheck it to hide field headers from your pivot table.
    6. +
    7. The Show field headers for rows and columns option allows you to choose if you want to display field headers in your pivot table. The option is enabled by default. Uncheck it to hide field headers from your pivot table.
    8. +
    9. The Autofit column widths on update option allows you to enable/disable automatic adjusting of the column widths. The option is enabled by default.
    10. Pivot table advanced settings

      The Data Source tab allows you to change the data you wish to use to create the pivot table.

      diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm index 63905efe4..3637573f6 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SavePrintDownload.htm @@ -28,7 +28,7 @@

      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. select the Save as option,
      6. choose one of the available formats depending on your needs: XLSX, ODS, CSV, PDF, PDF/A. You can also choose the Spreadsheet template (XLTX or OTS) option.
      @@ -37,7 +37,7 @@

      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. -
      3. select the Download as... option,
      4. +
      5. select the Download as option,
      6. 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).

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

        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. select the Save Copy as option,
        6. choose one of the available formats depending on your needs: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS,
        7. select a location of the file on the portal and press Save.
        diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm index 7891bc5a6..fb9114216 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ViewDocInfo.htm @@ -28,7 +28,7 @@

        If you changed the file properties, click the Apply button to apply the changes.

        -

        Note: The 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 the opened window and click OK.

        +

        Note: The 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 the opened window and click OK.

        Permission Information

        diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/chartsettings.png b/apps/spreadsheeteditor/main/resources/help/en/images/chartsettings.png index a9695d52f..e35d3a269 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/chartsettings.png and b/apps/spreadsheeteditor/main/resources/help/en/images/chartsettings.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 615346973..f84bf2659 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/datatab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/datatab.png index d4e8e9a30..6b609c7f1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/datatab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/datatab.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 index 2a7858195..da4bec1aa 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_collaborationtab.png 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_datatab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_datatab.png index 1b456fda0..1e3e4e3c7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_datatab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_datatab.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 index 51492e7ca..35c997b41 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_editorwindow.png 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 index bce5e3a75..8f41692d7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_filetab.png 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_formulatab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_formulatab.png index 98b22b05b..dda67d0b3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_formulatab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_formulatab.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 index 5084de5d4..c8e728ff7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_hometab.png 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 index dc8919d0e..5fe2db5f1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_inserttab.png 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 index 1913d38a2..0d504a4c4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_layouttab.png 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_pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pivottabletab.png index 7c07b1d33..583da781f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pivottabletab.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 index d6e15bd5b..3a6d55c3f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pluginstab.png 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/desktop_protectiontab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_protectiontab.png index 5ae8ce343..e920096ed 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_viewtab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_viewtab.png index 9b2c98cc0..fa2fe65a5 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_viewtab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_viewtab.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 bfc836b88..bf73f6454 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 8f52da4ae..7bbff7c51 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/formulatab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/formulatab.png index caff85881..ce96418db 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/formulatab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/formulatab.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 2a52d02b9..2c521bdd8 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 7cb1fe498..a46ea9e0a 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 09de8241f..c3e060a9e 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/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/pivottabletab.png index 0163ee2dd..d2848649e 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 5475177ed..68ecaf406 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/interface/protectiontab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/protectiontab.png index 1bb25e5bd..055f5f9fb 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/interface/viewtab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/viewtab.png index 8e80b2506..7aefd120b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/interface/viewtab.png and b/apps/spreadsheeteditor/main/resources/help/en/images/interface/viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/merge_across.png b/apps/spreadsheeteditor/main/resources/help/en/images/merge_across.png new file mode 100644 index 000000000..f358aa189 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/merge_across.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/merge_across_menu.png b/apps/spreadsheeteditor/main/resources/help/en/images/merge_across_menu.png new file mode 100644 index 000000000..b5f2803d3 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/merge_across_menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/merge_and_center.png b/apps/spreadsheeteditor/main/resources/help/en/images/merge_and_center.png new file mode 100644 index 000000000..886b262e6 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/merge_and_center.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/merge_menu.png b/apps/spreadsheeteditor/main/resources/help/en/images/merge_menu.png new file mode 100644 index 000000000..27970e824 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/merge_menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/merged_area.png b/apps/spreadsheeteditor/main/resources/help/en/images/merged_area.png new file mode 100644 index 000000000..b5d9fd2ad Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/merged_area.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/palette.png b/apps/spreadsheeteditor/main/resources/help/en/images/palette.png index a86769efc..41f69b204 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/palette.png and b/apps/spreadsheeteditor/main/resources/help/en/images/palette.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/pastespecial.png b/apps/spreadsheeteditor/main/resources/help/en/images/pastespecial.png index 64296b355..1b586b6aa 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/pastespecial.png and b/apps/spreadsheeteditor/main/resources/help/en/images/pastespecial.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/pivot_advanced.png b/apps/spreadsheeteditor/main/resources/help/en/images/pivot_advanced.png index 134092516..942d48012 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/pivot_advanced.png and b/apps/spreadsheeteditor/main/resources/help/en/images/pivot_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/search_window.png b/apps/spreadsheeteditor/main/resources/help/en/images/search_window.png index 5a2855ebb..5e95dbc9e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/search_window.png and b/apps/spreadsheeteditor/main/resources/help/en/images/search_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/select_cell_range.png b/apps/spreadsheeteditor/main/resources/help/en/images/select_cell_range.png new file mode 100644 index 000000000..d18fc2977 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/select_cell_range.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/select_cell_range_type2.png b/apps/spreadsheeteditor/main/resources/help/en/images/select_cell_range_type2.png new file mode 100644 index 000000000..9c44963e5 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/select_cell_range_type2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/unmerge.png b/apps/spreadsheeteditor/main/resources/help/en/images/unmerge.png new file mode 100644 index 000000000..65de9efc0 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/unmerge.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 e6e18f56d..84493d1c6 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js @@ -2308,17 +2308,17 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "About Spreadsheet Editor", - "body": "The Spreadsheet Editor is an online application that allows you to edit spreadsheets directly in your browser . Using the Spreadsheet Editor, you can perform various editing operations like in any desktop editor, print the edited spreadsheets keeping all the formatting details or download them onto your computer hard disk drive as XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS file. To view the current version of the software and licensor details in the online version, click the About icon on the left sidebar. To view the current version of the software and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." + "body": "The Spreadsheet Editor is an online application that allows you to edit spreadsheets directly in your browser . Using the Spreadsheet Editor, you can perform various editing operations like in any desktop editor, print the edited spreadsheets keeping all the formatting details or download them onto your computer hard disk drive as XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS file. To view the current version of the software, build number, and licensor details in the online version, click the About icon on the left sidebar. To view the current version of the software and licensor details in the desktop version for Windows, select the About menu item on the left sidebar of the main program window. In the desktop version for Mac OS, open the ONLYOFFICE menu at the top of the screen and select the About ONLYOFFICE menu item." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Advanced Settings of the Spreadsheet Editor", - "body": "The Spreadsheet Editor allows you to change its general advanced settings. To access them, open the File tab on 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 in the sheet only if you click the Comments icon on the left sidebar. Turn on display of the resolved comments - this feature is disabled by default to hide the resolved comments in the sheet. You can view such comments only if you click the Comments icon on the left sidebar. Enable this option if you want to display the resolved comments in the sheet. Autosave is used in the online version to turn on/off automatic saving of changes made during the editing process. Autorecover - is used in the desktop version to turn on/off the option that allows you to automatically recover spreadsheets if the program closes unexpectedly. 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]. The numbers in square brackets designate the position of the cell 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 how the changes made during the co-editing are displayed: By default, the Fast mode is selected, and the co-authors will see all the changes in real time as soon as they are made by others. If you prefer not to see the changes made by other users (so that they do not disturb you), select the Strict mode, and all the changes will be shown only after you click the Save icon, and you will be informed that there are changes by other users. Interface theme is used to change the color scheme of the editor’s interface. Light color scheme incorporates standard green, white, and light-gray colors with less contrast in UI elements suitable for working during daytime. Classic Light color scheme incorporates standard green, white, and light-gray colors. Dark color scheme incorporates black, dark-gray, and light-gray colors suitable for working during nighttime. Note: Apart from the available Light, Classic Light, and Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that. Default Zoom Value is used to set the default zoom value by selecting it in the list of available options from 50% to 500%. Font Hinting is used to specify how a font is displayed in the 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 to display the text with hinting embedded into the font files. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue with the enabled hardware acceleration in the Google Chrome browser occurs. The Spreadsheet Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. Unit of Measurement is used to specify what units are used for measuring elements parameters such as width, height, spacing, margins etc. You can select the Centimeter, Point, or Inch option. Formula Language is used to select the language for displaying and entering formula names, argument names and descriptions. Formula language is supported for 32 languages: Belarussian, Bulgarian, Catalan, Chinese, Czech, Danish, Dutch, English, Finnish, French, German, Greek, Hungarian, Indonesian, Italian, Japanese, Korean, Lao, Latvian, Norwegian, Polish, Portuguese (Brazil), Portuguese (Portugal), Romanian, Russian, Slovak, Slovenian, Spanish, Swedish, Turkish, Ukrainian, Vietnamese. Regional Settings is used to select the default display format for currency and date and time. Separator is used to specify the characters that you want to use as separators for decimals and thousands. The Use separators based on regional settings option is selected by default. If you want to use custom separators, uncheck this box and enter the necessary characters in the Decimal separator and Thousands separator fields below. Cut, copy and paste - used to show the Paste Options button when content is pasted. Check the box to enable this feature. Macros Settings - used to set macros display with a notification. Choose Disable all to disable all macros within the spreadsheet; Show notification to receive notifications about macros within the spreadsheet; Enable all to automatically run all macros within the spreadsheet. To save the changes you made, click the Apply button." + "body": "The Spreadsheet Editor allows you to change its general advanced settings. To access them, open the File tab on the top toolbar and select the Advanced Settings option. The advanced settings are grouped as follows: Editing and saving Autosave is used in the online version to turn on/off automatic saving of changes made during the editing process. Autorecover is used in the desktop version to turn on/off the option that allows you to automatically recover spreadsheets if the program closes unexpectedly. Show the Paste Options button when the content is pasted. The corresponding icon will appear when you paste content in the spreadsheet. Collaboration The Co-editing mode subsection allows you to set the preferable mode for seeing changes made to the spreadsheet when working in collaboration. Fast (by default). The users who take part in the spreadsheet co-editing will see the changes in real time once they are made by other users. Strict. All the changes made by co-editors will be shown only after you click the Save icon that will notify you about new changes. Show changes from other users. This feature allows to see changes made by other users in the spreadsheet opened for viewing only in the Live Viewer mode. Show comments in text. If you disable this feature, the commented passages will be highlighted only if you click the Comments icon on the left sidebar. Show resolved comments. This feature is disabled by default so that the resolved comments are hidden in the spreadsheet. You can view such comments only if you click the Comments icon on the left sidebar. Enable this option if you want to display resolved comments in the spreadsheet. Workspace The R1C1 reference style option is disabled by default 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]. The numbers in square brackets designate the position of the cell 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. The Use Alt key to navigate the user interface using the keyboard option is used to enable using the Alt / Option key in keyboard shortcuts. The Interface theme option is used to change the color scheme of the editor’s interface. The Same as system option makes the editor follow the interface theme of your system. The Light color scheme incorporates standard blue, white, and light gray colors with less contrast in UI elements suitable for working during daytime. The Classic Light color scheme incorporates standard blue, white, and light gray colors. The Dark color scheme incorporates black, dark gray, and light gray colors suitable for working during nighttime. The Contrast Dark color scheme incorporates black, dark gray, and white colors with more contrast in UI elements highlighting the working area of the file. Note: Apart from the available Light, Classic Light, Dark, and Contrast Dark interface themes, ONLYOFFICE editors can now be customized with your own color theme. Please follow these instructions to learn how you can do that. The Unit of Measurement option is used to specify what units are used on the rulers and in properties of objects when setting such parameters as width, height, spacing, margins etc. The available units are Centimeter, Point, and Inch. The Default Zoom Value option is used to set the default zoom value, selecting it in the list of available options from 50% to 500%. The Font Hinting option is used to select how fonts are displayed in the 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 to display the text with hinting embedded into the font files. Default cache mode - used to select the cache mode for the font characters. It’s not recommended to switch it without any reason. It can be helpful in some cases only, for example, when an issue with the enabled hardware acceleration in the Google Chrome browser occurs. The Spreadsheet Editor has two cache modes: In the first cache mode, each letter is cached as a separate picture. In the second cache mode, a picture of a certain size is selected where letters are placed dynamically and a mechanism of allocating/removing memory in this picture is also implemented. If there is not enough memory, a second picture is created, etc. The Default cache mode setting applies two above mentioned cache modes separately for different browsers: When the Default cache mode setting is enabled, Internet Explorer (v. 9, 10, 11) uses the second cache mode, other browsers use the first cache mode. When the Default cache mode setting is disabled, Internet Explorer (v. 9, 10, 11) uses the first cache mode, other browsers use the second cache mode. The Macros Settings option is used to set macros display with a notification. Choose Disable All to disable all macros within the spreadsheet. Choose Show Notification to receive notifications about macros within the spreadsheet. Choose Enable All to automatically run all macros within the spreadsheet. Regional Settings The Formula Language option is used to select the language for displaying and entering formula names, argument names, and descriptions. Formula language is supported for 32 languages: Belarussian, Bulgarian, Catalan, Chinese, Czech, Danish, Dutch, English, Finnish, French, German, Greek, Hungarian, Indonesian, Italian, Japanese, Korean, Lao, Latvian, Norwegian, Polish, Portuguese (Brazil), Portuguese (Portugal), Romanian, Russian, Slovak, Slovenian, Spanish, Swedish, Turkish, Ukrainian, Vietnamese. The Region option is used to set the display mode for currency, date, and time. The Use separators based on regional settings option is enabled by default, the separators will correspond to the set region. To set custom separators, uncheck this option and enter the required separators in Decimal separator and Thousands separator fields. Proofing The Dictionary language option is used to set the preferred dictionary for the spell checking. Ignore words in UPPERCASE. Words typed in capital letters are ignored during the spell checking. Ignore words with numbers. Words with numbers in them are ignored during the spell checking. The AutoCorrect options menu allows you to access the autocorrect settings such as replacing text as you type, recognizing functions, automatic formatting etc. Calculating The Use 1904 date system option is used to calculate dates by using January 1, 1904, as a starting point. It can be useful when working with spreadsheets created in MS Excel 2008 for Mac and earlier MS Excel for Mac versions. To save the changes you made, click the Apply button." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Co-editing spreadsheets in real time", - "body": "The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use. In Spreadsheet Editor you can collaborate on spreadsheets in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current spreadsheet is specified on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a spreadsheet in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the data in cells. Different border colors also highlight the ranges of cells selected by someone else at the moment. Hover your mouse pointer over the selection to display the name of the user who is editing it. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save  icon to save your changes and accept the changes made by co-authors. When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells are marked with dashed lines of different colors, the tab of the sheet where these cells are situated are marked with red marker. Hover the mouse cursor over one of the edited cells, to display the name of the user who is editing it at the moment. As soon as one of the users saves their 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. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." + "body": "The Spreadsheet Editor allows you to maintain constant team-wide approach to work flow: share files and folders, communicate right in the editor, comment certain parts of your spreadsheets that require additional third-party input, save spreadsheet versions for future use. In Spreadsheet Editor you can collaborate on spreadsheets in real time using two modes: Fast or Strict. The modes can be selected in the Advanced Settings. It's also possible to choose the necessary mode using the Co-editing Mode icon on the Collaboration tab of the top toolbar: The number of users who are working on the current spreadsheet is specified on the right side of the editor header - . If you want to see who exactly is editing the file now, you can click this icon or open the Chat panel with the full list of the users. Fast mode The Fast mode is used by default and shows the changes made by other users in real time. When you co-edit a spreadsheet in this mode, the possibility to Redo the last undone operation is not available. This mode will show the actions and the names of the co-editors when they are editing the data in cells. Different border colors also highlight the ranges of cells selected by someone else at the moment. Hover your mouse pointer over the selection to display the name of the user who is editing it. Strict mode The Strict mode is selected to hide changes made by other users until you click the Save   icon to save your changes and accept the changes made by co-authors. When a spreadsheet is being edited by several users simultaneously in the Strict mode, the edited cells are marked with dashed lines of different colors, the tab of the sheet where these cells are situated are marked with red marker. Hover the mouse cursor over one of the edited cells, to display the name of the user who is editing it at the moment. As soon as one of the users saves their 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. Live Viewer mode The Live Viewer mode is used to see the changes made by other users in real time when the spreadsheet is opened by a user with the View only access rights. For the mode to function properly, make sure that the Show changes from other users checkbox is active in the editor's Advanced Settings. Anonymous Portal users who are not registered and do not have a profile are considered to be anonymous, although they still can collaborate on documents. To have a name assigned to them, the anonymous user should enter a name they prefer in the corresponding field appearing in the right top corner of the screen when they open the document for the first time. Activate the “Don’t ask me again” checkbox to preserve the name." }, { "id": "HelpfulHints/Commenting.htm", @@ -2338,27 +2338,27 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Spreadsheet Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab and you will see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac 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 the help menu of the Spreadsheet Editor or its 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 required characters. 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 the 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 the Spreadsheet Editor on the screen. Help menu F1 F1 Open the Help menu of the Spreadsheet Editor . Open existing file (Desktop Editors) Ctrl+O Open the standard dialog box on the Open local file tab in the Desktop Editors that allows you to select an existing file. Close file (Desktop Editors) Tab/Shift+Tab ↹ Tab/⇧ Shift+↹ Tab Close the current spreadsheet window in the Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the contextual menu of the selected element. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current spreadsheet to a default 100%. Duplicate a worksheet Press and hold down Ctrl+ drag the sheet tab Press and hold down ⌥ Option+ drag the sheet tab Copy an entire worksheet in a workbook and move it to the tab location you need. 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 visible data region or the next cell with data Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Outline a cell at the edge of the visible data region or the next cell with data in a worksheet. If the region does not contain data, the last cell of the visible area will be selected. If the region contains data, the next cell with data will be selected. 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 in the worksheet situated in 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. Move vertical scrollbar Up/Down Mouse scroll Up/Down Mouse scroll Up/Down Move vertical scrollbar up/down. Move horizontal scrollbar Left/Right ⇧ Shift+Mouse scroll Up/Down ⇧ Shift+Mouse scroll Up/Down Move horizontal scrollbar left/right. To move the scrollbar to the right, scroll the mouse wheel down. To move the scrollbar to the left, scroll the mouse wheel up. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited spreadsheet. Zoom Out Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom out the currently edited spreadsheet. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. 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 a fragment 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 in the worksheet (in 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 darker and heavier than normal or remove the bold formatting. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized and slightly slanted or remove italic formatting. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going under the letters or remove underlining. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a 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. Complete cell entry and move to the next cell in a row ↹ Tab ↹ Tab Complete a cell entry in the selected cell or the formula bar, and move to the cell to the right. 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 the 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 . Insert cells Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Open the dialog box for inserting new cells within current spreadsheet with an added parameter of a shift to the right, a shift down, inserting an entire row or an entire column. Delete cells Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Open the dialog box for deleting cells within current spreadsheet with an added parameter of a shift to the left, a shift up, deleting an entire row or an entire column. Insert the current date Ctrl+; Ctrl+; Insert the today date within an active cell. Insert the current time Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Insert the current time within an active cell. Insert the current date and time Ctrl+; then ␣ Spacebar then Ctrl+⇧ Shift+; Ctrl+; then ␣ Spacebar then Ctrl+⇧ Shift+; Insert the current date and time within an active cell. Functions Insert function ⇧ Shift+F3 ⇧ Shift+F3 Open the dialog box for inserting a new function by choosing from the provided list. 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. Recalculate functions F9 F9 Recalculate the entire workbook. Recalculate functions ⇧ Shift+F9 ⇧ Shift+F9 Recalculate the current worksheet. 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+~ Apply the General number format. Apply the Currency format Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Apply the Currency format with two decimal places (negative numbers in parentheses). Apply the Percentage format Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Apply the Percentage format with no decimal places. Apply the Exponential format Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Apply the Exponential number format with two decimal places. Apply the Date format Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Apply the Date format with the day, month, and year. Apply the Time format Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Apply the Time format with the hour and minute, and AM or PM. Apply the Number format Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Apply 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." + "body": "Keyboard Shortcuts for Key Tips Use keyboard shortcuts for a faster and easier access to the features of the Spreadsheet Editor without using a mouse. Press Alt key to turn on all key tips for the editor header, the top toolbar, the right and left sidebars and the status bar. Press the letter that corresponds to the item you wish to use. The additional key tips may appear depending on the key you press. The first key tips hide when additional key tips appear. For example, to access the Insert tab, press Alt to see all primary key tips. Press letter I to access the Insert tab and you will see all the available shortcuts for this tab. Then press the letter that corresponds to the item you wish to configure. Press Alt to hide all key tips, or press Escape to go back to the previous group of key tips. Find the most common keyboard shortcuts in the list below: Windows/Linux Mac 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 the help menu of the Spreadsheet Editor or its 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 required characters. 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 the 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 the Spreadsheet Editor on the screen. Help menu F1 F1 Open the Help menu of the Spreadsheet Editor . Open existing file (Desktop Editors) Ctrl+O Open the standard dialog box on the Open local file tab in the Desktop Editors that allows you to select an existing file. Close file (Desktop Editors) Tab/Shift+Tab ↹ Tab/⇧ Shift+↹ Tab Close the current spreadsheet window in the Desktop Editors. Element contextual menu ⇧ Shift+F10 ⇧ Shift+F10 Open the contextual menu of the selected element. Reset the ‘Zoom’ parameter Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Reset the ‘Zoom’ parameter of the current spreadsheet to a default 100%. Duplicate a worksheet Press and hold down Ctrl+ drag the sheet tab Press and hold down ⌥ Option+ drag the sheet tab Copy an entire worksheet in a workbook and move it to the tab location you need. 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 visible data region or the next cell with data Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Outline a cell at the edge of the visible data region or the next cell with data in a worksheet. If the region does not contain data, the last cell of the visible area will be selected. If the region contains data, the next cell with data will be selected. 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 in the worksheet situated in 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. Move vertical scrollbar Up/Down Mouse scroll Up/Down Mouse scroll Up/Down Move vertical scrollbar up/down. Move horizontal scrollbar Left/Right ⇧ Shift+Mouse scroll Up/Down ⇧ Shift+Mouse scroll Up/Down Move horizontal scrollbar left/right. To move the scrollbar to the right, scroll the mouse wheel down. To move the scrollbar to the left, scroll the mouse wheel up. Zoom In Ctrl++ ^ Ctrl+= Zoom in the currently edited spreadsheet. Zoom Out Ctrl+- ^ Ctrl+- Zoom out the currently edited spreadsheet. Navigate between controls in modal dialogues ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Navigate between controls to give focus to the next or previous control in modal dialogues. 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 a fragment 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 in the worksheet (in 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 darker and heavier than normal or remove the bold formatting. Italic Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Make the font of the selected text fragment italicized and slightly slanted or remove italic formatting. Underline Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Make the selected text fragment underlined with a line going under the letters or remove underlining. Strikeout Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Make the selected text fragment struck out with a 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. Complete cell entry and move to the next cell in a row ↹ Tab ↹ Tab Complete a cell entry in the selected cell or the formula bar, and move to the cell to the right. 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 the 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 . Insert cells Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Open the dialog box for inserting new cells within current spreadsheet with an added parameter of a shift to the right, a shift down, inserting an entire row or an entire column. Delete cells Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Open the dialog box for deleting cells within current spreadsheet with an added parameter of a shift to the left, a shift up, deleting an entire row or an entire column. Insert the current date Ctrl+; Ctrl+; Insert the today date within an active cell. Insert the current time Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Insert the current time within an active cell. Insert the current date and time Ctrl+; then ␣ Spacebar then Ctrl+⇧ Shift+; Ctrl+; then ␣ Spacebar then Ctrl+⇧ Shift+; Insert the current date and time within an active cell. Functions Insert function ⇧ Shift+F3 ⇧ Shift+F3 Open the dialog box for inserting a new function by choosing from the provided list. 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. Recalculate functions F9 F9 Recalculate the entire workbook. Recalculate functions ⇧ Shift+F9 ⇧ Shift+F9 Recalculate the current worksheet. 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+~ Apply the General number format. Apply the Currency format Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Apply the Currency format with two decimal places (negative numbers in parentheses). Apply the Percentage format Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Apply the Percentage format with no decimal places. Apply the Exponential format Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Apply the Exponential number format with two decimal places. Apply the Date format Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Apply the Date format with the day, month, and year. Apply the Time format Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Apply the Time format with the hour and minute, and AM or PM. Apply the Number format Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Apply 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", "title": "View Settings and Navigation Tools", - "body": "To help you view and select cells in large spreadsheets, the Spreadsheet Editor offers several tools: adjustable bars, scrollbars, sheet navigation buttons, sheet tabs and zoom. Adjust the View Settings To adjust default view settings and to set the most convenient mode to work with the spreadsheet, click the View settings icon on the right side of the editor header and select which interface elements you want to be hidden or shown. You can select the following options from the View settings drop-down list: Hide Toolbar - hides the top toolbar with commands while the tabs remain visible. When this option is enabled, you can click any tab to display the toolbar. The toolbar is displayed until you click anywhere outside it. To disable this mode, click the View settings icon and click the Hide Toolbar option once again. The top toolbar will be displayed all the time. Note: alternatively, you can just double-click any tab to hide the top toolbar or display it again. Hide Formula Bar - hides the bar below the top toolbar which is used to enter and review the formulas and their contents. To show the hidden Formula Bar, click this option once again. Dragging formula bar bottom line to expand it toggles Formula Bar height to show one row. Combine sheet and status bars - displays all sheet navigation tools and status bar in a single line. By default, this option is active. If you disable it, the status bar will appear in two lines. Hide Headings - hides the column heading at the top and row heading on the left side of the worksheet. To show the hidden Headings, click this option once again. Hide Gridlines - hides the lines around the cells. To show the hidden Gridlines, click this option once again. 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. Show Frozen Panes Shadow - shows that columns and/or rows are frozen (a subtle line appears). Zoom use the or buttons to zoom in or zoom out the sheet. Show zeros - allows “0” to be visible when entered in a cell. To activate/deactivate this option, find the Show zeros checkbox on the View tab. 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. Use the Navigation Tools To navigate through your spreadsheet, use the following tools: Use the Tab key on your keyboard to move to the cell to the right of the selected one. The Scrollbars (at the bottom or on the right side) are used to scroll up/down and left/right the current sheet. To navigate a spreadsheet using the scrollbars: click the up/down or right/left arrows on the scrollbars; drag the scroll box; scroll the mouse wheel to move vertically; use the combination of the Shift key and the mouse Scroll wheel to move horizontally; click any area to the left/right or above/below the scroll box on the scrollbar. You can also use the mouse scroll wheel to scroll your spreadsheet up or down. The Sheet Navigation buttons are situated in the left lower corner and are used to scroll the sheet list to the right/left and navigate among the sheet tabs. click the Scroll to first sheet button to scroll the sheet list to the first sheet tab of the current spreadsheet; click the Scroll sheet list left button to scroll the sheet list of the current spreadsheet to the left; click the Scroll sheet list right button to scroll the sheet list of the current spreadsheet to the right; click the Scroll to last sheet button to scroll the sheet list to the last sheet tab of the current spreadsheet. Use the button on the status bar to add a new worksheet. To select the necessary sheet: click button on the status bar to open the list of all sheets and to select the sheet you need. The list of sheets also displays the sheet status, or click the appropriate Sheet Tab next to button. The Zoom buttons are situated in the lower right corner and are used to zoom in and out of the current sheet. To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. The Zoom settings are also available in the View settings drop-down list." + "body": "To help you view and select cells in large spreadsheets, the Spreadsheet Editor offers several tools: adjustable bars, scrollbars, sheet navigation buttons, sheet tabs and zoom. Adjust the View Settings To adjust default view settings and to set the most convenient mode to work with the spreadsheet, go to the View tab. You can select the following options: Sheet View - to manage sheet views. To learn more about sheet views, please read the following article. Zoom - to set the required zoom value from 50% to 500% from the drop-down list. Interface theme - choose one of the available interface themes from the drop-down menu: Same as system, Light, Classic Light, Dark, Contrast Dark. 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. Formula bar - when disabled, hides the bar below the top toolbar which is used to enter and review the formulas and their contents. To show the hidden Formula Bar, click this option once again. Dragging formula bar bottom line to expand it toggles Formula Bar height to show one row. Headings - when disabled, hides the column heading at the top and row heading on the left side of the worksheet. To show the hidden Headings, click this option once again. Gridlines - when disabled, hides the lines around the cells. To show the hidden Gridlines, click this option once again. Show zeros - allows “0” to be visible when entered in a cell. TO disable this option, uncheck the box. Always show toolbar - when this option is disabled, the top toolbar that contains commands will be hidden while tab names remain visible. Alternatively, you can just double-click any tab to hide the top toolbar or display it again. Combine sheet and status bars - displays all sheet navigation tools and status bar in a single line. By default, this option is active. If you disable it, the status bar will appear in two lines. 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. Use the Navigation Tools To navigate through your spreadsheet, use the following tools: Use the Tab key on your keyboard to move to the cell to the right of the selected one. The Scrollbars (at the bottom or on the right side) are used to scroll up/down and left/right the current sheet. To navigate a spreadsheet using the scrollbars: click the up/down or right/left arrows on the scrollbars; drag the scroll box; scroll the mouse wheel to move vertically; use the combination of the Shift key and the mouse Scroll wheel to move horizontally; click any area to the left/right or above/below the scroll box on the scrollbar. You can also use the mouse scroll wheel to scroll your spreadsheet up or down. The Sheet Navigation buttons are situated in the left lower corner and are used to scroll the sheet list to the right/left and navigate among the sheet tabs. click the Scroll sheet list left button to scroll the sheet list of the current spreadsheet to the left; click the Scroll sheet list right button to scroll the sheet list of the current spreadsheet to the right; Use the button on the status bar to add a new worksheet. To select the necessary sheet: click button on the status bar to open the list of all sheets and to select the sheet you need. The list of sheets also displays the sheet status, or click the appropriate Sheet Tab next to button. The Zoom buttons are situated in the lower right corner and are used to zoom in and out of the current sheet. To change the currently selected zoom value that is displayed in percent, click it and select one of the available zoom options from the list (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) or use the Zoom in or Zoom out buttons. The Zoom settings are also available on the View tab." }, { "id": "HelpfulHints/Search.htm", "title": "Search and Replace Functions", - "body": "To search for the required characters, words or phrases in the Spreadsheet Editor, click the Search icon situated on the left sidebar or use the Ctrl+F key combination. If you want to search for/replace some values only within a certain area in the current sheet, select the necessary cell range and then click the Search 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 in 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 a new text into the bottom data entry field to replace the existing one. 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 required characters, words or phrases in the Spreadsheet Editor, click the Search icon situated on the left sidebar, the icon situated in the upper right corner, or use the Ctrl+F (Command+F for MacOS) key combination to open the small Find panel or the Ctrl+H key combination to open the full Find panel. A small Find panel will open in the upper right corner of the working area. To access the advanced settings, click the icon. The Find and replace panel will open: Type in your inquiry into the corresponding Find data entry field. To navigate between the found occurrences, click one of the arrow buttons. The button shows the next occurrence while the button shows the previous one. If you need to replace one or more occurrences of the found characters, type in the replacement text into the corresponding Replace with data entry field. You can choose to replace a single currently selected occurrence or replace all occurrences by clicking the corresponding Replace and Replace All buttons. Specify search options by checking the necessary options: Within - is used to search within the active Sheet only, the whole Workbook, or the Specific range. In the latter case, the Select Data range field will become active where you can specify the required range. 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. Specify search parameters by checking the necessary options below the entry fields: 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). All occurrences will be highlighted in the file and shown as a list in the Find panel to the left. Use the list to skip to the required occurrence, or use the navigation and buttons." }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Spell-checking", - "body": "The Spreadsheet Editor allows you to check the spelling of the text in a certain language and correct mistakes while editing. In the desktop version, it's also possible to add words into a custom dictionary which is common for all three editors. Starting from version 6.3, the ONLYOFFICE editors support the SharedWorker interface for smoother operation without significant memory consumption. If your browser does not support SharedWorker then just Worker will be active. For more information about SharedWorker please refer to this article. Click the Spell checking icon on the left sidebar to open the spell checking panel. The upper left cell that contains a misspelled text value will be automatically selected in the current worksheet. The first misspelled word will be displayed in the spell checking field, and the suggested similar words with correct spelling will appear in the field below. Use the Go to the next word button to navigate through misspelled words. Replace misspelled words To replace the currently selected misspelled word with the suggested one, choose one of the suggested similar words spelled correctly and use the Change option: click the Change button, or click the downward arrow next to the Change button and select the Change option. The current word will be replaced and you will proceed to the next misspelled word. To quickly replace all the identical words repeated on the worksheet, click the downward arrow next to the Change button and select the Change all option. Ignore words To skip the current word: click the Ignore button, or click the downward arrow next to the Ignore button and select the Ignore option. The current word will be skipped, and you will proceed to the next misspelled word. To skip all the identical words repeated in the worksheet, click the downward arrow next to the Ignore button and select the Ignore all option. If the current word is missed in the dictionary, you can add it to the custom dictionary using the Add to Dictionary button on the spell checking panel. This word will not be treated as a mistake next time. This option is available in the desktop version. The Dictionary Language which is used for spell-checking is displayed in the list below. You can change it, if necessary. Once you verify all the words in the worksheet, the Spellcheck has been completed message will appear on the spell-checking panel. To close the spell-checking panel, click the Spell checking icon on the left sidebar. Change the spell check settings To change the spell-checking settings, go to the spreadsheet editor advanced settings (File tab -> Advanced Settings...) and switch to the Spell checking tab. Here you can adjust the following parameters: Dictionary language - select one of the available languages from the list. The Dictionary Language on the spell-checking panel will be changed correspondingly. Ignore words in UPPERCASE - check this option to ignore words written in capital letters, e.g. acronyms like SMB. Ignore words with numbers - check this option to ignore words containing numbers, e.g. acronyms like B2B. Proofing - used to automatically replace word or symbol typed in the Replace: box or chosen from the list by a new word or symbol displayed in the By: box. To save the changes you made, click the Apply button." + "body": "The Spreadsheet Editor allows you to check the spelling of the text in a certain language and correct mistakes while editing. In the desktop version, it's also possible to add words into a custom dictionary which is common for all three editors. Starting from version 6.3, the ONLYOFFICE editors support the SharedWorker interface for smoother operation without significant memory consumption. If your browser does not support SharedWorker then just Worker will be active. For more information about SharedWorker please refer to this article. Click the Spell checking icon on the left sidebar to open the spell checking panel. The upper left cell that contains a misspelled text value will be automatically selected in the current worksheet. The first misspelled word will be displayed in the spell checking field, and the suggested similar words with correct spelling will appear in the field below. Use the Go to the next word button to navigate through misspelled words. Replace misspelled words To replace the currently selected misspelled word with the suggested one, choose one of the suggested similar words spelled correctly and use the Change option: click the Change button, or click the downward arrow next to the Change button and select the Change option. The current word will be replaced and you will proceed to the next misspelled word. To quickly replace all the identical words repeated on the worksheet, click the downward arrow next to the Change button and select the Change all option. Ignore words To skip the current word: click the Ignore button, or click the downward arrow next to the Ignore button and select the Ignore option. The current word will be skipped, and you will proceed to the next misspelled word. To skip all the identical words repeated in the worksheet, click the downward arrow next to the Ignore button and select the Ignore all option. If the current word is missed in the dictionary, you can add it to the custom dictionary using the Add to Dictionary button on the spell checking panel. This word will not be treated as a mistake next time. This option is available in the desktop version. The Dictionary Language which is used for spell-checking is displayed in the list below. You can change it, if necessary. Once you verify all the words in the worksheet, the Spellcheck has been completed message will appear on the spell-checking panel. To close the spell-checking panel, click the Spell checking icon on the left sidebar. Change the spell check settings To change the spell-checking settings, go to the spreadsheet editor advanced settings (File tab -> Advanced Settings) and switch to the Spell checking tab. Here you can adjust the following parameters: Dictionary language - select one of the available languages from the list. The Dictionary Language on the spell-checking panel will be changed correspondingly. Ignore words in UPPERCASE - check this option to ignore words written in capital letters, e.g. acronyms like SMB. Ignore words with numbers - check this option to ignore words containing numbers, e.g. acronyms like B2B. Proofing - used to automatically replace word or symbol typed in the Replace: box or chosen from the list by a new word or symbol displayed in the By: box. To save the changes you made, click the Apply button." }, { "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 financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell is made. The Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. Formats Description View Edit Download XLS File extension for spreadsheet files created by Microsoft Excel + + XLSX Default file extension for spreadsheet files 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 spreadsheet files 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 + + + 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 regardless of the application software, hardware, and operating systems used. + 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. +" + "body": "A spreadsheet is a table of data organized in rows and columns. It is most frequently used to store financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell is made. The Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. While uploading or opening the file for editing, it will be converted to the Office Open XML (XLSX) format. It's done to speed up the file processing and increase the interoperability. The following table contains the formats which can be opened for viewing and/or editing. Formats Description View natively View after conversion to OOXML Edit natively Edit after conversion to OOXML CSV Comma Separated Values File format used to store tabular data (numbers and text) in plain-text form + + ODS File extension for spreadsheet files 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 + + XLS File extension for spreadsheet files created by Microsoft Excel + + XLSX Default file extension for spreadsheet files 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 + + The following table contains the formats in which you can download a spreadsheet from the File -> Download as menu. Input format Can be downloaded as CSV CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX ODS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX OTS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLSX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLTX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX You can also refer to the conversion matrix on api.onlyoffice.com to see possibility of conversion your spreadsheets into the most known file formats." }, { "id": "HelpfulHints/VersionHistory.htm", @@ -2413,7 +2413,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the Spreadsheet Editor user interface", - "body": "The Spreadsheet Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Main window of the Online Spreadsheet Editor: Main window of the Desktop Spreadsheet Editor: The editor interface consists of the following main elements: The Editor header displays the logo, tabs for all opened spreadsheets, with their names and menu tabs.. On the left side of the Editor header there are the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder in the Documents module where the file is stored, in a new browser tab. - allows adjusting the View Settings and accessing the Advanced Settings of the editor. Manage document access rights - (available in the online version only) allows setting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. The top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Formula, Data, Pivot Table, Collaboration, Protection, View, Plugins. The Copy and Paste options are always available at the left part of the Top toolbar regardless of the selected tab. The Formula bar allows entering and editing formulas or values in the cells. The Formula bar displays the contents of the currently selected cell. The Status bar at the bottom of the editor window contains some navigation tools: sheet navigation buttons, add worksheet button, list of sheets button, sheet tabs, and zoom buttons. The Status bar also displays the background save status and connection status when there is no connection and the editor is trying to reconnect, the number of filtered records if you apply a filter, or the results of automatic calculations if you select several cells containing data. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - (available in the online version only) allows opening the Chat panel, - allows to check the spelling of your text in a certain language and correct mistakes while editing. - allows contacting our support team, - (available in the online version only) allows viewing the information about the program. The Right sidebar allows adjusting additional parameters of different objects. When you select a particular object in a worksheet, the corresponding icon is activated on the right sidebar. Click this icon to expand the right sidebar. The Working area allows viewing the contents of a spreadsheet, as well as entering and editing data. The horizontal and vertical Scroll bars allow scrolling up/down and left/right. For your convenience, you can hide some components and display them again when necessary. To learn more on how to adjust view settings please refer to this page." + "body": "The Spreadsheet Editor uses a tabbed interface where editing commands are grouped into tabs by functionality. Main window of the Online Spreadsheet Editor: Main window of the Desktop Spreadsheet Editor: The editor interface consists of the following main elements: The Editor header displays the logo, tabs for all opened spreadsheets, with their names and menu tabs.. On the left side of the Editor header there are the Save, Print file, Undo and Redo buttons are located. On the right side of the Editor header along with the user name the following icons are displayed: Open file location - in the desktop version, it allows opening the folder, where the file is stored, in the File explorer window. In the online version, it allows opening the folder in the Documents module where the file is stored, in a new browser tab. Share - (available in the online version only) allows setting access rights for the documents stored in the cloud. Mark as favorite - click the star to add a file to favorites as to make it easy to find. The added file is just a shortcut so the file itself remains stored in its original location. Deleting a file from favorites does not remove the file from its original location. Search - allows to search the spreadsheet for a particular word or symbol, etc. The top toolbar displays a set of editing commands depending on the selected menu tab. Currently, the following tabs are available: File, Home, Insert, Layout, Formula, Data, Pivot Table, Collaboration, Protection, View, Plugins. The Copy, Paste, Cut and Select All options are always available at the left part of the Top toolbar regardless of the selected tab. The Formula bar allows entering and editing formulas or values in the cells. The Formula bar displays the contents of the currently selected cell. The Status bar at the bottom of the editor window contains some navigation tools: sheet navigation buttons, add worksheet button, list of sheets button, sheet tabs, and zoom buttons. The Status bar also displays the background save status and connection status when there is no connection and the editor is trying to reconnect, the number of filtered records if you apply a filter, or the results of automatic calculations if you select several cells containing data. The Left sidebar contains the following icons: - allows using the Search and Replace tool, - allows opening the Comments panel, - (available in the online version only) allows opening the Chat panel, - allows to check the spelling of your text in a certain language and correct mistakes while editing. - allows contacting our support team, - (available in the online version only) allows viewing the information about the program. The Right sidebar allows adjusting additional parameters of different objects. When you select a particular object in a worksheet, the corresponding icon is activated on the right sidebar. Click this icon to expand the right sidebar. The Working area allows viewing the contents of a spreadsheet, as well as entering and editing data. The horizontal and vertical Scroll bars allow scrolling up/down and left/right. For your convenience, you can hide some components and display them again when necessary. To learn more on how to adjust view settings please refer to this page." }, { "id": "ProgramInterface/ProtectionTab.htm", @@ -2423,7 +2423,7 @@ var indexes = { "id": "ProgramInterface/ViewTab.htm", "title": "View tab", - "body": "The View tab in the Spreadsheet Editor allows you to manage sheet view presets based on applied filters view options. The corresponding window of the Online Spreadsheet Editor: The corresponding window of the Desktop Spreadsheet Editor: Using this tab, you can: manage sheet view presets, adjust zoom value, select interface theme: Light, Classic Light or Dark, freeze panes using the following options: Freeze Panes, Freeze Top Row, Freeze First Column and Show frozen panes shadow, manage the display of formula bars, headings, gridlines, and zeros, enable and disable the following view options: Always show toolbar to make the top toolbar always visible. Combine sheet and status bars to display all sheet navigation tools and status bar in a single line. The status bar will appear in two lines when this box is unchecked." + "body": "The View tab in the Spreadsheet Editor allows you to manage sheet view presets based on applied filters view options. The corresponding window of the Online Spreadsheet Editor: The corresponding window of the Desktop Spreadsheet Editor: Using this tab, you can: manage sheet view presets, adjust zoom value, select interface theme: Same as system, Light, Classic Light, Dark, Contrast Dark, freeze panes using the following options: Freeze Panes, Freeze Top Row, Freeze First Column and Show frozen panes shadow, manage the display of formula bars, headings, gridlines, and zeros, enable and disable the following view options: Always show toolbar to make the top toolbar always visible. Combine sheet and status bars to display all sheet navigation tools and status bar in a single line. The status bar will appear in two lines when this box is unchecked." }, { "id": "UsageInstructions/AddBorders.htm", @@ -2433,7 +2433,7 @@ var indexes = { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Add hyperlinks", - "body": "To add a hyperlink in the Spreadsheet Editor, select a cell where a hyperlink should be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon on the top toolbar, the Hyperlink Settings window will appear, and you will be able to specify the hyperlink settings: Select the required link type: 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, select a worksheet and a cell range in the fields below, or a previously added Named range if you need to add a hyperlink leading to a certain cell range in the same spreadsheet. You can also generate an external link which will lead to a particular cell or a range of cells by clicking the Get Link button. 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 with a brief note or label connected to the hyperlink. click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button the position where the hyperlink should 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. To follow the link, click the link in the 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." + "body": "To add a hyperlink in the Spreadsheet Editor, select a cell where a hyperlink should be added, switch to the Insert tab of the top toolbar, click the Hyperlink icon on the top toolbar, the Hyperlink Settings window will appear, and you will be able to specify the hyperlink settings: Select the required link type: Use the External Link option and enter enter a URL in the http://www.example.com format in the Link to field below if you need to add a hyperlink leading to an external website. If you need to add a hyperlink to a local file, enter the URL in the file://path/Spreadsheet.xlsx (for Windows) or file:///path/Spreadsheet.xlsx (for MacOS and Linux) format in the Link to field. The file://path/Spreadsheet.xlsx or file:///path/Spreadsheet.xlsx hyperlink type can be opened only in the desktop version of the editor. In the web editor you can only add the link without being able to open it. Use the Internal Data Range option, select a worksheet and a cell range in the fields below, or a previously added Named range if you need to add a hyperlink leading to a certain cell range in the same spreadsheet. You can also generate an external link which will lead to a particular cell or a range of cells by clicking the Get Link button or using the Get link to this range option in the contextual right-click menu of the required cell range. 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 with a brief note or label connected to the hyperlink. click the OK button. To add a hyperlink, you can also use the Ctrl+K key combination or click with the right mouse button the position where the hyperlink should 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. To follow the link, click the link in the 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", @@ -2468,7 +2468,7 @@ 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 of the Spreadsheet Editor available on 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 on 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 required cell/cell range, hover the mouse cursor over the selection border so that it turns into the Arrow icon and drag and drop the selection to the necessary position. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings... and check / uncheck the Cut, copy and paste checkbox. Use the Paste Special feature Note: For collaborative editing, the Pase Special feature is available in the Strict co-editing mode only. 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 you 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 you to paste formulas without pasting the data formatting. Formula + number format - allows you to paste formulas with the formatting applied to numbers. Formula + all formatting - allows you to paste formulas with all the data formatting. Formula without borders - allows you to paste formulas with all the data formatting except the cell borders. Formula + column width - allows you to paste formulas with all the data formatting and set the source column`s width for the cell range. Transpose - allows you to paste data switching them from columns to rows, or vice versa. This option is available for regular data ranges, but not for formatted tables. The following options allow you to paste the result that the copied formula returns without pasting the formula itself: Paste only value - allows you 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 you to paste the formula results with all the data formatting. Paste only formatting - allows you to paste the cell formatting only without pasting the cell contents. Paste Formulas - allows you to paste formulas without pasting the data formatting. Values - allows you to paste the formula results without pasting the data formatting. Formats - allows you to apply the formatting of the copied area. Comments - allows you to add comments of the copied area. Column widths - allows you to set certal column widths of the copied area. All except borders - allows you to paste formulas, formula results with all its formatting except borders. Formulas & formatting - allows you to paste formulas and apply formatting on them from the copied area. Formulas & column widths - allows you to paste formulas and set certaln column widths of the copied area. Formulas & number formulas - allows you to paste formulas and number formulas. Values & number formats - allows you to paste formula results and apply the numbers formatting of the copied area. Values & formatting - allows you to paste formula results and apply the formatting of the copied area. Operation Add - allows you to automatically add numeric values in each inserted cell. Subtract - allows you to automatically subtract numeric values in each inserted cell. Multiply - allows you to automatically multiply numeric values in each inserted cell. Divide - allows you to automatically divide numeric values in each inserted cell. Transpose - allows you to paste data switching them from columns to rows, or vice versa. Skip blanks - allows you to skip pasting empty cells and their formatting. When pasting the contents of a single cell or some text within autoshapes, the following options are available: Source formatting - allows you to keep the source formatting of the copied data. Destination formatting - allows you to apply the formatting that is already used for the cell/autoshape where the data are to be iserted to. Paste delimited text When pasting the delimited text copied from a .txt file, the following options are available: The delimited text can contain several records, and each record corresponds to a single table row. Each record can contain several text values separated with a delimiter (such as a comma, semicolon, colon, tab, space or other characters). The file should be saved as a plain text .txt file. Keep text only - allows you to paste text values into a single column where each cell contents corresponds to a row in the source text file. Use text import wizard - allows you 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. Switch to the Data tab. Click the Text to columns button on the top toolbar. The Text to Columns Wizard opens. In the Delimiter drop-down list, select the delimiter used in the delimited data. Click the Advanced button to open the Advanced Settings window in which you can specify the Decimal and Thousands separators. 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/cell range containing the required 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 to fill them 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 of the Spreadsheet Editor available on any tab of the top toolbar, Cut - select data and use the Cut option from the right-click menu, or the Cut icon on the top toolbar 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 on 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 required cell/cell range, hover the mouse cursor over the selection border so that it turns into the Arrow icon and drag and drop the selection to the necessary position. To enable / disable the automatic appearance of the Paste Special button after pasting, go to the File tab > Advanced Settings and check / uncheck the Show the Paste Options button when the content is pasted checkbox. Use the Paste Special feature Note: For collaborative editing, the Paste Special feature is available in the Strict co-editing mode only. 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 (Ctrl+P) - allows you 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 (Ctrl+F) - allows you to paste formulas without pasting the data formatting. Formula + number format (Ctrl+O) - allows you to paste formulas with the formatting applied to numbers. Formula + all formatting (Ctrl+K) - allows you to paste formulas with all the data formatting. Formula without borders (Ctrl+B) - allows you to paste formulas with all the data formatting except the cell borders. Formula + column width (Ctrl+W) - allows you to paste formulas with all the data formatting and set the source column`s width for the cell range. Transpose (Ctrl+T) - allows you to paste data switching them from columns to rows, or vice versa. This option is available for regular data ranges, but not for formatted tables. The following options allow you to paste the result that the copied formula returns without pasting the formula itself: Paste only value (Ctrl+V) - allows you to paste the formula results without pasting the data formatting. Value + number format (Ctrl+A) - allows to paste the formula results with the formatting applied to numbers. Value + all formatting (Ctrl+E) - allows you to paste the formula results with all the data formatting. Paste only formatting (Ctrl+R) - allows you to paste the cell formatting only without pasting the cell contents. Paste Formulas - allows you to paste formulas without pasting the data formatting. Values - allows you to paste the formula results without pasting the data formatting. Formats - allows you to apply the formatting of the copied area. Comments - allows you to add comments of the copied area. Column widths - allows you to set certal column widths of the copied area. All except borders - allows you to paste formulas, formula results with all its formatting except borders. Formulas & formatting - allows you to paste formulas and apply formatting on them from the copied area. Formulas & column widths - allows you to paste formulas and set certaln column widths of the copied area. Formulas & number formulas - allows you to paste formulas and number formulas. Values & number formats - allows you to paste formula results and apply the numbers formatting of the copied area. Values & formatting - allows you to paste formula results and apply the formatting of the copied area. Operation Add - allows you to automatically add numeric values in each inserted cell. Subtract - allows you to automatically subtract numeric values in each inserted cell. Multiply - allows you to automatically multiply numeric values in each inserted cell. Divide - allows you to automatically divide numeric values in each inserted cell. Transpose - allows you to paste data switching them from columns to rows, or vice versa. Skip blanks - allows you to skip pasting empty cells and their formatting. When pasting the contents of a single cell or some text within autoshapes, the following options are available: Source formatting (Ctrl+K) - allows you to keep the source formatting of the copied data. Destination formatting (Ctrl+M) - allows you to apply the formatting that is already used for the cell/autoshape where the data are to be inserted to. Paste delimited text When pasting the delimited text copied from a .txt file, the following options are available: The delimited text can contain several records, and each record corresponds to a single table row. Each record can contain several text values separated with a delimiter (such as a comma, semicolon, colon, tab, space or other characters). The file should be saved as a plain text .txt file. Keep text only (Ctrl+T) - allows you to paste text values into a single column where each cell contents corresponds to a row in the source text file. Use text import wizard - allows you 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 split into columns will be displayed in the Preview field below. If you are satisfied with the result, click 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. Switch to the Data tab. Click the Text to columns button on the top toolbar. The Text to Columns Wizard opens. In the Delimiter drop-down list, select the delimiter used in the delimited data. Click the Advanced button to open the Advanced Settings window in which you can specify the Decimal and Thousands separators. 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/cell range containing the required 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 to fill them 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/DataValidation.htm", @@ -2508,7 +2508,7 @@ var indexes = { "id": "UsageInstructions/InsertChart.htm", "title": "Insert charts", - "body": "Insert a chart To insert a chart in the Spreadsheet Editor, Select the cell range that contain the data you wish to use for the chart, switch to the Insert tab of the top toolbar, Click the Chart icon on the top toolbar, select the needed chart type from the available ones: Column Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination After that the chart will be added to the worksheet. Note: ONLYOFFICE Spreadsheet Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools. Adjust the chart settings Now you can change the settings of the inserted chart. To change the chart type, select the chart with the mouse, click the Chart settings icon on the right sidebar, open the Style drop-down list below and select the style which suits you best. open the Change type drop-down list and select the type you need. The selected chart type and style will be changed. To edit chart data: Click the Select Data button on the right-side panel. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click Show Advanced Settings to change other settings such as Layout, Vertical Axis, Secondary Vertical Axis, Horizontal Axis, Secondary Horizontal Axis, Cell Snapping and Alternative Text. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart by selecting the necessary option from the drop-down list: None to not display a chart title, Overlay to overlay and center the title in the plot area, No Overlay to display the title above the plot area. Specify the Legend position in regard to your chart by selecting the necessary option from the drop-down list: None to not display the legend, Bottom to display the legend and align it to the bottom of the plot area, Top to display the legend and align it to the top of the plot area, Right to display the legend and align it to the right of the plot area, Left to display the legend and align it to the left of the plot area, Left Overlay to overlay and center the legend to the left in the plot area, Right Overlay to overlay and center the legend to the right in the plot area. Specify the Data Labels (i.e. text labels that represent exact values of data points) parameters: specify the Data Labels position relative to the data points by selecting the necessary option from the drop-down list. The available options vary depending on the selected chart type. For Column/Bar charts, you can choose the following options: None, Center, Inner Bottom, Inner Top, Outer Top. For Line/XY (Scatter)/Stock charts, you can choose the following options: None, Center, Left, Right, Top, Bottom. For Pie charts, you can choose the following options: None, Center, Fit to Width, Inner Top, Outer Top. For Area charts as well as for 3D Column, Line and Bar charts, you can choose the following options: None, Center. select the data you wish to include into your labels checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon etc.) you wish to use for separating several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines between data points, Smooth to use smooth curves between data points, or None to not display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows to specify the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the chart contains. Edit chart elements To edit the chart Title, select the default text with the mouse and type in your own one instead. To change the font formatting within text elements, such as the chart title, axes titles, legend entries, data labels etc., select the necessary text element by left-clicking it. Then use icons on the Home tab of the top toolbar to change the font type, style, size, or color. When the chart is selected, the Shape settings icon is also available on the right, since the shape is used as a background for the chart. You can click this icon to open the Shape Settings tab on the right sidebar and adjust the shape Fill and Stroke. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel you can not only adjust the chart area itself, but also change the chart elements, such as the plot area, data series, chart title, legend, etc. and apply different fill types to them. Select the chart element by clicking it with the left mouse button and choose the preferred fill type: solid color, gradient, texture or picture, pattern. Specify the fill parameters and set the Opacity level if necessary. When you select a vertical or horizontal axis or gridlines, the stroke settings are only available on the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, please refer to this page. Note: the Show shadow option is also available on the Shape settings tab, but it is disabled for chart elements. If you need to resize chart elements, left-click to select the needed element and drag one of 8 white squares located along the perimeter of the element. To change the position of the element, left-click on it, make sure your cursor changed to , hold the left mouse button and drag the element to the needed position. To delete a chart element, select it by left-clicking and press the Delete key on the keyboard. You can also rotate 3D charts using the mouse. Left-click within the plot area and hold the mouse button. Drag the cursor without releasing the mouse button to change the 3D chart orientation. If necessary, you can change the chart size and position. To delete the inserted chart, click it and press the Delete key. Assign a Macro to a Chart You can provide a quick and easy access to a macro within a spreadsheet by assigning a macro to any chart. Once you assign a macro, the chart appears as a button control and you can run the macro whenever you click it. To assign a macro: Right-click the chart to assign a macro to and choose the Assign Macro option from the drop-down menu. The Assign Macro dialogue will open Choose a macro from the list, or type in the macro name, and click OK to confirm. Once a macro is assigned, you can still select the chart to perform other operations by left-clicking on chart surface. Using sparklines ONLYOFFICE Spreadsheet Editor supports Sparklines. Sparklines are small charts that fit into a cell, and are an efficient data visualization tool. For more information about how to create, edit and format sparklines, please see our Insert Sparklines guidelines." + "body": "Insert a chart To insert a chart in the Spreadsheet Editor, select the cell range that contain the data you wish to use for the chart, switch to the Insert tab of the top toolbar, click the Chart icon on the top toolbar, select the needed chart type from the available ones: Column Charts Clustered column Stacked column 100% stacked column 3-D Clustered Column 3-D Stacked Column 3-D 100% stacked column 3-D Column Line Charts Line Stacked line 100% stacked line Line with markers Stacked line with markers 100% stacked line with markers 3-D Line Pie Charts Pie Doughnut 3-D Pie Bar Charts Clustered bar Stacked bar 100% stacked bar 3-D clustered bar 3-D stacked bar 3-D 100% stacked bar Area Charts Area Stacked area 100% stacked area Stock Charts XY (Scatter) Charts Scatter Stacked bar Scatter with smooth lines and markers Scatter with smooth lines Scatter with straight lines and markers Scatter with straight lines Combo Charts Clustered column - line Clustered column - line on secondary axis Stacked area - clustered column Custom combination After that the chart will be added to the worksheet. Note: ONLYOFFICE Spreadsheet Editor supports the following types of charts that were created with third-party editors: Pyramid, Bar (Pyramid), Horizontal/Vertical Cylinders, Horizontal/Vertical Cones. You can open the file containing such a chart and modify it using the available chart editing tools. Adjust the chart settings Now you can change the settings of the inserted chart. To change the chart type, select the chart with the mouse, click the Chart settings icon on the right sidebar, open the Style drop-down list below and select the style which suits you best. open the Change type drop-down list and select the type you need. click the Switch row/column option to change the positioning of chart rows and columns. The selected chart type and style will be changed. To edit chart data: Click the Select Data button on the right-side panel. Use the Chart Data dialog to manage Chart Data Range, Legend Entries (Series), Horizontal (Category) Axis Label and Switch Row/Column. Chart Data Range - select data for your chart. Click the icon on the right of the Chart data range box to select data range. Legend Entries (Series) - add, edit, or remove legend entries. Type or select series name for legend entries. In Legend Entries (Series), click Add button. In Edit Series, type a new legend entry or click the icon on the right of the Select name box. Horizontal (Category) Axis Labels - change text for category labels. In Horizontal (Category) Axis Labels, click Edit. In Axis label range, type the labels you want to add or click the icon on the right of the Axis label range box to select data range. Switch Row/Column - rearrange the worksheet data that is configured in the chart not in the way that you want it. Switch rows to columns to display data on a different axis. Click OK button to apply the changes and close the window. Click Show Advanced Settings to change other settings such as Layout, Vertical Axis, Secondary Vertical Axis, Horizontal Axis, Secondary Horizontal Axis, Cell Snapping and Alternative Text. The Layout tab allows you to change the layout of chart elements. Specify the Chart Title position in regard to your chart by selecting the necessary option from the drop-down list: None to not display a chart title, Overlay to overlay and center the title in the plot area, No Overlay to display the title above the plot area. Specify the Legend position in regard to your chart by selecting the necessary option from the drop-down list: None to not display the legend, Bottom to display the legend and align it to the bottom of the plot area, Top to display the legend and align it to the top of the plot area, Right to display the legend and align it to the right of the plot area, Left to display the legend and align it to the left of the plot area, Left Overlay to overlay and center the legend to the left in the plot area, Right Overlay to overlay and center the legend to the right in the plot area. Specify the Data Labels (i.e. text labels that represent exact values of data points) parameters: specify the Data Labels position relative to the data points by selecting the necessary option from the drop-down list. The available options vary depending on the selected chart type. For Column/Bar charts, you can choose the following options: None, Center, Inner Bottom, Inner Top, Outer Top. For Line/XY (Scatter)/Stock charts, you can choose the following options: None, Center, Left, Right, Top, Bottom. For Pie charts, you can choose the following options: None, Center, Fit to Width, Inner Top, Outer Top. For Area charts as well as for 3D Column, Line and Bar charts, you can choose the following options: None, Center. select the data you wish to include into your labels checking the corresponding boxes: Series Name, Category Name, Value, enter a character (comma, semicolon etc.) you wish to use for separating several labels into the Data Labels Separator entry field. Lines - is used to choose a line style for Line/XY (Scatter) charts. You can choose one of the following options: Straight to use straight lines between data points, Smooth to use smooth curves between data points, or None to not display lines. Markers - is used to specify whether the markers should be displayed (if the box is checked) or not (if the box is unchecked) for Line/XY (Scatter) charts. Note: the Lines and Markers options are available for Line charts and XY (Scatter) charts only. The Vertical Axis tab allows you to change the parameters of the vertical axis also referred to as the values axis or y-axis which displays numeric values. Note that the vertical axis will be the category axis which displays text labels for the Bar charts, therefore in this case the Vertical Axis tab options will correspond to the ones described in the next section. For the XY (Scatter) charts, both axes are value axes. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. select Hide to hide vertical axis in the chart, leave it unchecked to have vertical axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None to not display a vertical axis title Rotated to display the title from bottom to top to the left of the vertical axis, Horizontal to display the title horizontally to the left of the vertical axis. Minimum Value - is used to specify the lowest value displayed at the vertical axis start. The Auto option is selected by default, in this case the minimum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Maximum Value - is used to specify the highest value displayed at the vertical axis end. The Auto option is selected by default, in this case the maximum value is calculated automatically depending on the selected data range. You can select the Fixed option from the drop-down list and specify a different value in the entry field on the right. Axis Crosses - is used to specify a point on the vertical axis where the horizontal axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value on the vertical axis. Display Units - is used to determine the representation of the numeric values along the vertical axis. This option can be useful if you're working with great numbers and wish the values on the axis to be displayed in a more compact and readable way (e.g. you can represent 50 000 as 50 by using the Thousands display units). Select desired units from the drop-down list: Hundreds, Thousands, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Billions, Trillions, or choose the None option to return to the default units. Values in reverse order - is used to display values in the opposite direction. When the box is unchecked, the lowest value is at the bottom and the highest value is at the top of the axis. When the box is checked, the values are ordered from top to bottom. The Tick Options section allows adjusting the appearance of tick marks on the vertical scale. Major tick marks are the larger scale divisions which can have labels displaying numeric values. Minor tick marks are the scale subdivisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. The Major/Minor Type drop-down lists contain the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. The Label Options section allows adjusting the appearance of major tick mark labels which display values. To specify a Label Position in regard to the vertical axis, select the necessary option from the drop-down list: None to not display tick mark labels, Low to display tick mark labels to the left of the plot area, High to display tick mark labels to the right of the plot area, Next to axis to display tick mark labels next to the axis. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. Note: Secondary axes are supported in Combo charts only. Secondary axes are useful in Combo charts when data series vary considerably or mixed types of data are used to plot a chart. Secondary Axes make it easier to read and understand a combo chart. The Secondary Vertical /Horizontal Axis tab appears when you choose an appropriate data series for a combo chart. All the settings and options on the Secondary Vertical/Horizontal Axis tab are the same as the settings on the Vertical/Horizontal Axis. For a detailed description of the Vertical/Horizontal Axis options, see description above/below. The Horizontal Axis tab allows you to change the parameters of the horizontal axis also referred to as the categories axis or x-axis which displays text labels. Note that the horizontal axis will be the value axis which displays numeric values for the Bar charts, therefore in this case the Horizontal Axis tab options will correspond to the ones described in the previous section. For the XY (Scatter) charts, both axes are value axes. select Hide to hide horizontal axis in the chart, leave it unchecked to have horizontal axis displayed. specify Title orientation by selecting the necessary option from the drop-down list: None when you don’t want to display a horizontal axis title, No Overlay  to display the title below the horizontal axis, Gridlines is used to specify the Horizontal Gridlines to display by selecting the necessary option from the drop-down list: None,  Major, Minor, or Major and Minor. Axis Crosses - is used to specify a point on the horizontal axis where the vertical axis should cross it. The Auto option is selected by default, in this case the axes intersection point value is calculated automatically depending on the selected data range. You can select the Value option from the drop-down list and specify a different value in the entry field on the right, or set the axes intersection point at the Minimum/Maximum Value (that corresponds to the first and last category) on the horizontal axis. Axis Position - is used to specify where the axis text labels should be placed: On Tick Marks or Between Tick Marks. Values in reverse order - is used to display categories in the opposite direction. When the box is unchecked, categories are displayed from left to right. When the box is checked, the categories are ordered from right to left. The Tick Options section allows adjusting the appearance of tick marks on the horizontal scale. Major tick marks are the larger divisions which can have labels displaying category values. Minor tick marks are the smaller divisions which are placed between the major tick marks and have no labels. Tick marks also define where gridlines can be displayed if the corresponding option is set on the Layout tab. You can adjust the following tick mark parameters: Major/Minor Type - is used to specify the following placement options: None to not display major/minor tick marks, Cross to display major/minor tick marks on both sides of the axis, In to display major/minor tick marks inside the axis, Out to display major/minor tick marks outside the axis. Interval between Marks - is used to specify how many categories should be displayed between two adjacent tick marks. The Label Options section allows adjusting the appearance of labels which display categories. Label Position - is used to specify where the labels should be placed in regard to the horizontal axis. Select the necessary option from the drop-down list: None to not display category labels, Low to display category labels at the bottom of the plot area, High to display category labels at the top of the plot area, Next to axis to display category labels next to the axis. Axis Label Distance - is used to specify how closely the labels should be placed to the axis. You can specify the necessary value in the entry field. The more the value you set, the more the distance between the axis and labels is. Interval between Labels - is used to specify how often the labels should be displayed. The Auto option is selected by default, in this case labels are displayed for every category. You can select the Manual option from the drop-down list and specify the necessary value in the entry field on the right. For example, enter 2 to display labels for every other category etc. To specify a Label Format click the Label Format button and choose a category as it deems appropriate. Available label format categories: General Number Scientific Accounting Currency Date Time Percentage Fraction Text Custom Label format options vary depending on the selected category. For more information on changing number format, go to this page. Check Linked to source to keep number formatting from the data source in the chart. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the chart to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the chart will be moved together with the cell. If you increase or decrease the width or height of the cell, the chart will change its size as well. Move but don't size with cells - this option allows to snap the chart to the cell behind it preventing the chart from being resized. If the cell moves, the chart will be moved together with the cell, but if you change the cell size, the chart dimensions remain unchanged. Don't move or size with cells - this option allows to prevent the chart from being moved or resized if the cell position or size was changed. The Alternative Text tab allows to specify the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the chart contains. Edit chart elements To edit the chart Title, select the default text with the mouse and type in your own one instead. To change the font formatting within text elements, such as the chart title, axes titles, legend entries, data labels etc., select the necessary text element by left-clicking it. Then use icons on the Home tab of the top toolbar to change the font type, style, size, or color. When the chart is selected, the Shape settings icon is also available on the right, since the shape is used as a background for the chart. You can click this icon to open the Shape Settings tab on the right sidebar and adjust the shape Fill and Stroke. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel you can not only adjust the chart area itself, but also change the chart elements, such as the plot area, data series, chart title, legend, etc. and apply different fill types to them. Select the chart element by clicking it with the left mouse button and choose the preferred fill type: solid color, gradient, texture or picture, pattern. Specify the fill parameters and set the Opacity level if necessary. When you select a vertical or horizontal axis or gridlines, the stroke settings are only available on the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, please refer to this page. Note: the Show shadow option is also available on the Shape settings tab, but it is disabled for chart elements. If you need to resize chart elements, left-click to select the needed element and drag one of 8 white squares located along the perimeter of the element. To change the position of the element, left-click on it, make sure your cursor changed to , hold the left mouse button and drag the element to the needed position. To delete a chart element, select it by left-clicking and press the Delete key on the keyboard. You can also rotate 3D charts using the mouse. Left-click within the plot area and hold the mouse button. Drag the cursor without releasing the mouse button to change the 3D chart orientation. If necessary, you can change the chart size and position. To delete the inserted chart, click it and press the Delete key. Assign a Macro to a Chart You can provide a quick and easy access to a macro within a spreadsheet by assigning a macro to any chart. Once you assign a macro, the chart appears as a button control and you can run the macro whenever you click it. To assign a macro: Right-click the chart to assign a macro to and choose the Assign Macro option from the drop-down menu. The Assign Macro dialogue will open Choose a macro from the list, or type in the macro name, and click OK to confirm. Once a macro is assigned, you can still select the chart to perform other operations by left-clicking on chart surface. Using sparklines ONLYOFFICE Spreadsheet Editor supports Sparklines. Sparklines are small charts that fit into a cell, and are an efficient data visualization tool. For more information about how to create, edit and format sparklines, please see our Insert Sparklines guidelines." }, { "id": "UsageInstructions/InsertDeleteCells.htm", @@ -2548,7 +2548,7 @@ var indexes = { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Insert text objects", - "body": "In the Spreadsheet Editor you can draw attention to a specific part of the spreadsheet, for this, insert a text box (a rectangular frame that allows you to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows you to apply some text effects). Add a text object You can add a text object anywhere in 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 on the top toolbar, then click where the text box should be inserted, 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, and you will bу able to enter your text. It's also possible to insert a text box by clicking the Shape icon on the top toolbar and selecting the Insert Text autoshape from the Basic Shapes group. to add a Text Art object, click the Text Art icon on 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 by clicking on its border to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines. to manually resize, move, rotate the text box, use the special handles on the edges of the shape. to edit the text box fill, line, replace the rectangular box with a different shape, or access the shape advanced settings, click the Shape settings icon on the right sidebar and use the corresponding options. to 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, please 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 change its properties. When the text is selected, the text box borders are displayed as dashed lines. 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 the font formatting settings (change the font type, its size, color and apply decoration styles) using the corresponding icons situated on the Home tab of the top toolbar. Some additional font settings can be also changed on the Font tab of the paragraph properties window. To access it, right-click the text in the text box and select the Paragraph Advanced Settings option. Align the text horizontally within the text box by using the corresponding icons situated on the Home tab of the top toolbar or in the Paragraph - Advanced Settings window. Align the text vertically within the text box by using the corresponding icons situated on 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. The List Settings option allows you to open the List Settings window where you can adjust the settings for a corresponding list type: Type (bulleted) - allows you to select the necessary character for the bulleted list. When you click on the New bullet field, the Symbol window will open, and you will be able to choose one of the available characters. To learn more on how to work with symbols, please refer to this article. Type (numbered) - allows you to select the necessary format for the numbered list. Size - allows you to select the necessary bullet/number size depending on the current size of the text. The value can vary from 25% up to 400%. Color - allows you to select the necessary bullet/number color. You can select one of the theme colors, or standard colors on the palette, or specify a custom color. Start at - allows you to set the necessary numeric value you want to start numbering with. Insert a hyperlink. Set line and paragraph spacing for the multi-line text within the text box by using the Paragraph settings tab of the right sidebar that will open if you click the Paragraph settings icon. Set the line height for the text lines within the paragraph as well as the margins between the current and the previous or the following paragraph. Line Spacing - set the line height for the text lines within the paragraph. You can select among two options: 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. These parameters can also be found in the Paragraph - Advanced Settings window. Adjust paragraph advanced settings 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 required paragraph - the Paragraph settings tab will be activated on the right sidebar. Click the Show advanced settings link. It's also possible to right-click the text in a text box and use the Paragraph Advanced Settings item from the contextual menu. The paragraph properties window will be opened: The Indents & Spacing tab allows you to: change the alignment type for the paragraph text, change the paragraph indents as related to internal margins of the text box, Left - set the paragraph offset from the left internal margin of the text box specifying the necessary numeric value, Right - set the paragraph offset from the right internal margin of the text box specifying the necessary numeric value, Special - set an indent for the first line of the paragraph: select the corresponding menu item ((none), First line, Hanging) and change the default numeric value specified for First Line or Hanging, change the paragraph line spacing. The Font tab contains the following parameters: Strikethrough is used to make the text struck out with a line going through the letters. Double strikethrough is used to make the text struck out with a double line going through the letters. Superscript is used to make the text smaller 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 you to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard. Default Tab is set at 2.54 cm. You can decrease or increase this value using the arrow buttons or enter the necessary value in the box. Tab Position - is used to set custom tab stops. Enter the necessary value in this box, adjust it more precisely using the arrow buttons and click the Specify button. Your custom tab position will be added to the list in the field below. Alignment - is used to set the necessary alignment type for each of the tab positions in the list above. Select the necessary tab position in the list, choose the Left, Center or Right option in the Alignment drop-down list and click the Specify button. Left - lines up your text to the left side at the tab stop position; the text moves to the right from the tab stop while you type. Center - centres the text at the tab stop position. Right - lines up your text to the right side at the tab stop position; the text moves to the left from the tab stop while you type. To delete tab stops from the list select a tab stop and click the Remove or Remove All button. Assign a Macro to a Text Box You can provide a quick and easy access to a macro within a spreadsheet by assigning a macro to any text box. Once you assign a macro, the text box appears as a button control and you can run the macro whenever you click it. To assign a macro: Right-click the text box to assign a macro to and choose the Assign Macro option from the drop-down menu. The Assign Macro dialogue will open Choose a macro from the list, or type in the macro name, and click OK to confirm. 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 by selecting a new Template from the gallery. You can also change the basic style additionally by selecting a different font type, size etc. Change the font fill and line. The available options are the same as the ones for autoshapes. Apply a text effect by selecting the necessary text transformation type from the Transform gallery. You can adjust the degree of the text distortion by dragging the pink diamond-shaped handle." + "body": "In the Spreadsheet Editor you can draw attention to a specific part of the spreadsheet, for this, insert a text box (a rectangular frame that allows you to enter text within it) or a Text Art object (a text box with a predefined font style and color that allows you to apply some text effects). Add a text object You can add a text object anywhere in 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 on the top toolbar, then click where the text box should be inserted, 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, and you will bу able to enter your text. It's also possible to insert a text box by clicking the Shape icon on the top toolbar and selecting the Insert Text autoshape from the Basic Shapes group. to add a Text Art object, click the Text Art icon on 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 by clicking on its border to change its properties. When the text box is selected, its borders are displayed as solid (not dashed) lines. to manually resize, move, rotate the text box, use the special handles on the edges of the shape. to edit the text box fill, line, replace the rectangular box with a different shape, or access the shape advanced settings, click the Shape settings icon on the right sidebar and use the corresponding options. to 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, please 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 change its properties. When the text is selected, the text box borders are displayed as dashed lines. 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 the font formatting settings (change the font type, its size, color and apply decoration styles) using the corresponding icons situated on the Home tab of the top toolbar. Some additional font settings can be also changed on the Font tab of the paragraph properties window. To access it, right-click the text in the text box and select the Paragraph Advanced Settings option. Align the text horizontally within the text box by using the corresponding icons situated on the Home tab of the top toolbar or in the Paragraph - Advanced Settings window. Align the text vertically within the text box by using the corresponding icons situated on 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. The List Settings option allows you to open the List Settings window where you can adjust the settings for a corresponding list type: Type (bulleted) - allows you to select the necessary character for the bulleted list. When you click the New bullet option, the Symbol window will open, and you will be able to choose one of the available characters. To learn more on how to work with symbols, please refer to this article. When you click the New image option, a new Import field appears where you can choose new images for bullets From File, From URL, or From Storage. Type (numbered) - allows you to select the necessary format for the numbered list. Size - allows you to select the necessary bullet/number size depending on the current size of the text. The value can vary from 25% up to 400%. Color - allows you to select the necessary bullet/number color. You can select one of the theme colors, or standard colors on the palette, or specify a custom color. Start at - allows you to set the necessary numeric value you want to start numbering with. Insert a hyperlink. Set line and paragraph spacing for the multi-line text within the text box by using the Paragraph settings tab of the right sidebar that will open if you click the Paragraph settings icon. Set the line height for the text lines within the paragraph as well as the margins between the current and the previous or the following paragraph. Line Spacing - set the line height for the text lines within the paragraph. You can select among two options: 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. These parameters can also be found in the Paragraph - Advanced Settings window. Adjust paragraph advanced settings 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 required paragraph - the Paragraph settings tab will be activated on the right sidebar. Click the Show advanced settings link. It's also possible to right-click the text in a text box and use the Paragraph Advanced Settings item from the contextual menu. The paragraph properties window will be opened: The Indents & Spacing tab allows you to: change the alignment type for the paragraph text, change the paragraph indents as related to internal margins of the text box, Left - set the paragraph offset from the left internal margin of the text box specifying the necessary numeric value, Right - set the paragraph offset from the right internal margin of the text box specifying the necessary numeric value, Special - set an indent for the first line of the paragraph: select the corresponding menu item ((none), First line, Hanging) and change the default numeric value specified for First Line or Hanging, change the paragraph line spacing. The Font tab contains the following parameters: Strikethrough is used to make the text struck out with a line going through the letters. Double strikethrough is used to make the text struck out with a double line going through the letters. Superscript is used to make the text smaller 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 you to change tab stops i.e. the position the cursor advances to when you press the Tab key on the keyboard. Default Tab is set at 2.54 cm. You can decrease or increase this value using the arrow buttons or enter the necessary value in the box. Tab Position - is used to set custom tab stops. Enter the necessary value in this box, adjust it more precisely using the arrow buttons and click the Specify button. Your custom tab position will be added to the list in the field below. Alignment - is used to set the necessary alignment type for each of the tab positions in the list above. Select the necessary tab position in the list, choose the Left, Center or Right option in the Alignment drop-down list and click the Specify button. Left - lines up your text to the left side at the tab stop position; the text moves to the right from the tab stop while you type. Center - centres the text at the tab stop position. Right - lines up your text to the right side at the tab stop position; the text moves to the left from the tab stop while you type. To delete tab stops from the list select a tab stop and click the Remove or Remove All button. Assign a Macro to a Text Box You can provide a quick and easy access to a macro within a spreadsheet by assigning a macro to any text box. Once you assign a macro, the text box appears as a button control and you can run the macro whenever you click it. To assign a macro: Right-click the text box to assign a macro to and choose the Assign Macro option from the drop-down menu. The Assign Macro dialogue will open Choose a macro from the list, or type in the macro name, and click OK to confirm. 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 by selecting a new Template from the gallery. You can also change the basic style additionally by selecting a different font type, size etc. Change the font fill and line. The available options are the same as the ones for autoshapes. Apply a text effect by selecting the necessary text transformation type from the Transform gallery. You can adjust the degree of the text distortion by dragging the pink diamond-shaped handle." }, { "id": "UsageInstructions/ManageSheets.htm", @@ -2568,12 +2568,12 @@ var indexes = { "id": "UsageInstructions/MergeCells.htm", "title": "Merge cells", - "body": "Introduction If you need to merge cells to position your text better (e.g., the name of the table or a long text fragment within the table), use the Merge tool of ONLYOFFICE Spreadsheet Editor. Type 1. Merge and Align Center Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. The selected cells must be adjacent. Only the data in the upper-left cell of the selected range will remain in the merged cell. Data in other cells of the selected range will be deleted. Go to the Home tab and click on the Merge and center icon . Type 2. Merge Across Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. Go to the Home tab and click on the arrow next to the Merge and center icon to open a drop-down menu. Choose the Merge Across option to align the text left and preserve the rows without merging them. Type 3. Merge Cells Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. Go to the Home tab and click on the arrow next to the Merge and center icon to open a drop-down menu. Choose the Merge Cells option to preserve the preset alignment. Unmerge Cells Click on the merged area. Go to the Home tab and click on the arrow next to the Merge and center icon to open a drop-down menu. Choose the Unmerge Cells option to bring the cells back to their original state." + "body": "If you need to merge cells to position your text better (e.g., the name of the table or a long text fragment within the table), use the Merge tool of ONLYOFFICE Spreadsheet Editor. Type 1. Merge and Align Center Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. The selected cells must be adjacent. Only the data in the upper-left cell of the selected range will remain in the merged cell. Data in other cells of the selected range will be deleted. Go to the Home tab and click on the Merge and center icon . Type 2. Merge Across Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. Go to the Home tab and click on the arrow next to the Merge and center icon to open a drop-down menu. Choose the Merge Across option to align the text left and preserve the rows without merging them. Type 3. Merge Cells Click on the cell at the beginning of the needed range, hold the left mouse button, and drag until you select the cell range you need. Go to the Home tab and click on the arrow next to the Merge and center icon to open a drop-down menu. Choose the Merge Cells option to preserve the preset alignment. Unmerge Cells Click on the merged area. Go to the Home tab and click on the arrow next to the Merge and center icon to open a drop-down menu. Choose the Unmerge Cells option to bring the cells back to their original state." }, { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Create a new spreadsheet or open an existing one", - "body": "In the Spreadsheet Editor, you can open a recently edited spreadsheet, create a new one, or return to the list of existing spreadsheets. To create a new spreadsheet In the online editor click the File tab on 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 location of the file, specify its name, choose the required format (XLSX, Spreadsheet template (XLTX), ODS, OTS, 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 on 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 required application from the menu. If documents are associated with the required 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 on the top toolbar, select the Open Recent... option, choose the required spreadsheet from the list of recently edited documents. In the desktop editor in the main program window, select the Recent files menu item on the left sidebar, choose the required spreadsheet 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 or 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 on the top toolbar and select the Open file location option." + "body": "In the Spreadsheet Editor, you can open a recently edited spreadsheet, rename it, create a new one, or return to the list of existing spreadsheets. To create a new spreadsheet In the online editor click the File tab on 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 location of the file, specify its name, choose the required format (XLSX, Spreadsheet template (XLTX), ODS, OTS, 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 on 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 required application from the menu. If documents are associated with the required 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 on the top toolbar, select the Open Recent option, choose the required spreadsheet from the list of recently edited documents. In the desktop editor in the main program window, select the Recent files menu item on the left sidebar, choose the required spreadsheet from the list of recently edited documents. To rename an opened spreadsheet In the online editor click the spreadsheet name at the top of the page, enter a new spreadsheet name, press Enter to accept the changes. To open the folder, where the file is stored , in a new browser tab in the online version or 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 on the top toolbar and select the Open file location option." }, { "id": "UsageInstructions/Password.htm", @@ -2588,7 +2588,7 @@ var indexes = { "id": "UsageInstructions/PivotTables.htm", "title": "Create and edit pivot tables", - "body": "Pivot tables allow you to group and arrange data of large data sets to get summarized information. In the Spreadsheet Editor you can reorganize data in many different ways to display only the necessary information and focus on important aspects. Create a new pivot table To create a pivot table, Prepare the source data set you want to use for creating a pivot table. It should include column headers. The data set should not contain empty rows or columns. Select any cell within the source data range. Switch to the Pivot Table tab of the top toolbar and click the Insert Table icon. If you want to create a pivot table on the base of a formatted table, you can also use the Insert pivot table option on the Table settings tab of the right sidebar. The Create Pivot Table window will appear. The Source data range is already specified. In this case, all data from the source data range will be used. If you want to change the data range (e.g. to include only a part of source data), click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range on the sheet using the mouse. When ready, click OK. Specify where you want to place the pivot table. The New worksheet option is selected by default. It allows you to place the pivot table in a new worksheet. You can also select the Existing worksheet option and choose a certain cell. In this case, the selected cell will be the upper right cell of the created pivot table. To select a cell, click the icon. In the Select Data Range window, enter the cell address in the following format: Sheet1!$G$2. You can also click the necessary cell in the sheet. When ready, click OK. When you select the pivot table location, click OK in the Create Table window. An empty pivot table will be inserted in the selected location. The Pivot table settings tab on the right sidebar will be opened. You can hide or display this tab by clicking the icon. Select fields to display The Select Fields section contains the fields named according to the column headers in your source data set. Each field contains values from the corresponding column of the source table. The following four sections are available below: Filters, Columns, Rows, and Values. Check the fields you want to display in the pivot table. When you check a field, it will be added to one of the available sections on the right sidebar depending on the data type and will be displayed in the pivot table. Fields containing text values will be added to the Rows section; fields containing numeric values will be added to the Values section. You can simply drag fields to the necessary section as well as drag the fields between sections to quickly reorganize your pivot table. To remove a field from the current section, drag it out of this section. In order to add a field to the necessary section, it's also possible to click the black arrow to the right of a field in the Select Fields section and choose the necessary option from the menu: Add to Filters, Add to Rows, Add to Columns, Add to Values. Below you can see some examples of using the Filters, Columns, Rows, and Values sections. If you add a field to the Filters section, a separate filter will be added above the pivot table. It will be applied to the entire pivot table. If you click the drop-down arrow in the added filter, you'll see the values from the selected field. When you uncheck some values in the filter option window and click OK, the unchecked values will not be displayed in the pivot table. If you add a field to the Columns section, the pivot table will contain a number of columns equal to the number of values from the selected field. The Grand Total column will also be added. If you add a field to the Rows section, the pivot table will contain a number of rows equal to the number of values from the selected field. The Grand Total row will also be added. If you add a field to the Values section, the pivot table will display the summation value for all numeric values from the selected field. If the field contains text values, the count of values will be displayed. The function used to calculate the summation value can be changed in the field settings. Rearrange fields and adjust their properties Once the fields are added to the necessary sections, you can manage them to change the layout and format of the pivot table. Click the black arrow to the right of a field within the Filters, Columns, Rows, or Values sections to access the field context menu. It allows you to: Move the selected field Up, Down, to the Beginning, or to the End of the current section if you have added more than one field to the current section. Move the selected field to a different section - to Filters, Columns, Rows, or Values. The option that corresponds to the current section will be disabled. Remove the selected field from the current section. Adjust the selected field settings. The Filters, Columns, and Rows field settings look similarly: The Layout tab contains the following options: The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Report Form section allows you to change the way the selected field is displayed in the pivot table: Choose the necessary layout for the selected field in the pivot table: The Tabular form displays one column for each field and provides space for field headers. The Outline form displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. The Compact form displays items from different row section fields in a single column. The Repeat items labels at each row option allows you to visually group rows or columns together if you have multiple fields in the tabular form. The Insert blank rows after each item option allows you to add blank lines after items of the selected field. The Show subtotals option allows you to choose if you want to display subtotals for the selected field. You can select one of the options: Show at top of group or Show at bottom of group. The Show items with no data option allows you to show or hide blank items in the selected field. The Subtotals tab allows you to choose Functions for Subtotals. Check the necessary functions in the list: Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Values field settings The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Summarize value field by list allows you to choose the function used to calculate the summation value for all values from this field. By default, Sum is used for numeric values, Count is used for text values. The available functions are Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Group and ungroup data Data in pivot tables can be grouped according to custom requirements. Grouping is available for dates and basic numbers. Grouping dates To group dates, create a pivot table incorporating a set of needed dates. Right click any cell in a pivot table with a date, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the first date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the starting point. Ending at - the last date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the ending point. By - the Seconds, Minutes, and Hours options group the data according to the time given in the source data. The Months option eliminates days and leaves months only. The Quarters option operates at a condition: four months constitute a quarter, thus providing Qtr1, Qtr2, etc. The Years option groups dates as per years given in the source data. Combine the options to achieve the needed result. Number of days - set the required value to determine a date range. Click OK when finished. Grouping numbers To group numbers, create a pivot table incorporating a set of needed numbers. Right click any cell in a pivot table with a number, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the smallest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the smallest number. Ending at - the largest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the largest number. By - set the required interval for grouping numbers. E.g., “2” will group the set of numbers from 1 through 10 as “1-2”, “3-4”, etc. Click OK when finished. Ungrouping data To ungroup previously grouped data, right-click any cell that is in the group, select the Ungroup option in the context menu. Change the appearance of pivot tables You can use options available on the top toolbar to adjust the way your pivot table is displayed. These options are applied to the entire pivot table. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The Report Layout drop-down list allows you to choose the necessary layout for your pivot table: Show in Compact Form - allows you to display items from different row section fields in a single column. Show in Outline Form - allows you to display the pivot table in the classic pivot table style. It displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. Show in Tabular Form - allows you to display the pivot table in a traditional table format. It displays one column for each field and provides space for field headers. Repeat All Item Labels - allows you to visually group rows or columns together if you have multiple fields in the tabular form. Don't Repeat All Item Labels - allows you to hide item labels if you have multiple fields in the tabular form. The Blank Rows drop-down list allows you to choose if you want to display blank lines after items: Insert Blank Line after Each Item - allows you to add blank lines after items. Remove Blank Line after Each Item - allows you to remove the added blank lines. The Subtotals drop-down list allows you to choose if you want to display subtotals in the pivot table: Don't Show Subtotals - allows you to hide subtotals for all items. Show all Subtotals at Bottom of Group - allows you to display subtotals below the subtotaled rows. Show all Subtotals at Top of Group - allows you to display subtotals above the subtotaled rows. The Grand Totals drop-down list allows you to choose if you want to display grand totals in the pivot table: Off for Rows and Columns - allows you to hide grand totals for both rows and columns. On for Rows and Columns - allows you to display grand totals for both rows and columns. On for Rows Only - allows you to display grand totals for rows only. On for Columns Only - allows you to display grand totals for columns only. Note: the similar settings are also available in the pivot table advanced settings window in the Grand Totals section of the Name and Layout tab. The Select button allows you to select the entire pivot table. If you change the data in your source data set, select the pivot table and click the Refresh button to update the pivot table. Change the style of pivot tables You can change the appearance of pivot tables in a spreadsheet using the style editing tools available on the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The rows and columns options allow you to emphasize certain rows/columns applying specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Row Headers - allows you to highlight the row headers with special formatting. Column Headers - allows you to highlight the column headers with special formatting. Banded Rows - enables the background color alternation for odd and even rows. Banded Columns - enables the background color alternation for odd and even columns. The template list allows you to choose one of the predefined pivot table styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding, etc. Depending on the options checked for rows and columns, the templates set will be displayed differently. For example, if you've checked the Row Headers and Banded Columns options, the displayed templates list will include only templates with the row headers highlighted and banded columns enabled. Filter, sort and add slicers in pivot tables You can filter pivot tables by labels or values and use the additional sort parameters. Filtering Click the drop-down arrow in the Row Labels or Column Labels of the pivot table. The Filter option list will open: Adjust the filter parameters. You can proceed in one of the following ways: select the data to display or filter the data by certain criteria. Select the data to display Uncheck the boxes near the data you need to hide. For your convenience, all the data within the Filter option list are sorted in ascending order. Note: the (blank) checkbox corresponds to the empty cells. It is available if the selected cell range contains at least one empty cell. To facilitate the process, make use of the search field on the top. Enter your query, entirely or partially, in the field - the values that include these characters will be displayed in the list below. The following two options will be also available: Select All Search Results - is checked by default. It allows selecting all the values that correspond to your query in the list. Add current selection to filter - if you check this box, the selected values will not be hidden when you apply the filter. After you select all the necessary data, click the OK button in the Filter option list to apply the filter. Filter data by certain criteria You can choose either the Label filter or the Value filter option on the right side of the Filter options list, and then select one of the options from the submenu: For the Label filter the following options are available: For texts: Equals..., Does not equal..., Begins with..., Does not begin with..., Ends with..., Does not end with..., Contains..., Does not contain... For numbers: Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between. For the Value filter the following options are available: Equals..., Does not equal..., Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between, Top 10. After you select one of the above options (apart from Top 10), the Label/Value Filter window will open. The corresponding field and criterion will be selected in the first and second drop-down lists. Enter the necessary value in the field on the right. Click OK to apply the filter. If you choose the Top 10 option from the Value filter option list, a new window will open: The first drop-down list allows choosing if you wish to display the highest (Top) or the lowest (Bottom) values. The second field allows specifying how many entries from the list or which percent of the overall entries number you want to display (you can enter a number from 1 to 500). The third drop-down list allows setting the units of measure: Item, Percent, or Sum. The fourth drop-down list displays the selected field name. Once the necessary parameters are set, click OK to apply the filter. The Filter button will appear in the Row Labels or Column Labels of the pivot table. It means that the filter is applied. Sorting You can sort your pivot table data using the sort options. Click the drop-down arrow in the Row Labels or Column Labels of the pivot table and then select Sort Lowest to Highest or Sort Highest to Lowest option from the submenu. The More Sort Options option allows you to open the Sort window where you can select the necessary sorting order - Ascending or Descending - and then select a certain field you want to sort. Adding slicers You can add slicers to filter data easier by displaying only what is needed. To learn more about slicers, please read the guide on creating slicers. Adjust pivot table advanced settings To change the advanced settings of the pivot table, use the Show advanced settings link on the right sidebar. The 'Pivot Table - Advanced Settings' window will open: The Name and Layout tab allows you to change the pivot table common properties. The Name option allows you to change the pivot table name. The Grand Totals section allows you to choose if you want to display grand totals in the pivot table. The Show for rows and Show for columns options are checked by default. You can uncheck either one of them or both these options to hide the corresponding grand totals from your pivot table. Note: the similar settings are available on the top toolbar in the Grand Totals menu. The Display fields in report filter area section allows you to adjust the report filters which appear when you add fields to the Filters section: The Down, then over option is used for column arrangement. It allows you to show the report filters across the column. The Over, then down option is used for row arrangement. It allows you to show the report filters across the row. The Report filter fields per column option allows you to select the number of filters to go in each column. The default value is set to 0. You can set the necessary numeric value. The Field Headers section allows you to choose if you want to display field headers in your pivot table. The Show field headers for rows and columns option is selected by default. Uncheck it to hide field headers from your pivot table. The Data Source tab allows you to change the data you wish to use to create the pivot table. Check the selected Data Range and modify it, if necessary. To do that, click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range in the sheet using the mouse. When ready, click OK. The Alternative Text tab allows specifying the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the pivot table contains. Delete a pivot table To delete a pivot table, Select the entire pivot table using the Select button on the top toolbar. Press the Delete key." + "body": "Pivot tables allow you to group and arrange data of large data sets to get summarized information. In the Spreadsheet Editor you can reorganize data in many different ways to display only the necessary information and focus on important aspects. Create a new pivot table To create a pivot table, Prepare the source data set you want to use for creating a pivot table. It should include column headers. The data set should not contain empty rows or columns. Select any cell within the source data range. Switch to the Pivot Table tab of the top toolbar and click the Insert Table icon. If you want to create a pivot table on the base of a formatted table, you can also use the Insert pivot table option on the Table settings tab of the right sidebar. The Create Pivot Table window will appear. The Source data range is already specified. In this case, all data from the source data range will be used. If you want to change the data range (e.g. to include only a part of source data), click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range on the sheet using the mouse. When ready, click OK. Specify where you want to place the pivot table. The New worksheet option is selected by default. It allows you to place the pivot table in a new worksheet. You can also select the Existing worksheet option and choose a certain cell. In this case, the selected cell will be the upper right cell of the created pivot table. To select a cell, click the icon. In the Select Data Range window, enter the cell address in the following format: Sheet1!$G$2. You can also click the necessary cell in the sheet. When ready, click OK. When you select the pivot table location, click OK in the Create Table window. An empty pivot table will be inserted in the selected location. The Pivot table settings tab on the right sidebar will be opened. You can hide or display this tab by clicking the icon. Select fields to display The Select Fields section contains the fields named according to the column headers in your source data set. Each field contains values from the corresponding column of the source table. The following four sections are available below: Filters, Columns, Rows, and Values. Check the fields you want to display in the pivot table. When you check a field, it will be added to one of the available sections on the right sidebar depending on the data type and will be displayed in the pivot table. Fields containing text values will be added to the Rows section; fields containing numeric values will be added to the Values section. You can simply drag fields to the necessary section as well as drag the fields between sections to quickly reorganize your pivot table. To remove a field from the current section, drag it out of this section. In order to add a field to the necessary section, it's also possible to click the black arrow to the right of a field in the Select Fields section and choose the necessary option from the menu: Add to Filters, Add to Rows, Add to Columns, Add to Values. Below you can see some examples of using the Filters, Columns, Rows, and Values sections. If you add a field to the Filters section, a separate filter will be added above the pivot table. It will be applied to the entire pivot table. If you click the drop-down arrow in the added filter, you'll see the values from the selected field. When you uncheck some values in the filter option window and click OK, the unchecked values will not be displayed in the pivot table. If you add a field to the Columns section, the pivot table will contain a number of columns equal to the number of values from the selected field. The Grand Total column will also be added. If you add a field to the Rows section, the pivot table will contain a number of rows equal to the number of values from the selected field. The Grand Total row will also be added. If you add a field to the Values section, the pivot table will display the summation value for all numeric values from the selected field. If the field contains text values, the count of values will be displayed. The function used to calculate the summation value can be changed in the field settings. Rearrange fields and adjust their properties Once the fields are added to the necessary sections, you can manage them to change the layout and format of the pivot table. Click the black arrow to the right of a field within the Filters, Columns, Rows, or Values sections to access the field context menu. It allows you to: Move the selected field Up, Down, to the Beginning, or to the End of the current section if you have added more than one field to the current section. Move the selected field to a different section - to Filters, Columns, Rows, or Values. The option that corresponds to the current section will be disabled. Remove the selected field from the current section. Adjust the selected field settings. The Filters, Columns, and Rows field settings look similarly: The Layout tab contains the following options: The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Report Form section allows you to change the way the selected field is displayed in the pivot table: Choose the necessary layout for the selected field in the pivot table: The Tabular form displays one column for each field and provides space for field headers. The Outline form displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. The Compact form displays items from different row section fields in a single column. The Repeat items labels at each row option allows you to visually group rows or columns together if you have multiple fields in the tabular form. The Insert blank rows after each item option allows you to add blank lines after items of the selected field. The Show subtotals option allows you to choose if you want to display subtotals for the selected field. You can select one of the options: Show at top of group or Show at bottom of group. The Show items with no data option allows you to show or hide blank items in the selected field. The Subtotals tab allows you to choose Functions for Subtotals. Check the necessary functions in the list: Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Values field settings The Source name option allows you to view the field name corresponding to the column header from the source data set. The Custom name option allows you to change the name of the selected field displayed in the pivot table. The Summarize value field by list allows you to choose the function used to calculate the summation value for all values from this field. By default, Sum is used for numeric values, Count is used for text values. The available functions are Sum, Count, Average, Max, Min, Product, Count Numbers, StdDev, StdDevp, Var, Varp. Group and ungroup data Data in pivot tables can be grouped according to custom requirements. Grouping is available for dates and basic numbers. Grouping dates To group dates, create a pivot table incorporating a set of needed dates. Right click any cell in a pivot table with a date, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the first date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the starting point. Ending at - the last date in the source data is chosen by default. To change it, enter the needed date in this field. Deactivate this box to ignore the ending point. By - the Seconds, Minutes, and Hours options group the data according to the time given in the source data. The Months option eliminates days and leaves months only. The Quarters option operates at a condition: four months constitute a quarter, thus providing Qtr1, Qtr2, etc. The Years option groups dates as per years given in the source data. Combine the options to achieve the needed result. Number of days - set the required value to determine a date range. Click OK when finished. Grouping numbers To group numbers, create a pivot table incorporating a set of needed numbers. Right click any cell in a pivot table with a number, choose the Group option in the pop-up menu, and set the needed parameters in the opened window. Starting at - the smallest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the smallest number. Ending at - the largest number in the source data is chosen by default. To change it, enter the needed number in this field. Deactivate this box to ignore the largest number. By - set the required interval for grouping numbers. E.g., “2” will group the set of numbers from 1 through 10 as “1-2”, “3-4”, etc. Click OK when finished. Ungrouping data To ungroup previously grouped data, right-click any cell that is in the group, select the Ungroup option in the context menu. Change the appearance of pivot tables You can use options available on the top toolbar to adjust the way your pivot table is displayed. These options are applied to the entire pivot table. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The Report Layout drop-down list allows you to choose the necessary layout for your pivot table: Show in Compact Form - allows you to display items from different row section fields in a single column. Show in Outline Form - allows you to display the pivot table in the classic pivot table style. It displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. Show in Tabular Form - allows you to display the pivot table in a traditional table format. It displays one column for each field and provides space for field headers. Repeat All Item Labels - allows you to visually group rows or columns together if you have multiple fields in the tabular form. Don't Repeat All Item Labels - allows you to hide item labels if you have multiple fields in the tabular form. The Blank Rows drop-down list allows you to choose if you want to display blank lines after items: Insert Blank Line after Each Item - allows you to add blank lines after items. Remove Blank Line after Each Item - allows you to remove the added blank lines. The Subtotals drop-down list allows you to choose if you want to display subtotals in the pivot table: Don't Show Subtotals - allows you to hide subtotals for all items. Show all Subtotals at Bottom of Group - allows you to display subtotals below the subtotaled rows. Show all Subtotals at Top of Group - allows you to display subtotals above the subtotaled rows. The Grand Totals drop-down list allows you to choose if you want to display grand totals in the pivot table: Off for Rows and Columns - allows you to hide grand totals for both rows and columns. On for Rows and Columns - allows you to display grand totals for both rows and columns. On for Rows Only - allows you to display grand totals for rows only. On for Columns Only - allows you to display grand totals for columns only. Note: the similar settings are also available in the pivot table advanced settings window in the Grand Totals section of the Name and Layout tab. The Select button allows you to select the entire pivot table. If you change the data in your source data set, select the pivot table and click the Refresh button to update the pivot table. Change the style of pivot tables You can change the appearance of pivot tables in a spreadsheet using the style editing tools available on the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The rows and columns options allow you to emphasize certain rows/columns applying specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Row Headers - allows you to highlight the row headers with special formatting. Column Headers - allows you to highlight the column headers with special formatting. Banded Rows - enables the background color alternation for odd and even rows. Banded Columns - enables the background color alternation for odd and even columns. The template list allows you to choose one of the predefined pivot table styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding, etc. Depending on the options checked for rows and columns, the templates set will be displayed differently. For example, if you've checked the Row Headers and Banded Columns options, the displayed templates list will include only templates with the row headers highlighted and banded columns enabled. Filter, sort and add slicers in pivot tables You can filter pivot tables by labels or values and use the additional sort parameters. Filtering Click the drop-down arrow in the Row Labels or Column Labels of the pivot table. The Filter option list will open: Adjust the filter parameters. You can proceed in one of the following ways: select the data to display or filter the data by certain criteria. Select the data to display Uncheck the boxes near the data you need to hide. For your convenience, all the data within the Filter option list are sorted in ascending order. Note: the (blank) checkbox corresponds to the empty cells. It is available if the selected cell range contains at least one empty cell. To facilitate the process, make use of the search field on the top. Enter your query, entirely or partially, in the field - the values that include these characters will be displayed in the list below. The following two options will be also available: Select All Search Results - is checked by default. It allows selecting all the values that correspond to your query in the list. Add current selection to filter - if you check this box, the selected values will not be hidden when you apply the filter. After you select all the necessary data, click the OK button in the Filter option list to apply the filter. Filter data by certain criteria You can choose either the Label filter or the Value filter option on the right side of the Filter options list, and then select one of the options from the submenu: For the Label filter the following options are available: For texts: Equals..., Does not equal..., Begins with..., Does not begin with..., Ends with..., Does not end with..., Contains..., Does not contain... For numbers: Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between. For the Value filter the following options are available: Equals..., Does not equal..., Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between, Top 10. After you select one of the above options (apart from Top 10), the Label/Value Filter window will open. The corresponding field and criterion will be selected in the first and second drop-down lists. Enter the necessary value in the field on the right. Click OK to apply the filter. If you choose the Top 10 option from the Value filter option list, a new window will open: The first drop-down list allows choosing if you wish to display the highest (Top) or the lowest (Bottom) values. The second field allows specifying how many entries from the list or which percent of the overall entries number you want to display (you can enter a number from 1 to 500). The third drop-down list allows setting the units of measure: Item, Percent, or Sum. The fourth drop-down list displays the selected field name. Once the necessary parameters are set, click OK to apply the filter. The Filter button will appear in the Row Labels or Column Labels of the pivot table. It means that the filter is applied. Sorting You can sort your pivot table data using the sort options. Click the drop-down arrow in the Row Labels or Column Labels of the pivot table and then select Sort Lowest to Highest or Sort Highest to Lowest option from the submenu. The More Sort Options option allows you to open the Sort window where you can select the necessary sorting order - Ascending or Descending - and then select a certain field you want to sort. Adding slicers You can add slicers to filter data easier by displaying only what is needed. To learn more about slicers, please read the guide on creating slicers. Adjust pivot table advanced settings To change the advanced settings of the pivot table, use the Show advanced settings link on the right sidebar. The 'Pivot Table - Advanced Settings' window will open: The Name and Layout tab allows you to change the pivot table common properties. The Name option allows you to change the pivot table name. The Grand Totals section allows you to choose if you want to display grand totals in the pivot table. The Show for rows and Show for columns options are checked by default. You can uncheck either one of them or both these options to hide the corresponding grand totals from your pivot table. Note: the similar settings are available on the top toolbar in the Grand Totals menu. The Display fields in report filter area section allows you to adjust the report filters which appear when you add fields to the Filters section: The Down, then over option is used for column arrangement. It allows you to show the report filters across the column. The Over, then down option is used for row arrangement. It allows you to show the report filters across the row. The Report filter fields per column option allows you to select the number of filters to go in each column. The default value is set to 0. You can set the necessary numeric value. The Show field headers for rows and columns option allows you to choose if you want to display field headers in your pivot table. The option is enabled by default. Uncheck it to hide field headers from your pivot table. The Autofit column widths on update option allows you to enable/disable automatic adjusting of the column widths. The option is enabled by default. The Data Source tab allows you to change the data you wish to use to create the pivot table. Check the selected Data Range and modify it, if necessary. To do that, click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range in the sheet using the mouse. When ready, click OK. The Alternative Text tab allows specifying the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the pivot table contains. Delete a pivot table To delete a pivot table, Select the entire pivot table using the Select button on the top toolbar. Press the Delete key." }, { "id": "UsageInstructions/ProtectSheet.htm", @@ -2613,7 +2613,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Save/print/download your spreadsheet", - "body": "Saving By default, the online Spreadsheet Editor automatically saves your file each 2 seconds when you are working on it preventing your data from loss if the program closes unexpectedly. 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 on the left side 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. In the desktop version, to prevent data loss if the program closes unexpectedly, you can turn on the Autorecover option on 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, PDF/A. You can also choose the Spreadsheet template (XLTX or OTS) 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 on the left side 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 Firefox browser enables printing without downloading the document as a .pdf file first. The spreadsheet Preview and the available printing options will open. Some of these settings (page Margins, Orientation, Size, Print Area as well as Scale to Fit) are also available on the Layout tab of the top toolbar. Here you can adjust the following parameters: Print range - specify what to print: Current sheet, All sheets or Selection, If you previously set a constant print area but want to print the entire sheet, check the Ignore print area box. Settings of sheet - 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 the second page, you can shrink sheet contents to fit it on one page by selecting the corresponding option: Actual Size, 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. If you choose the Custom Options item from the menu, the Scale Settings window will open: Fit To: allows you to select the necessary number of pages you want to fit the printed worksheet to. Select the necessary number of pages from the Width and Height lists. Scale To: allows you to enlarge or reduce the scale of the worksheet to fit printed pages by manually specifying the percentage of normal size. Print titles - if you want to print row or column titles on every page, use Repeat rows at top and/or Repeat columns at left to indicate the row and the column with the title to repeat, or select one of the available options from the drop-down list: Frozen rows/columns, First row/column or Don't repeat. 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, Gridlines and headings - specify the worksheet elements to print by checking the corresponding boxes: Print gridlines and Print row and column headings. Header/footer settings - allow to add some additional information to a printed worksheet, such as date and time, page number, sheet name, etc. After you have configured the printing settings click the Print button to save changes and print out the spreadsheet or the Save button to save changes made to printing settings. All changes you made will be lost if you don't print the spreadsheet or save the changes. The spreadsheet Preview allows you to navigate a spreadsheet using arrows at the bottom to see how your data will be displayed on a sheet when printed and to correct eventual faults using the print setting above. 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 the print area If you want to print the selected cell range only instead of the 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 in a sheet, in this case each area will be printed on a separate page. To set the 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. 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 the 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 the 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 in this sheet will be removed. Then the entire sheet will be printed." + "body": "Saving By default, the online Spreadsheet Editor automatically saves your file each 2 seconds when you are working on it preventing your data from loss if the program closes unexpectedly. 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 on the left side 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. In the desktop version, to prevent data loss if the program closes unexpectedly, you can turn on the Autorecover option on 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, PDF/A. You can also choose the Spreadsheet template (XLTX or OTS) 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 on the left side 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 Firefox browser enables printing without downloading the document as a .pdf file first. The spreadsheet Preview and the available printing options will open. Some of these settings (page Margins, Orientation, Size, Print Area as well as Scale to Fit) are also available on the Layout tab of the top toolbar. Here you can adjust the following parameters: Print range - specify what to print: Current sheet, All sheets or Selection, If you previously set a constant print area but want to print the entire sheet, check the Ignore print area box. Settings of sheet - 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 the second page, you can shrink sheet contents to fit it on one page by selecting the corresponding option: Actual Size, 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. If you choose the Custom Options item from the menu, the Scale Settings window will open: Fit To: allows you to select the necessary number of pages you want to fit the printed worksheet to. Select the necessary number of pages from the Width and Height lists. Scale To: allows you to enlarge or reduce the scale of the worksheet to fit printed pages by manually specifying the percentage of normal size. Print titles - if you want to print row or column titles on every page, use Repeat rows at top and/or Repeat columns at left to indicate the row and the column with the title to repeat, or select one of the available options from the drop-down list: Frozen rows/columns, First row/column or Don't repeat. 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, Gridlines and headings - specify the worksheet elements to print by checking the corresponding boxes: Print gridlines and Print row and column headings. Header/footer settings - allow to add some additional information to a printed worksheet, such as date and time, page number, sheet name, etc. After you have configured the printing settings click the Print button to save changes and print out the spreadsheet or the Save button to save changes made to printing settings. All changes you made will be lost if you don't print the spreadsheet or save the changes. The spreadsheet Preview allows you to navigate a spreadsheet using arrows at the bottom to see how your data will be displayed on a sheet when printed and to correct eventual faults using the print setting above. 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 the print area If you want to print the selected cell range only instead of the 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 in a sheet, in this case each area will be printed on a separate page. To set the 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. 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 the 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 the 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 in this sheet will be removed. Then the entire sheet will be printed." }, { "id": "UsageInstructions/ScaleToFit.htm", @@ -2663,7 +2663,7 @@ var indexes = { "id": "UsageInstructions/ViewDocInfo.htm", "title": "View file information", - "body": "To access the detailed information about the currently edited spreadsheet in the Spreadsheet Editor, click the File tab of the top toolbar and select the Spreadsheet Info option. General Information The spreadsheet information includes a number of file properties which describe the spreadsheet. Some of these properties are updated automatically, and some of them can be edited. Location - the folder in the Documents module where the file is stored. Owner - the name of the user who has created the file. Uploaded - the date and time when the file has been created. These properties are available in the online version only. Title, Subject, Comment - these properties allow you to simplify the classification of your documents. You can specify the necessary text in the properties fields. Last Modified - the date and time when the file was last modified. Last Modified By - the name of the user who has made the latest change to the spreadsheet if the spreadsheet has been shared and it can be edited by several users. Application - the application the spreadsheet was created with. Author - the person who has created the file. You can enter the necessary name in this field. Press Enter to add a new field that allows you to specify one more author. If you changed the file properties, click the Apply button to apply the changes. Note: The 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 the opened window and click OK. Permission Information In the online version, you can view the information about permissions assigned to the files stored in the cloud. Note: this option is not available for users with the Read Only permissions. To find out who has the rights to view or edit the spreadsheet, select the Access Rights... option on the left sidebar. You can also change currently selected access rights by 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. 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 spreadsheet, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon on the Collaboration tab of the top toolbar. You'll see the list of this spreadsheet versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For spreadsheet 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 on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the current version of the spreadsheet, use the Close History option on the top of the version list." + "body": "To access the detailed information about the currently edited spreadsheet in the Spreadsheet Editor, click the File tab of the top toolbar and select the Spreadsheet Info option. General Information The spreadsheet information includes a number of file properties which describe the spreadsheet. Some of these properties are updated automatically, and some of them can be edited. Location - the folder in the Documents module where the file is stored. Owner - the name of the user who has created the file. Uploaded - the date and time when the file has been created. These properties are available in the online version only. Title, Subject, Comment - these properties allow you to simplify the classification of your documents. You can specify the necessary text in the properties fields. Last Modified - the date and time when the file was last modified. Last Modified By - the name of the user who has made the latest change to the spreadsheet if the spreadsheet has been shared and it can be edited by several users. Application - the application the spreadsheet was created with. Author - the person who has created the file. You can enter the necessary name in this field. Press Enter to add a new field that allows you to specify one more author. If you changed the file properties, click the Apply button to apply the changes. Note: The 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 the opened window and click OK. Permission Information In the online version, you can view the information about permissions assigned to the files stored in the cloud. Note: this option is not available for users with the Read Only permissions. To find out who has the rights to view or edit the spreadsheet, select the Access Rights... option on the left sidebar. You can also change currently selected access rights by 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. 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 spreadsheet, select the Version History option at the left sidebar. It's also possible to open the history of versions using the Version History icon on the Collaboration tab of the top toolbar. You'll see the list of this spreadsheet versions (major changes) and revisions (minor changes) with the indication of each version/revision author and creation date and time. For spreadsheet 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 on the left sidebar. You can use the Restore link below the selected version/revision to restore it. To return to the current version of the spreadsheet, use the Close History option on the top of the version list." }, { "id": "UsageInstructions/YouTube.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm index 925d951ee..b4bcd142a 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/HelpfulHints/SupportedFormats.htm @@ -16,71 +16,102 @@

        Formatos compatibles de hojas de cálculo

        La hoja de cálculo es una tabla de datos organizada en filas y columnas. Se suele usar para almacenar la información financiera porque tiene la función de recálculo automático de la hoja entera después de cualquier cambio en una celda. El editor de hojas de cálculo le permite abrir, ver y editar los formatos de hojas de cálculo más populares.

        - +

        Mientras usted sube o abra el archivo para edición, se convertirá al formato Office Open XML (XLSX). Se hace para acelerar el procesamiento de archivos y aumentar la interoperabilidad.

        +

        La siguiente tabla contiene los formatos que pueden abrirse para su visualización y/o edición.

        +
        - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - + + - + + + - + +
        Formatos DescripciónVerEditarDescargarVer de forma nativaVer después de la conversión a OOXMLEditar de forma nativaEditar después de la conversión a OOXML
        CSVValores separados por comas
        Es un formato de archivo que se usa para almacenar datos tabulares (números y texto) en un formato de texto no cifrado
        ++
        ODSEs una extensión de archivo para una hoja de cálculo usada por conjuntos OpenOffice y StarOffice, un estándar abierto para hojas de cálculo++
        OTSPlantilla de hoja de cálculo OpenDocument
        Formato de archivo OpenDocument para plantillas de hojas de cálculo. Una plantilla OTS contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples hojas de cálculo con el mismo formato.
        ++
        XLS Es una extensión de archivo para hoja de cálculo creada por Microsoft Excel+ ++
        XLSXXLSX Es una extensión de archivo predeterminada para una hoja de cálculo escrita en Microsoft Office Excel 2007 (o la versión más reciente) + ++
        XLTX Plantilla de hoja de cálculo Excel Open XML
        Formato de archivo comprimido, basado en XML, desarrollado por Microsoft para plantillas de hojas de cálculo. Una plantilla XLTX contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples hojas de cálculo con el mismo formato.
        + ++
        +

        La siguiente tabla contiene los formatos en los que se puede descargar una hoja de cálculo desde el menú Archivo -> Descargar como.

        + + + + + + + + + + + + - - - - - - - - - - - + - - - - - - - - - - - - - - - - - - - + + -
        Formato de entradaPuede descargarse como
        CSVCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
        ODSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
        ODSEs una extensión de archivo para una hoja de cálculo usada por conjuntos OpenOffice y StarOffice, un estándar abierto para hojas de cálculo+++
        OTSPlantilla de hoja de cálculo OpenDocument
        Formato de archivo OpenDocument para plantillas de hojas de cálculo. Una plantilla OTS contiene ajustes de formato o estilos, entre otros y se puede usar para crear múltiples hojas de cálculo con el mismo formato.
        +++CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
        CSVValores separados por comas
        Es un formato de archivo que se usa para almacenar datos tabulares (números y texto) en un formato de texto no cifrado
        +++
        PDFFormato de documento portátil
        Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos
        +
        PDFFormato de documento portátil / A
        Una versión ISO estandarizada del Formato de Documento Portátil (PDF por sus siglas en inglés) especializada para su uso en el archivo y la preservación a largo plazo de documentos electrónicos.
        ++XLSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
        + + + XLSX + CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX + + + XLTX + CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX + + +

        También puede consultar la matriz de conversión en la página web api.onlyoffice.com para ver la posibilidad de convertir sus hojas de cálculo a los formatos de archivo más conocidos.

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/Contents.json b/apps/spreadsheeteditor/main/resources/help/fr/Contents.json index db119b099..1d00bd922 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/fr/Contents.json @@ -100,11 +100,12 @@ { "src": "UsageInstructions/RemoveDuplicates.htm", "name": "Supprimer les valeurs dupliquées" }, { "src": "UsageInstructions/ConditionalFormatting.htm", "name": "La mise en forme conditionnelle" }, {"src": "UsageInstructions/DataValidation.htm", "name": "Validation des données" }, - { - "src": "UsageInstructions/InsertFunction.htm", - "name": "Insérer des fonctions", - "headername": "Travailler avec les fonctions" - }, + { + "src": "UsageInstructions/InsertFunction.htm", + "name": "Insérer des fonctions", + "headername": "Travailler avec les fonctions" + }, + {"src": "UsageInstructions/InsertArrayFormulas.htm", "name": "Insérer des formules de tableau"}, { "src": "UsageInstructions/UseNamedRanges.htm", "name": "Utiliser les plages nommées" @@ -145,6 +146,9 @@ "headername": "Co-édition des classeurs" }, { "src": "UsageInstructions/SheetView.htm", "name": "Configurer les paramètres d'affichage de feuille" }, + { "src": "HelpfulHints/Communicating.htm", "name": "Communiquer en temps réel" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Commentaires" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "Historique des versions" }, { "src": "UsageInstructions/ProtectSpreadsheet.htm", "name": "Protéger une feuille de calcul", "headername": "Protéger une feuille de calcul" }, { "src": "UsageInstructions/AllowEditRanges.htm", "name": "Autoriser la modification des plages" }, { "src": "UsageInstructions/Password.htm", "name": "Protéger un classeur avec un mot de passe" }, @@ -155,6 +159,7 @@ {"src": "UsageInstructions/HighlightedCode.htm", "name": "Insérer le code en surbrillance" }, {"src": "UsageInstructions/Translator.htm", "name": "Traduire un texte" }, {"src": "UsageInstructions/Thesaurus.htm", "name": "Remplacer un mot par synonyme" }, + {"src": "UsageInstructions/CommunicationPlugins.htm", "name": "Communiquer lors de l'édition"}, { "src": "UsageInstructions/ViewDocInfo.htm", "name": "Afficher les informations de fichier", diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/About.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/About.htm index d898a8541..d41e8f767 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/About.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/About.htm @@ -1,9 +1,9 @@  - À propos de Spreadsheet Editor + À propos du Tableur - + @@ -14,10 +14,10 @@
        -

        À propos de Spreadsheet Editor

        -

        Spreadsheet Editor est une application en ligne qui vous permet de parcourir et de modifier des feuilles de calcul dans votre navigateur.

        -

        En utilisant Spreadsheet Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les feuilles de calcul modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

        -

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

        +

        À propos du Tableur

        +

        Tableur est une application en ligne qui vous permet de parcourir et de modifier des feuilles de calcul dans votre navigateur.

        +

        En utilisant le Tableur, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les feuilles de calcul modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

        +

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

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index 90c1bafba..c9fe6ea46 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -1,9 +1,9 @@  - Paramètres avancés de Spreadsheet Editor + Paramètres avancés du Tableur - + @@ -14,85 +14,110 @@
        -

        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 cliquer sur l'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 de la section Général sont les suivants:

        -
          -
        • - Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. -
            -
          • Activer l'affichage des commentaires - si cette option est désactivée, les cellules commentées seront mises en surbrillance uniquement si vous cliquez sur l'icône Commentaires
            de la barre latérale gauche.
          • -
          • Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient masqués sur la feuille. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires
            dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus sur la feuille.
          • -
          -
        • -
        • Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition.
        • -
        • Récupération automatique - est utilisé dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les feuilles de calcul en cas de fermeture inattendue du programme.
        • -
        • - Style de référence est utilisé pour activer/désactiver le style de référence R1C1. Par défaut, cette option est désactivée et le style de référence A1 est utilisé. -

          Lorsque le style de référence A1 est utilisé, les colonnes sont désignées par des lettres et les lignes par des chiffres. Si vous sélectionnez la cellule située dans la rangée 3 et la colonne 2, son adresse affichée dans la case à gauche de la barre de formule ressemble à ceci: B3. Si le style de référence R1C1 est activé, les lignes et les colonnes sont désignées par des numéros. Si vous sélectionnez la cellule à l'intersection de la ligne 3 et de la colonne 2, son adresse ressemblera à ceci: R3C2. La lettre R indique le numéro de ligne et la lettre C le numéro de colonne.

          -

          Cellule active

          -

          Si vous vous référez à d'autres cellules en utilisant le style de référence R1C1, la référence à une cellule cible est formée en fonction de la distance à partir de la cellule active. Par exemple, lorsque vous sélectionnez la cellule de la ligne 5 et de la colonne 1 et faites référence à la cellule de la ligne 3 et de la colonne 2, la référence est R[-2]C[1]. Les chiffres entre crochets désignent la position de la cellule à laquelle vous vous référez par rapport à la position actuelle de la cellule, c'est-à-dire que la cellule cible est à 2 lignes plus haut et 1 colonne à droite de la cellule active. Si vous sélectionnez la cellule de la ligne 1 et de la colonne 2 et que vous vous référez à la même cellule de la ligne 3 et de la colonne 2, la référence est R[2]C, c'est-à-dire que la cellule cible est à 2 lignes en dessous de la cellule active et dans la même colonne.

          -

          -
        • +

          Paramètres avancés du Tableur

          +

          Tableur 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....

          +

          Les paramètres avancés sont les suivants :

          + +

          Édition et enregistrement

          +
            +
          1. Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition.
          2. +
          3. Récupération automatique est utilisée dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les feuilles de calcul en cas de fermeture inattendue du programme.
          4. +
          5. Afficher le bouton "Options de collage" lorsque le contenu est collé. L'icône correspondante sera affichée lorsque vous collez le contenu à la feuille de calcul.
          6. +
          + +

          Collaboration

          +
          1. - Le Mode de co-édition permet de sélectionner l'affichage des modifications effectuées lors de la co-édition: + Le paragraphe Mode de co-édition permet de sélectionner le mode d'affichage préférable des modifications effectuées lors de la co-édition de la feuille de calcul.
              -
            • Par défaut, le mode Rapide est sélectionné, les utilisateurs qui participent à la co-édition du document verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs.
            • -
            • Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer
              pour vous informer qu'il y a des changements effectués par d'autres utilisateurs.
            • +
            • Rapide (par défaut). Les utilisateurs qui participent à la co-édition de la feuille de calcul verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs.
            • +
            • Strict. Tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer
              pour vous informer qu'il y a des changements effectués par d'autres utilisateurs.
          2. +
          3. Activer l'affichage des commentaires. Si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône Commentaires
            dans la barre latérale gauche.
          4. +
          5. Activer l'affichage des commentaires résolus. Cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans la feuille de calcul. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires
            dans la barre latérale gauche. Activez cette option si vous voulez afficher les commentaires résolus dans la feuille de calcul.
          6. +
          + +

          Espace de travail

          +
          1. - Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. +

            L'option Style de référence R1C1 est désactivée et le style de référence A1 est utilisé.

            +

            Lorsque le style de référence A1 est utilisé, les colonnes sont désignées par des lettres et les lignes par des chiffres. Si vous sélectionnez la cellule située dans la rangée 3 et la colonne 2, son adresse affichée dans la case à gauche de la barre de formule ressemble à ceci : B3. Si le style de référence R1C1 est activé, les lignes et les colonnes sont désignées par des numéros. Si vous sélectionnez la cellule à l'intersection de la ligne 3 et de la colonne 2, son adresse ressemblera à ceci : R3C2. La lettre R indique le numéro de ligne et la lettre C le numéro de colonne.

            +

            Active cell

            +

            Si vous vous référez à d'autres cellules en utilisant le style de référence A1, la référence à une cellule cible est formée en fonction de la distance à partir de la cellule active. Par exemple, lorsque vous sélectionnez la cellule de la ligne 5 et de la colonne 1 et faites référence à la cellule de la ligne 3 et de la colonne 2, la référence est R[-2]C[1]. Les chiffres entre crochets désignent la position de la cellule à laquelle vous vous référez par rapport à la position actuelle de la cellule, c'est-à-dire que la cellule cible est à 2 lignes plus haut et 1 colonne à droite de la cellule active. Si vous sélectionnez la cellule de la ligne 1 et de la colonne 2 et que vous vous référez à la même cellule de la ligne 3 et de la colonne 2, la référence est R[2]C, c'est-à-dire que la cellule cible est à 2 lignes en dessous de la cellule active et dans la même colonne.

            +

            +
          2. +
          3. L'option Utiliser la touche Alt pour naviguer dans l'interface utilisateur à l'aide du clavier est utilisée pour activer l'utilisation de la touche Alt / Option à un raccourci clavier.
          4. +
          5. + L'option Thème d'interface permet de modifier les jeux de couleurs de l'interface d'éditeur.
              -
            • Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards vert, blanc et gris claire à contraste réduit et est destiné à un travail de jour.
            • -
            • Le mode Claire classique comprend l'affichage en couleurs standards vert, blanc et gris claire.
            • +
            • L'option Identique à système rend le thème d'interface de l'éditeur identique à celui de votre système.
            • +
            • Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards bleu, blanc et gris claire à contraste réduit et est destiné à un travail de jour.
            • +
            • Le mode Claire classique comprend l'affichage en couleurs standards bleu, blanc et gris claire.
            • +
            • Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit.
            • - Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. -

              Remarque: En plus des thèmes de l'interface disponibles Claire, Classique claire et Sombre, il est possible de personnaliser ONLYOFFICE editors en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter les instructions.

              + Le mode Contraste sombre comprend l'affichage des éléments de l'interface utilisateur en couleurs noir, gris foncé et blanc à plus de contraste et est destiné à mettre en surbrillance la zone de travail du fichier. +

              Remarque : En plus des thèmes de l'interface disponibles Claire, Classique claire, Sombre et Contraste sombre, il est possible de personnaliser les éditeurs ONLYOFFICE en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter ces instructions.

          6. -
          7. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%.
          8. +
          9. L'option Unité de mesure sert à spécifier les unités de mesure utilisées sur les règles et dans les fenêtres de paramètres pour les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce.
          10. +
          11. L'option Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%.
          12. - Hinting de la police sert à sélectionner le type d'affichage de la police dans Spreadsheet Editor: + L'option Hinting de la police sert à sélectionner le type d'affichage de la police dans le Tableur.
              -
            • Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows.
            • -
            • Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting.
            • -
            • Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices.
            • +
            • Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est-à-dire en utilisant la police de Windows.
            • +
            • Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est-à-dire sans hinting.
            • +
            • Choisissez Natif pour afficher le texte avec les hintings intégrés dans les fichiers de polices.
            • - Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. -

              Spreadsheet Editor gère deux modes de mise en cache:

              + Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. +

              Le Tableur gère deux modes de mise en cache :

                -
              1. Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante.
              2. -
              3. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc.
              4. +
              5. Dans le premier mode de mise en cache chaque lettre est mise en cache comme une image indépendante.
              6. +
              7. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mise en place. La deuxième image est créée s'il n'y a pas de mémoire suffisante etc.
              -

              Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé:

              +

              Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé :

                -
              • Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs.
              • -
              • Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs.
              • +
              • Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs.
              • +
              • Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs.
          13. -
          14. Unité de mesure sert à spécifier les unités de mesure utilisées pour mesurer les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce.
          15. - Language de formule est utilisé pour sélectionner la langue d'affichage et de saisie des noms de formules, des noms et des descriptions d'arguments. -

            Language de formule est disponible dans 31 langues:

            -

            Allemand, Anglais, Biélorusse, Bulgare, Catalan, Chinois, Coréen, Danois, Espagnol, Finnois, Français, Grec, Hongrois, Indonésien, Italien, Japonais, Laotien, Letton, Norvégien, Néerlandais, Polonais, Portugais, Portugais (Brésil), Roumain, Russe, Slovaque, Slovène, Suédois, Tchèque, Turc, Ukrainien, Vietnamien.

            -
          16. -
          17. Paramètres régionaux est utilisé pour sélectionner le format d'affichage par défaut pour la devise, la date et l'heure.
          18. -
          19. Séparateur sert à spécifier le caractère utilisé pour séparer des milliers ou des décimales. L'option Utiliser des séparateurs basés sur les paramètres régionaux est activée par défaut. Si vous souhaitez utiliser les séparateurs particularisés, il faut désactiver cette option et saisir le séparateur décimal et le séparateur de milliers dans les champs appropriés ci-dessous.
          20. -
          21. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option.
          22. -
          23. - Réglages macros - s'utilise pour désactiver toutes les macros avec notification. + L'option Réglages macros s'utilise pour définir l'affichage des macros avec notification.
              -
            • Choisissez Désactivez tout pour désactiver toutes les macros dans votre feuille de calcul;
            • -
            • Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans une feuille de calcul;
            • -
            • Activer tout pour exécuter automatiquement toutes les macros dans une feuille de calcul.
            • +
            • Choisissez Désactivez tout pour désactiver toutes les macros dans la feuille de calcul.
            • +
            • Choisissez Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans la feuille de calcul.
            • +
            • Choisissez Activer tout pour exécuter automatiquement toutes les macros dans la feuille de calcul.
          24. -
        -

        Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer.

        +
      + +

      Paramètres régionaux

      +
        +
      1. + L'option Language de formule est utilisée pour sélectionner la langue d'affichage et de saisie des noms de formules, des noms et des descriptions d'arguments. +

        Language de formule est disponible dans 32 langues :

        +

        Allemand, Anglais, Biélorusse, Bulgare, Catalan, Chinois, Coréen, Danois, Espagnol, Finnois, Français, Grec, Hongrois, Indonésien, Italien, Japonais, Laotien, Letton, Norvégien, Néerlandais, Polonais, Portugais, Portugais (Brésil), Roumain, Russe, Slovaque, Slovène, Suédois, Tchèque, Turc, Ukrainien, Vietnamien.

        +
      2. +
      3. L'option Paramètres régionaux est utilisée pour sélectionner le format d'affichage par défaut pour la devise, la date et l'heure.
      4. +
      5. L'option Utiliser des séparateurs basés sur les paramètres régionaux est activée par défaut, les séparateurs correspondront à la région définie. Afin de définir les séparateurs personnalisés, désactivez cette option et saisissez les séparateurs requis dans les champs Séparateur décimal et Séparateur de milliers.
      6. +
      + +

      Vérification

      +
        +
      1. L'option Langue du dictionnaire est utilisée afin de sélectionner le dictionnaire préféré pour la vérification de l'orthographe.
      2. +
      3. Ignorer les mots en MAJUSCULES. Les mots tapés en majuscules sont ignorés lors de la vérification de l'orthographe.
      4. +
      5. Ignorer les mots contenant des chiffres. Les mots contenant des chiffres sont ignorés lors de la vérification de l'orthographe.
      6. +
      7. Le menu Options d'auto-correction... permet d'acceder aux paramètres d'auto-correction tels que remplacement au cours de la frappe, fonctions de reconnaissance, mise en forme automatique etc.
      8. +
      + +

      Calcul en cours

      +
        +
      1. L'option Utiliser le calendrier depuis 1904 permet de calculer les dates à partir du 1er janvier 1904 comme point de départ. Elle peut être utile lorsque vous travaillez avec des feuilles de calcul créées dans la version MS Excel 2008 pour Mac ou des versions antérieures de MS Excel pour Mac.
      2. +
      +

      Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer.

      \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index f34fe3554..1c9e38c0d 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -1,114 +1,36 @@  - Édition collaborative des classeurs + Collaborer sur des feuilles de calcul en temps réel - + -
      -
      - +
      +
      + +
      +

      Collaborer sur des feuilles de calcul en temps réel

      +

      Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments de la feuille de calcul nécessitant la participation d'une tierce personne, sauvegarder des versions de la feuille de calcul pour une utilisation ultérieure.

      +

      Dans le Tableur il y a deux modes de collaborer sur des feuilles de calcul en temps réel : Rapide et Strict.

      +

      Vous pouvez basculer entre les modes depuis 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 :

      +

      Menu Mode de co-édition

      +

      Le nombre d'utilisateurs qui travaillent sur la feuille de calcul actuelle est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

      +

      Mode Rapide

      +

      Le mode Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Lorsque vous co-éditez une feuille de calcul en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Ce mode affichera les actions et les noms des co-auteurs tandis qu'ils modifient les données des cellules. Les bordures des cellules s'affichent en différentes couleurs pour mettre en surbrillance des plages de cellules sélectionnées par un autre utilisateur à ce moment.

      +

      Faites glisser le pointeur de la souris sur la plage sélectionnée pour afficher le nom de l'utilisateur qui fait la sélection.

      +

      Mode Strict

      +

      Le mode Strict est sélectionné pour masquer les modifications d'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.

      +

      Lorsqu'une feuille de calcul est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées sont marqués avec des lignes pointillées de couleurs différentes, l'onglet de la feuille de calcul où se situent ces cellules est marqué de rouge. Faites glisser le curseur sur l'une des cellules modifiées, pour afficher le nom de l'utilisateur qui est en train de l'éditer à ce moment.

      +

      Co-édition sélection en surbrillance

      +

      Lorsque l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans le coin supérieure gauche indiquant qu'il y a des mises à jour. Pour enregistrer les modifications apportées et récupérer les mises à jour de vos co-auteurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure.

      +

      Utilisateurs anonymes

      +

      Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas du profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur des documents. Pour affecter le nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option "Ne plus poser cette question" pour enregistrer ce nom-ci.

      +

      Collaboration anonyme

      -

      Édition collaborative des classeurs

      -

      Spreadsheet Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut:

      -
        -
      • accès simultané au classeur édité par plusieurs utilisateurs
      • -
      • indication visuelle des cellules qui sont en train d'être éditées 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 classeur
      • -
      • les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne)
      • -
      -
      -

      Connexion à la version en ligne

      -

      Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte.

      -
      -
      -

      Édition collaborative

      -

      Spreadsheet Editor permet de sélectionner l'un des deux modes de coédition:

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

      -

      Menu Mode de co-édition

      -

      - Remarque: lorsque vous co-éditez une feuille de calcul en mode Rapide, les optionsAnnuler/Rétablir la dernière opération ne sont pas disponibles. -

      -

      Lorsqu'un classeur est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées sont marqués avec des lignes pointillées de couleurs différentes, l'onglet de la feuille de calcul où se situent ces cellules est marqué de rouge. Faites glisser le curseur sur l'une des cellules modifiées, pour afficher le nom de l'utilisateur qui est en train de l'éditer à ce moment. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient les données des cellules. Les bordures des cellules s'affichent en différentes couleurs pour mettre en surbrillance des plages de cellules sélectionnées par un autre utilisateur à ce moment. Faites glisser le pointeur de la souris sur la plage sélectionnée pour afficher le nom de l'utilisateur qui fait la sélection.

      -

      Co-édition sélection en surbrillance

      -

      Le nombre d'utilisateurs qui travaillent sur le classeur actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, 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 à la feuille de calcul: inviter de nouveaux utilisateurs en leur donnant les permissions pour éditer, lire ou commenter les feuilles de calcul 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 classeur 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.

      -

      Utilisateurs anonymes

      -

      Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci.

      -

      Collaboration anonyme

      -

      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 partie du classeur vous allez éditer maintenant, etc.

      -

      Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du classeur, 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 au Chat et laisser un message pour les autres utilisateurs:

      -
        -
      1. - 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
        , -
      2. -
      3. saisissez le texte dans le champ correspondant,
      4. -
      5. cliquez sur le bouton Envoyer.
      6. -
      -

      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 les messages, cliquez sur l'icône encore une fois.

      -
      -

      Commentaires

      -

      Il est possible de travailler avec des commentaires en mode hors ligne, sans se connecter à la version en ligne.

      -

      Pour laisser un commentaire:

      -
        -
      1. sélectionnez la cellule où vous pensez qu'il y a une erreur ou un problème,
      2. -
      3. passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire
        ou
        utilisez l'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, -
      4. -
      5. saisissez le texte nécessaire,
      6. -
      7. cliquez sur le bouton Ajouter commentaire/Ajouter.
      8. -
      -

      Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. 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 cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires .

      -

      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 afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

      -

      Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires:

      -
        -
      • trier les commentaires ajoutés en cliquant sur l'icône
        : -
          -
        • par date: Plus récent ou Plus ancien.
        • -
        • par auteur: Auteur de A à Z ou Auteur de Z à A
        • -
        • - par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. -

          Sort comments

          -
        • -
        -
      • -
      • modifier le commentaire actuel en cliquant sur l'icône
        ,
      • -
      • supprimer le commentaire actuel en cliquant sur l'icône
        ,
      • -
      • fermez la discussion actuelle 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 ne seront mis en évidence que si vous cliquez sur l'icône
        .
      • -
      • si vous souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans le classeur.
      • -
      -

      Ajouter les mentions

      -

      Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions.

      -

      Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk.

      -

      Ajoutez une mention en tapant le signe @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK.

      -

      La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé.

      -

      Pour supprimer les commentaires,

      -
        -
      1. appuyez sur le bouton
        Supprimer sous l'onglet Collaboration dans la barre d'outils en haut,
      2. -
      3. - sélectionnez l'option convenable du menu: -
          -
        • Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi.
        • -
        • Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi.
        • -
        • Supprimer tous les commentaires sert à supprimer tous les commentaires du document.
        • -
        -
      4. -
      -

      Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une foi.

      -
      \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Commenting.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..ad1b0737f --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Commenting.htm @@ -0,0 +1,87 @@ + + + + Commentaires + + + + + + + + +
      +
      + +
      +

      Commentaires

      +

      Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et dossiers, collaborer sur feuilles de calcul en temps réel, communiquer directement depuis l'éditeur, sauvegarder des versions de la feuille de calcul pour une utilisation ultérieure.

      +

      Dans le Tableur vous pouvez laisser les commentaires pour le contenu de feuilles de calcul sans le modifier. Contrairement au messages de chat, les commentaires sont stockés jusqu'à ce que vous décidiez de les supprimer.

      +

      Laisser et répondre aux commentaires

      +

      Pour laisser un commentaire :

      +
        +
      1. sélectionnez la cellule où vous pensez qu'il y a une erreur ou un problème,
      2. +
      3. + passez à l'onglet Insertion ou Collaboration sur la barre d'outils supérieure et cliquer sur le
        bouton Commentaires ou
        + utilisez l'icône Commentaires
        sur la barre latérale de gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou
        + cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, +
      4. +
      5. saisissez le texte nécessaire,
      6. +
      7. cliquez sur le bouton Ajouter commentaire/Ajouter.
      8. +
      +

      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 afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre.

      +

      Désactiver l'affichage des commentaires

      +

      Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. Si vous souhaitez désactiver cette fonctionnalité,

      +
        +
      • cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      • +
      • sélectionnez l'option Paramètres avancés...,
      • +
      • décochez la case Activer l'affichage de commentaires.
      • +
      +

      Dans ce cas, les cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires .

      +

      Gérer les commentaires

      +

      Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires :

      +
        +
      • + trier les commentaires ajoutés en cliquant sur
        l'icône : +
          +
        • par date : Plus récent ou Plus ancien.
        • +
        • par auteur : Auteur de A à Z ou Auteur de Z à Z
        • +
        • + par groupe : Tout ou sélectionnez un groupe de la liste. Cette option de trie n'est disponible que si votre version prend en charge cette fonctionnalité. +

          Trier commentaires

          +
        • +
        +
      • +
      • modifier le commentaire actuel en cliquant sur
        l'icône,
      • +
      • supprimer le commentaire actuel en cliquant sur
        l'icône,
      • +
      • fermer la discussion actuelle 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.
        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 souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles : résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans la feuille de calcul.
      • +
      +

      Ajouter les mentions

      +

      Ce n'est qu'au contenu d'une feuille de calcul que vous pouvez ajouter des mentions et pas à la feuille de calcul elle-même.

      +

      Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk.

      +

      Pour ajouter une mention,

      +
        +
      1. Saisissez "+" ou "@" n'importe où dans votre commentaire, alors la liste de tous les utilisateurs du portail s'affichera. Pour faire la recherche plus rapide, tapez le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe.
      2. +
      3. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Modifiez la permission, le cas échéant..
      4. +
      5. Cliquez sur OK.
      6. +
      +

      La personne mentionnée recevra une notification par courrier électronique informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé.

      +

      Supprimer des commentaires

      +

      Pour supprimer les commentaires,

      +
        +
      1. cliquez sur
        le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils supérieure,
      2. +
      3. + sélectionnez l'option convenable du menu : +
          +
        • Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi.
        • +
        • Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires d'autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi.
        • +
        • Supprimer tous les commentaires sert à supprimer tous les commentaires du document.
        • +
        +
      4. +
      +

      Pour fermer le panneau avec les commentaires, cliquez sur l'icône "Commentaires" de la barre latérale de gauche encore une fois.

      +
      + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Communicating.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..160dc7d52 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/Communicating.htm @@ -0,0 +1,31 @@ + + + + Communiquer en temps réel + + + + + + + + +
      +
      + +
      +

      Communiquer en temps réel

      +

      Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur feuilles de calcul en temps réel, laisser des commentaires pour des fragments des feuilles de calcul nécessitant la participation d'une tierce personne, sauvegarder des versions de la feuille de calcul pour une utilisation ultérieure.

      +

      Dans le Tableur il est possible de communiquer avec vos co-auteurs en temps réel en utilisant l'outil intégré Chat et les modules complémentaires utiles tels que Telegram ou Rainbow.

      +

      Pour accéder au Chat et laisser un message pour les autres utilisateurs,

      +
        +
      1. cliquez sur
        l'icône sur la barre latérale gauche,
      2. +
      3. saisissez le texte dans le champ correspondant en bas,
      4. +
      5. cliquez sur le bouton Envoyer.
      6. +
      +

      Les messages de discussion sont stockés uniquement pendant une session. Pour discuter le contenu de la feuille de calcul, il est préférable d'utiliser les commentaires, car ils sont stockés jusqu'à ce que vous décidiez de les supprimer.

      +

      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 les messages, cliquez sur l'icône encore une fois.

      +
      + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm index 307823f68..88ae2d9ac 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/ImportData.htm @@ -19,31 +19,31 @@

      Étape 1. Importer du fichier

      1. Cliquez sur l'option Obtenir les données sous l'onglet Données.
      2. -
      3. Choisissez une des options disponibles: +
      4. Choisissez une des options disponibles :
          -
        • Á partir d'un fichier TXT/CSV file: recherchez le fichier nécessaire sur votre disque dur, sélectionnez-le et cliquer sur Ouvrir.
        • -
        • Á partir de l'URL du fichier TXT/CSV file: collez le lien vers le fichier ou un site web dans le champ Coller l'URL de données et cliquez sur OK. +
        • Á partir d'un fichier TXT/CSV file : recherchez le fichier nécessaire sur votre disque dur, sélectionnez-le et cliquer sur Ouvrir.
        • +
        • Á partir de l'URL du fichier TXT/CSV file : collez le lien vers le fichier ou un site web dans le champ Coller l'URL de données et cliquez sur OK.

          - Dans ce cas on ne peut pas utiliser le lien pour afficher et modifier un fichier stocké sur le portail ONLYOFFICE ou sur un stockage de nuage externe. Veuillez utiliser le lien pour télécharger le fichier. + Dans ce cas on ne peut pas utiliser le lien pour afficher et modifier un fichier stocké sur le portail ONLYOFFICE ou sur un stockage de nuage externe. Veuillez utiliser le lien pour télécharger le fichier.

      Étape 2. Configurer les paramètres

      -

      Assistant importation de texte comporte trois sections: Codage, Délimiteur, Aperçu et Sélectionnez où placer les données.

      +

      Assistant importation de texte comporte trois sections : Codage, Délimiteur, Aperçu et Sélectionnez où placer les données.

      Assistant importation de texte

      1. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante.
      2. - Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles: Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). -

        Cliquez sur le bouton Avancé à droite pour paramétrer les données reconnues en tant que des données numériques:

        + Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles : Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). +

        Cliquez sur le bouton Avancé à droite pour paramétrer les données reconnues en tant que des données numériques :

        Importation des données avancé

        • Définissez le Séparateur décimal et le Séparateur de milliers. Les séparateurs par défaut sont '.' pour décimal et ',' pour milliers.
        • - Sélectionnez le Qualificateur de texte. Un Qualificateur de texte est le caractère utilisé pour marquer le début et la fin du texte lors de l'importation de données. Les options disponibles sont les suivantes: (aucun), guillemets doubles et apostrophe. -
        • + Sélectionnez le Qualificateur de texte. Un Qualificateur de texte est le caractère utilisé pour marquer le début et la fin du texte lors de l'importation de données. Les options disponibles sont les suivantes : (aucun), guillemets doubles et apostrophe. +
      3. Aperçu. Cette section affiche comment le texte sera organisé en cellules.
      4. diff --git a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index 6d06cf109..c643afb5d 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm @@ -3,7 +3,7 @@ Raccourcis clavier - + @@ -18,7 +18,7 @@

      Raccourcis clavier

      Raccourcis clavier pour les touches d'accès

      -

      Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Spreadsheet Editor sans l'aide de la souris.

      +

      Utiliser les raccourcis clavier pour faciliter et accélérer l'accès au Tableur sans l'aide de la souris.

      1. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état.
      2. @@ -31,7 +31,7 @@
      3. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes.
      -

      Trouverez ci-dessous les raccourcis clavier les plus courants:

      +

      Trouverez ci-dessous les raccourcis clavier les plus courants :

    -

    Remarque: Chaque référence doit comprendre un crochet ouvrant et un crochet fermant. Veuillez vérifier la syntaxe de la formule.

    +

    Remarque : Chaque référence doit comprendre un crochet ouvrant et un crochet fermant. Veuillez vérifier la syntaxe de la formule.

    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/GroupData.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/GroupData.htm index 9517f23ea..c25e86fe3 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/GroupData.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/GroupData.htm @@ -14,62 +14,60 @@
    -

    Grouper des données

    -

    La possibilité de regrouper les lignes et les colonnes ainsi que de créer un plan vous permet de travailler plus facilement avec une feuille de calcul contenant une grande quantité de données. Dans Spreadsheet Editor, vous pouvez réduire ou agrandir les lignes et les colonnes groupées pour afficher uniquement les données nécessaires. Il est également possible de créer une structure à plusieurs niveaux des lignes /colonnes groupées. Lorsque c’est nécessaire, vous pouvez dissocier les lignes/colonnes précédemment groupées.

    -

    Grouper les lignes et colonnes

    -

    Pour grouper les lignes et colonnes:

    +

    Grouper des données

    +

    La possibilité de regrouper les lignes et les colonnes ainsi que de créer un plan vous permet de travailler plus facilement avec une feuille de calcul contenant une grande quantité de données. Dans le Tableur, vous pouvez réduire ou agrandir les lignes et les colonnes groupées pour afficher uniquement les données nécessaires. Il est également possible de créer une structure à plusieurs niveaux des lignes /colonnes groupées. Lorsque c'est nécessaire, vous pouvez dissocier les lignes/colonnes précédemment groupées.

    +

    Grouper les lignes et colonnes

    +

    Pour grouper les lignes et colonnes :

    1. Sélectionnez la rangée de cellules que vous voulez regrouper.
    2. -
    3. Basculez vers l’onglet de Données et utilisez l’une des options nécessaires dans la barre d’outils supérieure: -
        -
      • - cliquez sur le bouton
        Grouper puis choisissez l’option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez OK, +
      • Basculez vers l'onglet de Données et utilisez l'une des options nécessaires dans la barre d'outils supérieure : +
          +
        • cliquez sur le bouton
          Grouper puis choisissez l'option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez OK,

          Group window

        • -
        • cliquez sur la flèche vers le bas sous le bouton
          Grouper et choisissez l’option Grouper les lignes depuis le menu,
        • -
        • cliquez sur la flèche vers le bas sous le bouton
          Grouper et choisissez l’option Grouper les colonnes depuis le menu.
        • +
        • cliquez sur la flèche vers le bas sous le bouton
          Grouper et choisissez l'option Grouper les lignes depuis le menu,
        • +
        • cliquez sur la flèche vers le bas sous le bouton
          Grouper et choisissez l'option Grouper les colonnes depuis le menu.
      • -
    +

    Les lignes et colonnes sélectionnées seront regroupées et le plan créé sera affiché à gauche des lignes et au-dessus des colonnes.

    Grouped rows and columns

    -

    Pour masquer les lignes/colonnes, cliquez sur l’icône Réduire. Pour afficher les lignes/colonnes réduites, cliquez sur l’icône Agrandir.

    +

    Pour masquer les lignes/colonnes, cliquez sur l'icône Réduire. Pour afficher les lignes/colonnes réduites, cliquez sur l'icône Agrandir.

    Changer le plan
    -

    Pour modifier le plan des lignes ou colonnes groupées, vous pouvez utiliser les options du menu déroulant Grouper. Les option Lignes de synthèse sous les lignes de détail et les Colonnes de synthèse à droite des colonnes de détail sont choisies par défaut. Elles permettent de modifier l’emplacement du bouton Réduire et du bouton Agrandir buttons:

    +

    Pour modifier le plan des lignes ou colonnes groupées, vous pouvez utiliser les options du menu déroulant Grouper. Les option Lignes de synthèse sous les lignes de détail et les Colonnes de synthèse à droite des colonnes de détail sont choisies par défaut. Elles permettent de modifier l'emplacement du bouton Réduire et du bouton Agrandir :

    Créer des groupes à plusieurs niveaux
    -

    Pour créer une structure à plusieurs niveaux, sélectionnez une plage de celle-ci dans le groupe de lignes/ colonnes précédemment créé et regrouper la nouvelles plage sélectionnée comme décrit ci-dessus. Après cela, vous pouvez masquer et afficher les groupes par niveau en utilisant les icônes avec le numéro de niveau: .

    -

    Par exemple, si vous créez un groupe imbriqué dans le groupe parent, trois niveaux seront disponibles. Il est possible de créer jusqu’à 8 niveaux.

    +

    Pour créer une structure à plusieurs niveaux, sélectionnez une plage de celle-ci dans le groupe de lignes/ colonnes précédemment créé et regrouper la nouvelles plage sélectionnée comme décrit ci-dessus. Après cela, vous pouvez masquer et afficher les groupes par niveau en utilisant les icônes avec le numéro de niveau : .

    +

    Par exemple, si vous créez un groupe imbriqué dans le groupe parent, trois niveaux seront disponibles. Il est possible de créer jusqu'à 8 niveaux.

    Multi-level structure

    -

    Il est possible d’utiliser les icônes Réduire et Agrandir dans le plan pour afficher ou masquer les données correspondant à un certain niveau.

    +

    Il est possible d'utiliser les icônes Réduire et Agrandir dans le plan pour afficher ou masquer les données correspondant à un certain niveau.

    Dissocier des lignes et des colonnes précédemment groupées

    -

    Pour dissocier des lignes ou des colonnes précédemment groupées:

    +

    Pour dissocier des lignes ou des colonnes précédemment groupées :

    1. Sélectionnez la plage de cellules groupées pour dissocier.
    2. - Basculez vers l’onglet de Données et utilisez l’une des options nécessaires sur la barre d’outils supérieure: + Basculez vers l'onglet de Données et utilisez l'une des options nécessaires sur la barre d'outils supérieure :
        -
      • - cliquez sur le bouton
        Dissocier puis choisissez l’option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez sur OK, -

        Group window

        +
      • cliquez sur le bouton
        Dissocier puis choisissez l'option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez sur OK, +

        Group window

      • -
      • cliquez sur la flèche vers le bas sous le bouton de
        Dissocier puis choisissez l’option Dissocier les lignes et Effacer le plan,
      • -
      • cliquez sur la flèche vers le bas sous le bouton
        Dissocier et choisissez l’option Dissocier les colonnes depuis le menu pour dissocier les colonnes et effacer le plan de colonnes,
      • -
      • cliquez sur la flèche vers le bas sous le bouton
        Dissocier et choisissez l’option Effacer le plan depuis le menu pour effacer le plan des lignes et des colonnes sans supprimer les groupes existants.
      • +
      • cliquez sur la flèche vers le bas sous le bouton de
        Dissocier puis choisissez l'option Dissocier les lignes et Effacer le plan,
      • +
      • cliquez sur la flèche vers le bas sous le bouton
        Dissocier et choisissez l'option Dissocier les colonnes depuis le menu pour dissocier les colonnes et effacer le plan de colonnes,
      • +
      • cliquez sur la flèche vers le bas sous le bouton
        Dissocier et choisissez l'option Effacer le plan depuis le menu pour effacer le plan des lignes et des colonnes sans supprimer les groupes existants.
    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm index 521a749e1..e15da2461 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm @@ -15,7 +15,7 @@

    Insérer le code en surbrillance

    -

    Dans Spreadsheet Editor, vous pouvez intégrer votre code mis en surbrillance auquel le style est déjà appliqué à correspondre avec le langage de programmation et le style de coloration dans le programme choisi.

    +

    Dans le Tableur, vous pouvez intégrer votre code mis en surbrillance auquel le style est déjà appliqué à correspondre avec le langage de programmation et le style de coloration dans le programme choisi.

    1. Accédez à votre feuille de calcul et placez le curseur à l'endroit où le code doit être inséré.
    2. Passez à l'onglet Modules complémentaires et choisissez
      Code en surbrillance.
    3. diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertArrayFormulas.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertArrayFormulas.htm new file mode 100644 index 000000000..8c276b91a --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertArrayFormulas.htm @@ -0,0 +1,95 @@ + + + + Insérer des formules de tableau + + + + + + + + +
      +
      + +
      +

      Insérer des formules de tableau

      +

      Tableur permet d'utiliser les formules de tableau. Les formules de tableau assurent la cohérence entre les formules dans une feuille de calcul, puisque vous pouvez saisir une seule formule au lieu de plusieurs formules habituelles, elles simplifient le travail avec une grande quantité de données et permettent de remplir une feuille avec des données, etc.

      +

      Vous pouvez saisir des formules et des fonctions incorporées en tant que formules de tableau pour :

      +
        +
      • effectuer plusieurs calculs à la fois et afficher un seul résultat, ou
      • +
      • renvoyer une plage de valeurs affichées dans plusieurs lignes et/ou colonnes.
      • +
      +

      Il existe également des fonctions désignées qui peuvent renvoyer plusieurs valeurs. Si vous les saisissez en appuyant sur Enter, elles renvoient une seule valeur. Si vous sélectionnez une plage de sortie de cellules pour afficher les résultats, ensuite saisissez une fonction en appuyant sur Ctrl + Shift + Enter, une plage de valeurs sera renvoiée (le nombre de valeurs renvoyées dépend de la taille de la plage de sortie précédemment sélectionnée). La liste ci-dessous contient des liens vers les descriptions détaillées de ces fonctions.

      +
      + Fonctions de tableau + +
      +

      Insérer des formules de tableau

      +

      Pour insérer une formule de tableau,

      +
        +
      1. Sélectionnez une plage de cellules où vous souhaitez afficher les résultats. +

        Insérer des formules de tableau

        +
      2. +
      3. Saisissez la formule que vous souhaitez utiliser dans la barre de formule, en spécifiant les arguments nécessaires entre parenthèses (). +

        Insérer des formules de tableau

        +
      4. +
      5. Appuyez sur la combinaison de touches Ctrl + Shift + Enter. +

        Insérer des formules de tableau

        +
      6. +
      +

      Les résultats seront affichés dans la plage de cellules sélectionnée, et la formule dans la barre de formule sera automatiquement placée entre accolades { } pour indiquer qu'il s'agit d'une formule de tableau. Par exemple, {=UNIQUE(B2:D6)}. Les accolades ne peuvent pas être saisies manuellement.

      +

      Créer des formules de tableau à une seule cellule

      +

      L'exemple qui suit permet de montrer le résultat de la formule de tableau affiché dans une seule cellule. Sélectionnez une cellule, saisissez =SOMME(C2:C11*D2:D11) et appyuez sur Ctrl + Shift + Enter.

      +

      Insérer des formules de tableau

      +

      Créer des formules de tableau plusieurs cellules

      +

      L'exemple qui suit permet de montrer le résultat de la formule de tableau affiché dans une plage de cellules. Sélectionnez une plage de cellules, saisissez =C2:C11*D2:D11 et appyuez sur Ctrl + Shift + Enter.

      +

      Insérer des formules de tableau

      +

      Modifier des formules de tableau

      +

      Chaque fois que vous modifiez une formule de tableau saisie (par exemple, modifiez les arguments), vous avez besoin d'utiliser la combinaison de touches Ctrl + Shift + Enter afin d'enregistrer les modifications.

      +

      L'exemple qui suit explique comment développer une formule de tableau plusieurs cellules lorsque vous ajoutez de nouvelles données. Sélectionnez toutes les cellules qui contiennent une formule de tableau, ainsi que les cellules vides à côté des nouvelles données, modifiez les arguments dans la barre de formule afin qu'ils incluent les nouvelles données, ensuite appyuez sur Ctrl + Shift + Enter.

      +

      Modifier des formules de tableau

      +

      Si vous souhaitez appliquer une formule de tableau plusieurs cellules à une plage de cellules plus petite, il vous faut supprimer la formule de tableau actuelle, puis saisir une nouvelle formule de tableau.

      +

      Une partie de matrice ne peut pas être modifiée ou supprimée. Si vous essayez de modifier, déplacer ou supprimer une seule cellule dans le tableau ou d'insérer une nouvelle cellule dans le tableau, vous obtenez l'avertissement : Impossible de modifier une partie de matrice.

      +

      Afin de supprimer une formule de tableau, sélectionnez toutes les cellules avec la formule de tableau et cliquez sur Supprimer. Ou sélectionnez la formule de tableau dans la barre de formules, cliquez sur Supprimer et ensuite appyuez sur Ctrl + Shift + Enter.

      +
      + Exemples d'utilisation de formules de tableau +

      Cette section présente quelques exemples d'utilisation des formules de tableau pour accomplir certaines tâches :

      +

      Compter le nombre de caractères dans une plage de cellules

      +

      Vous pouvez utiliser la formule de tableau suivante, en remplaçant la plage de cellules dans l'argument par votre propre plage : =SOMME(NBCAR(B2:B11)). La fonction NBCAR calcule la longueur de chaque chaîne de texte dans la plage de cellules. La fonction SOMME additionne les valeurs.

      +

      Utiliser des formules de tableau

      +

      Pour obtenir le nombre moyen de caractères, remplacez SOMME par MOYENNE.

      +

      Trouver la chaîne la plus longue dans une plage de cellules

      +

      Vous pouvez utiliser la formule de tableau suivante, en remplaçant la plage de cellules dans l'argument par votre propre plage : =INDEX(B2:B11,EQUIV(MAX(NBCAR(B2:B11)),NBCAR(B2:B11),0),1). La fonction NBCAR calcule la longueur de chaque chaîne de texte dans la plage de cellules. La fonction MAX calcule la plus grande valeur. La fonction EQUIV trouve l'adresse de la cellule avec la chaîne la plus longue. La fonction INDEX retourne la valeur de la cellule trouvée.

      +

      Utiliser des formules de tableau

      +

      Pour trouver la chaîne la plus courte, remplacez MAX par MIN.

      +

      Faire la somme des valeurs à base des conditions

      +

      Pour faire la somme des valeurs supérieures à un nombre spécifié (2 dans cet exemple), vous pouvez utiliser la formule de tableau suivante, en remplaçant les plages de cellules dans les arguments par vos propres plages : =SOMME(IF(C2:C11>2,C2:C11)). La fonction SI crée un tableau de valeurs vraies et fausses. La fonction SOMME ignore les fausses valeurs et additionne les valeurs vraies.

      +

      Utiliser des formules de tableau

      +
      +
      + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm index 4a9f99b79..8d3f98505 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm @@ -16,35 +16,35 @@

      Insérer et mettre en forme des formes automatiques

      Insérer une forme automatique

      -

      Pour ajouter une forme automatique à Spreadsheet Editor,

      +

      Pour ajouter une forme automatique au Tableur,

      1. passez à l'onglet Insérer de la barre d'outils supérieure,
      2. cliquez sur l'icône Forme
        de la barre d'outils supérieure,
      3. -
      4. sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes: Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
      5. +
      6. sélectionnez l'un des groupes des formes automatiques disponibles dans la Galerie des formes : Récemment utilisé, Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
      7. cliquez sur la forme automatique nécessaire du groupe sélectionné,
      8. placez le curseur de la souris là où vous voulez insérer la forme,
      9. une fois que la forme automatique est ajoutée vous pouvez modifier sa taille et sa position aussi bien que ses propriétés.

      Régler les paramètres de la forme automatique

      -

      Certains paramètres de la forme automatique peuvent être modifiés dans l'onglet Paramètres de la forme de la barre latérale droite qui s'ouvre si vous sélectionnez la forme automatique avec la souris et cliquez sur l'icône Paramètres de la forme . Vous pouvez y modifier les paramètres suivants:

      +

      Certains paramètres de la forme automatique peuvent être modifiés dans l'onglet Paramètres de la forme de la barre latérale droite qui s'ouvre si vous sélectionnez la forme automatique avec la souris et cliquez sur l'icône Paramètres de la forme . Vous pouvez y modifier les paramètres suivants :

    +

    Filtrer les données

    -

    Pour afficher uniquement les lignes qui répondent aux certains critères utilisez l'option Filtrer.

    -

    Remarque: les options de Filtre sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données.

    +

    Pour afficher uniquement les lignes qui répondent aux certains critères utilisez l'option Filtrer.

    +

    Remarque : les options de Filtre sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données.

    Pour activer un filtre,
    1. Sélectionnez une plage de cellules contenant des données à filtrer (vous pouvez sélectionner une seule cellule dans une plage pour filtrer toute la plage),
    2. -
    3. Cliquez sur l'icône Filtrer
      dans l'onglet Accueil ou Données de la barre d'outils supérieure. +
    4. + Cliquez sur l'icône Filtrer
      dans l'onglet Accueil ou Données de la barre d'outils supérieure.

      La flèche de déroulement apparaît dans la première cellule de chaque colonne de la plage de cellules sélectionnée. Cela signifie que le filtre est activé.

    -

    Pour appliquer un filtre:

    +

    Pour appliquer un filtre :

      -
    1. Cliquez sur la flèche déroulante
      . La liste des options de Filtre s'affiche: +
    2. Cliquez sur la flèche déroulante
      . La liste des options de Filtre s'affiche :

      La fenêtre de Filtre

      -

      Remarque: vous pouvez ajuster la taille de la fenêtre de filtrage en faisant glisser sa bordure droite à droite ou à gauche pour afficher les données d'une manière aussi convenable que possible.

      +

      Remarque : vous pouvez ajuster la taille de la fenêtre de filtrage en faisant glisser sa bordure droite à droite ou à gauche pour afficher les données d'une manière aussi convenable que possible.

    3. -

      Configurez les paramètres du filtre. Vous pouvez procéder de l'une des trois manières suivantes: sélectionnez les données à afficher, filtrez les données selon certains critères ou filtrez les données par couleur.

      +

      Configurez les paramètres du filtre. Vous pouvez procéder de l'une des trois manières suivantes : sélectionnez les données à afficher, filtrez les données selon certains critères ou filtrez les données par couleur.

      • Sélectionner les données à afficher -

        Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtre sont triées par ordre croissant.

        +

        Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtre sont triées par ordre croissant.

        Le nombre de valeurs uniques dans la plage de données filtrée s'affiche à droite de chaque valeur dans la fenêtre de filtrage.

        -

        Remarque: la case à cocher {Vides} correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules.

        -

        Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ , les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles:

        +

        Remarque : la case à cocher {Vides} correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules.

        +

        Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ , les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles :

        • Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête.
        • Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre.
        -

        Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtre pour appliquer le filtre.

        +

        Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtre pour appliquer le filtre.

      • Filtrer les données selon certains critères -

        En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre de nombre ou le Filtre de texte dans la partie droite de la liste d'options de Filtre, puis sélectionner l'une des options dans le sous-menu:

        +

        En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre de nombre ou le Filtre de texte dans la partie droite de la liste d'options de Filtre, puis sélectionner l'une des options dans le sous-menu :

          -
        • Pour le Filtre de nombre, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Les 10 premiers, Au dessus de la moyenne, Au dessous de la moyenne, Filtre personnalisé.
        • -
        • Pour le Filtre de texte, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas..., Filtre personnalisé.
        • +
        • Pour le Filtre de nombre, les options suivantes sont disponibles : Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Les 10 premiers, Au dessus de la moyenne, Au dessous de la moyenne, Filtre personnalisé.
        • +
        • Pour le Filtre de texte, les options suivantes sont disponibles : Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas..., Filtre personnalisé.
        -

        Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers et Au dessus/Au dessous de la moyenne), la fenêtre Filtre personnalisé s'ouvre. Le critère correspondant sera sélectionné dans la liste déroulante supérieure. Spécifiez la valeur nécessaire dans le champ situé à droite.

        -

        Pour ajouter un critère supplémentaire, utilisez le bouton de commande Et si vous avez besoin de données qui satisfont aux deux critères ou cliquez sur le bouton de commande Ou si l'un des critères ou les deux peuvent être satisfaits. Sélectionnez ensuite le deuxième critère dans la liste déroulante inférieure et entrez la valeur nécessaire sur la droite.

        -

        Cliquez sur OK pour appliquer le filtre.

        +

        Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers et Au dessus/Au dessous de la moyenne), la fenêtre Filtre personnalisé s'ouvre. Le critère correspondant sera sélectionné dans la liste déroulante supérieure. Spécifiez la valeur nécessaire dans le champ situé à droite.

        +

        Pour ajouter un critère supplémentaire, utilisez le bouton de commande Et si vous avez besoin de données qui satisfont aux deux critères ou cliquez sur le bouton de commande Ou si l'un des critères ou les deux peuvent être satisfaits. Sélectionnez ensuite le deuxième critère dans la liste déroulante inférieure et entrez la valeur nécessaire sur la droite.

        +

        Cliquez sur OK pour appliquer le filtre.

        Fenêtre de filtre personnalisé

        -

        Si vous choisissez l'option Filtre personnalisé... dans la liste des options de Filtre de nombre/texte, le premier critère n'est pas sélectionné automatiquement, vous pouvez le définir vous-même.

        -

        Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de nombre, une nouvelle fenêtre s'ouvrira:

        +

        Si vous choisissez l'option Filtre personnalisé... dans la liste des options de Filtre de nombre/texte, le premier critère n'est pas sélectionné automatiquement, vous pouvez le définir vous-même.

        +

        Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de nombre, une nouvelle fenêtre s'ouvrira :

        Fenêtre Filtre 10 premiers.

        -

        La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément ou Pour cent. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre.

        -

        Lorsque vous choisissez Au dessus/Au dessous de la moyenne de la liste Filtre de nombre, le filtre est appliqué tout de suite.

        +

        La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure : Élément ou Pour cent. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre.

        +

        Lorsque vous choisissez Au dessus/Au dessous de la moyenne de la liste Filtre de nombre, le filtre est appliqué tout de suite.

      • Filtrer les données par couleur

        Si la plage de cellules que vous souhaitez filtrer contient des cellules que vous avez formatées en modifiant leur arrière-plan ou leur couleur de police (manuellement ou en utilisant des styles prédéfinis), vous pouvez utiliser l'une des options suivantes

          -
        • Filtrer par couleur des cellules - pour n'afficher que les entrées avec une certaine couleur de fond de cellule et masquer les autres,
        • -
        • Filtrer par couleur de police - pour afficher uniquement les entrées avec une certaine couleur de police de cellule et masquer les autres.
        • +
        • Filtrer par couleur des cellules - pour n'afficher que les entrées avec une certaine couleur de fond de cellule et masquer les autres,
        • +
        • Filtrer par couleur de police - pour afficher uniquement les entrées avec une certaine couleur de police de cellule et masquer les autres.

        Lorsque vous sélectionnez l'option souhaitée, une palette contenant les couleurs utilisées dans la plage de cellules sélectionnée s'ouvre. Choisissez l'une des couleurs pour appliquer le filtre.

        Filtrer les données par couleur

      -

      Le bouton Filtre apparaîtra dans la première cellule de la colonne. Cela signifie que le filtre est appliqué. Le nombre d'enregistrements filtrés sera affiché dans la barre d'état (par exemple 25 des 80 enregistrements filtrés).

      -

      Remarque: lorsque le filtre est appliqué, les lignes filtrées ne peuvent pas être modifiées lors du remplissage automatique, du formatage ou de la suppression du contenu visible. De telles actions affectent uniquement les lignes visibles, les lignes masquées par le filtre restent inchangées. Lorsque vous copiez et collez les données filtrées, seules les lignes visibles peuvent être copiées et collées. Ceci n'est pas équivalent aux lignes masquées manuellement qui sont affectées par toutes les actions similaires.

      +

      Le bouton Filtre apparaîtra dans la première cellule de la colonne. Cela signifie que le filtre est appliqué. Le nombre d'enregistrements filtrés sera affiché dans la barre d'état (par exemple 25 des 80 enregistrements filtrés).

      +

      Remarque : lorsque le filtre est appliqué, les lignes filtrées ne peuvent pas être modifiées lors du remplissage automatique, du formatage ou de la suppression du contenu visible. De telles actions affectent uniquement les lignes visibles, les lignes masquées par le filtre restent inchangées. Lorsque vous copiez et collez les données filtrées, seules les lignes visibles peuvent être copiées et collées. Ceci n'est pas équivalent aux lignes masquées manuellement qui sont affectées par toutes les actions similaires.

    Trier les données filtrées

    -

    Vous pouvez définir l'ordre de tri des données que vous avez activées ou auxquelles vous avez appliqué un filtre. Cliquez sur la flèche de la liste déroulante ou sur le bouton Filtre et sélectionnez l'une des options dans la liste des options de Filtre:

    +

    Vous pouvez définir l'ordre de tri des données que vous avez activées ou auxquelles vous avez appliqué un filtre. Cliquez sur la flèche de la liste déroulante ou sur le bouton Filtre et sélectionnez l'une des options dans la liste des options de Filtre :

    Les deux dernières options peuvent être utilisées si la plage de cellules que vous souhaitez trier contient des cellules que vous avez formatées en modifiant leur arrière-plan ou la couleur de leur police (manuellement ou en utilisant des styles prédéfinis).

    Le sens du tri sera indiqué par une flèche dans les boutons du filtre.

    -

    Vous pouvez également trier rapidement vos données par couleur en utilisant les options du menu contextuel.

    +

    Vous pouvez également trier rapidement vos données par couleur en utilisant les options du menu contextuel.

    1. faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données,
    2. -
    3. sélectionnez l'option Trier dans le menu,
    4. +
    5. sélectionnez l'option Trier dans le menu,
    6. - sélectionnez l'option voulue dans le sous-menu: + sélectionnez l'option voulue dans le sous-menu :
        -
      • Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne,
      • -
      • Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne.
      • +
      • Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne,
      • +
      • Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne.

    Filtrer par le contenu de la cellule sélectionnée

    -

    Vous pouvez également filtrer rapidement vos données par le contenu de la cellule sélectionnée en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur une cellule, sélectionnez l'option Filtre dans le menu, puis sélectionnez l'une des options disponibles:

    +

    Vous pouvez également filtrer rapidement vos données par le contenu de la cellule sélectionnée en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur une cellule, sélectionnez l'option Filtre dans le menu, puis sélectionnez l'une des options disponibles :

    Mettre sous forme de modèle de tableau

    -

    Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire,

    +

    Pour faciliter le travail avec vos données, le Tableur vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire,

    1. sélectionnez une plage de cellules que vous souhaitez mettre en forme,
    2. -
    3. cliquez sur l'icône Mettre sous forme de modèle de tableau
      sous l'onglet Accueil dans la barre d'outils supérieure.
    4. +
    5. cliquez sur l'icône Mettre sous forme de modèle de tableau
      sous l'onglet Accueil dans la barre d'outils supérieure.
    6. Sélectionnez le modèle souhaité dans la galerie,
    7. dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau,
    8. -
    9. cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas,
    10. -
    11. cliquez sur le bouton OK pour appliquer le modèle sélectionné.
    12. +
    13. cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas,
    14. +
    15. cliquez sur le bouton OK pour appliquer le modèle sélectionné.

    Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Pour en savoir plus sur la mise en forme des tableaux d'après un modèle, vous pouvez vous référer à cette page.

    Appliquer à nouveau le filtre

    -

    Si les données filtrées ont été modifiées, vous pouvez actualiser le filtre pour afficher un résultat à jour:

    +

    Si les données filtrées ont été modifiées, vous pouvez actualiser le filtre pour afficher un résultat à jour :

      -
    1. cliquez sur le bouton Filtre
      dans la première cellule de la colonne contenant les données filtrées,
    2. -
    3. sélectionnez l'option Réappliquer dans la liste des options de Filtre qui s'ouvre.
    4. +
    5. cliquez sur le bouton Filtre
      dans la première cellule de la colonne contenant les données filtrées,
    6. +
    7. sélectionnez l'option Réappliquer dans la liste des options de Filtre qui s'ouvre.
    -

    Vous pouvez également cliquer avec le bouton droit sur une cellule dans la colonne contenant les données filtrées et sélectionner l'option Réappliquer dans le menu contextuel.

    +

    Vous pouvez également cliquer avec le bouton droit sur une cellule dans la colonne contenant les données filtrées et sélectionner l'option Réappliquer dans le menu contextuel.

    Effacer le filtre

    Pour effacer le filtre,

      -
    1. cliquez sur le bouton Filtre
      dans la première cellule de la colonne contenant les données filtrées,
    2. -
    3. sélectionnez l'option Effacer dans la liste d'options de Filtre qui s'ouvre.
    4. +
    5. cliquez sur le bouton Filtre
      dans la première cellule de la colonne contenant les données filtrées,
    6. +
    7. sélectionnez l'option Effacer dans la liste d'options de Filtre qui s'ouvre.
    -

    Vous pouvez également procéder de la manière suivante:

    +

    Vous pouvez également procéder de la manière suivante :

    1. sélectionner la plage de cellules contenant les données filtrées,
    2. -
    3. cliquez sur l'icône Effacer le filtre
      située dans l'onglet Accueil ou Données de la barre d'outils supérieure.
    4. +
    5. cliquez sur l'icône Effacer le filtre
      située dans l'onglet Accueil ou Données de la barre d'outils supérieure.
    -

    Le filtre restera activé, mais tous les paramètres de filtre appliqués seront supprimés et les boutons Filtre dans les premières cellules des colonnes seront remplacés par les flèches déroulantes .

    +

    Le filtre restera activé, mais tous les paramètres de filtre appliqués seront supprimés et les boutons Filtre dans les premières cellules des colonnes seront remplacés par les flèches déroulantes .

    Supprimer le filtre

    Pour enlever le filtre,

    1. sélectionner la plage de cellules contenant les données filtrées,
    2. -
    3. cliquez sur l'icône Filtrer
      située dans l'onglet Accueil ou Données de la barre d'outils supérieure.
    4. +
    5. cliquez sur l'icône Filtrer
      située dans l'onglet Accueil ou Données de la barre d'outils supérieure.

    Le filtre sera désactivé et les flèches déroulantes disparaîtront des premières cellules des colonnes.

    Trier les données en fonction de plusieurs colonnes/lignes

    -

    Pour trier les données en fonction de plusieurs colonnes/lignes, vous pouvez créer un tri à plusieurs niveaux en utilisant l'option Tri personnalisé.

    +

    Pour trier les données en fonction de plusieurs colonnes/lignes, vous pouvez créer un tri à plusieurs niveaux en utilisant l'option Tri personnalisé.

    1. sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage),
    2. -
    3. cliquez sur l'icône Tri personnalisé
      sous l'onglet Données de la barre d'outils supérieure,
    4. +
    5. cliquez sur l'icône Tri personnalisé
      sous l'onglet Données de la barre d'outils supérieure,
    6. - La fenêtre Trier s'affiche: La tri par défaut est par colonne. + La fenêtre Trier s'affiche : La tri par défaut est par colonne.

      La fenêtre Tri personnalisé

      -

      Pour modifier l'orientation de tri (c'est à dire trier les données sur les lignes au lieu de colonnes), cliquez sur le bouton Options en haut. La fenêtre Options de tri s'affiche:

      +

      Pour modifier l'orientation de tri (c'est à dire trier les données sur les lignes au lieu de colonnes), cliquez sur le bouton Options en haut. La fenêtre Options de tri s'affiche :

      La fenêtre Options de tri

        -
      1. activez la case Mes données ont des en-têtes le cas échéant.
      2. -
      3. choisissez Orientation appropriée: Trier du haut vers le bas pour trier les données sur colonnes ou Trier de la gauche vers la droite pour trier les données sur lignes,
      4. -
      5. cliquez sur OK pour valider toutes les modifications et fermez la fenêtre.
      6. +
      7. activez la case Mes données ont des en-têtes le cas échéant.
      8. +
      9. choisissez Orientation appropriée : Trier du haut vers le bas pour trier les données sur colonnes ou Trier de la gauche vers la droite pour trier les données sur lignes,
      10. +
      11. cliquez sur OK pour valider toutes les modifications et fermez la fenêtre.
    7. - spécifiez le premier niveau de tri dans le champ Trier par: + spécifiez le premier niveau de tri dans le champ Trier par :

      La fenêtre Tri personnalisé

        -
      • dans la section Colonne/Ligne sélectionnez la première colonne/ligne à trier,
      • -
      • dans la liste Trier sur, choisissez l'une des options suivantes: Valeurs, Couleur de cellule ou Couleur de police,
      • +
      • dans la section Colonne/Ligne sélectionnez la première colonne/ligne à trier,
      • +
      • dans la liste Trier sur, choisissez l'une des options suivantes : Valeurs, Couleur de cellule ou Couleur de police,
      • - dans la liste Ordre, spécifiez l'ordre de tri. Les options disponibles varient en fonction du choix dans la liste Trier sur: + dans la liste Ordre, spécifiez l'ordre de tri. Les options disponibles varient en fonction du choix dans la liste Trier sur :
          -
        • si vous choisissez l'option Valeurs, choisissez entre Ascendant/Descendant pour les valeurs numériques dans la plage ou de A à Z / de Z à A pour les valeurs de texte dans la plage,
        • -
        • si vous choisissez l'option Couleur de cellule, choisissez la couleur de cellule appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes,
        • -
        • si vous choisissez l'option Couleur de police, choisissez la couleur de police appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes,
        • +
        • si vous choisissez l'option Valeurs, choisissez entre Ascendant/Descendant pour les valeurs numériques dans la plage ou de A à Z / de Z à A pour les valeurs de texte dans la plage,
        • +
        • si vous choisissez l'option Couleur de cellule, choisissez la couleur de cellule appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes,
        • +
        • si vous choisissez l'option Couleur de police, choisissez la couleur de police appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes,
    8. -
    9. ajoutez encore un niveau de tri en cliquant sur le bouton Ajouter un niveau, sélectionnez la deuxième ligne/colonne à trier et configurez le autres paramètres de tri dans des champs Puis par comme il est décrit ci-dessus. Ajoutez plusieurs niveaux de la même façon le cas échéant.
    10. -
    11. Gérez tous les niveaux ajouté à l'aide des boutons en haut de la fenêtre: Supprimer un niveau, Copier un niveau ou changer l'ordre des niveaux à l'aide des boutons fléché Passer au niveau inférieur/Passer au niveau supérieur.
    12. -
    13. Cliquez sur OK pour valider toutes les modifications et fermez la fenêtre.
    14. +
    15. ajoutez encore un niveau de tri en cliquant sur le bouton Ajouter un niveau, sélectionnez la deuxième ligne/colonne à trier et configurez le autres paramètres de tri dans des champs Puis par comme il est décrit ci-dessus. Ajoutez plusieurs niveaux de la même façon le cas échéant.
    16. +
    17. Gérez tous les niveaux ajouté à l'aide des boutons en haut de la fenêtre : Supprimer un niveau, Copier un niveau ou changer l'ordre des niveaux à l'aide des boutons fléché Passer au niveau inférieur/Passer au niveau supérieur.
    18. +
    19. Cliquez sur OK pour valider toutes les modifications et fermez la fenêtre.

    Toutes les données seront triées selon les niveaux de tri définis.

    diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm index 3acf100b2..d323f7a50 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/SupportSmartArt.htm @@ -1,7 +1,7 @@  - Prise en charge des graphiques SmartArt par ONLYOFFICE Spreadsheet Editor + Prise en charge des graphiques SmartArt par l'Éditeur de feuilles de calcul ONLYOFFICE @@ -14,26 +14,26 @@
    -

    Prise en charge des graphiques SmartArt par ONLYOFFICE Spreadsheet Editor

    -

    Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Spreadsheet Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt ou sur ses éléments, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique:

    +

    Prise en charge des graphiques SmartArt par l'Éditeur de feuilles de calcul ONLYOFFICE

    +

    Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. Éditeur de feuilles de calcul ONLYOFFICE prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt ou sur ses éléments, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique :

    Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte, l'alignement dans une cellule et le texte de remplacement.

    -

    Paramètres du paragraphe pour modifier les retraits et l'espacement, la police et les taquets. Veuillez consulter la section Mise en forme du texte de la cellule pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt.

    +

    Paramètres du paragraphe pour modifier les retraits et l'espacement, la police et les taquets. Veuillez consulter la section Mise en forme du texte de la cellule pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt.

    Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt.

    -

    Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes:

    +

    Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes :

    Menu SmartArt

    -

    Organiser pour organiser des objets en utilisant les options suivantes: Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non.

    -

    Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt: Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt.

    +

    Organiser pour organiser des objets en utilisant les options suivantes : Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non.

    +

    Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt : Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt.

    Affecter une macro pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul.

    Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme.

    -

    Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes:

    +

    Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes :

    Menu SmartArt

    -

    Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas.

    -

    Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut.

    +

    Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt : Aligner en haut, Aligner au milieu ou Aligner en bas.

    +

    Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt : Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut.

    Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt. -

    Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe.

    +

    Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe.

    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm index f57628a5d..7bf92a07b 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm @@ -16,7 +16,8 @@

    Remplacer un mot par synonyme

    - Si on répète plusieurs fois le même mot ou il ne semble pas que le mot est juste, ONLYOFFICE Spreadsheet Editor vous permet de trouver les synonymes. Retrouvez les antonymes du mot affiché aussi. + Si on répète plusieurs fois le même mot ou il ne semble pas que le mot est juste, l'Éditeur de feuilles de calcul ONLYOFFICE vous permet de trouver les synonymes. + Retrouvez les antonymes du mot affiché aussi.

    1. Sélectionnez le mot dans votre feuille de calcul.
    2. diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Translator.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Translator.htm index 44ca8f167..bf44318a7 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Translator.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/Translator.htm @@ -3,7 +3,7 @@ Traduire un texte - + @@ -15,20 +15,20 @@

      Traduire un texte

      -

      Dans Spreadsheet Editor, vous pouvez traduire votre feuille de calcul dans de nombreuses langues disponibles.

      +

      Dans le Tableur, vous pouvez traduire votre feuille de calcul dans de nombreuses langues disponibles.

      1. Sélectionnez le texte à traduire.
      2. -
      3. Passez à l'onglet Modules complémentaires et choisissez
        Traducteur, l'application de traduction s'affiche dans le panneau de gauche.
      4. +
      5. Passez à l'onglet Modules complémentaires et choisissez
        Traducteur, l'application de traduction s'affiche dans le panneau de gauche.
      6. Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée.

      Le texte sera traduit vers la langue choisi.

      Gif de l'extension Traducteur -

      Changez la langue cible:

      +

      Changez la langue cible :

      1. Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée.
      -

      La traduction va changer tout de suite.

      +

      La traduction va changer tout de suite.

      \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UndoRedo.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UndoRedo.htm index f99d7a304..d9127d2be 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UndoRedo.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UndoRedo.htm @@ -3,7 +3,7 @@ Annuler/rétablir vos actions - + @@ -15,13 +15,15 @@

      Annuler/rétablir vos actions

      -

      Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes disponibles dans la partie gauche de l'en-tête de Spreadsheet Editor:

      +

      Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes disponibles dans la partie gauche de l'en-tête du Tableur :

      Les opérations annuler/rétablir peuvent être effectuées à l'aide des Raccourcis clavier.

      -

      Remarque : lorsque vous co-éditez une feuilles de calcul en mode Rapide, la possibilité d’Annuler/Rétablir la dernière opération annulée n'est pas disponible.

      +

      + Remarque : lorsque vous co-éditez une feuilles de calcul en mode Rapide, la possibilité d'Annuler/Rétablir la dernière opération annulée n'est pas disponible. +

      - \ No newline at end of file + diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UseNamedRanges.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UseNamedRanges.htm index ca6fc4817..c90e74e6a 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UseNamedRanges.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/UseNamedRanges.htm @@ -15,75 +15,74 @@

      Utiliser les plages nommées

      -

      Les noms sont des notations significatives pouvant être affectées àune cellule ou àune plage de cellules et utilisées pour simplifier l'utilisation de formules dans Spreadsheet Editor. En créant une formule, vous pouvez insérer un nom comme argument au lieu d'utiliser une référence àune plage de cellules. Par exemple, si vous affectez le nom Revenu_Annuel àune plage de cellules, il sera possible d'entrer =SUM(Revenu_Annuel) au lieu de =SUM(B1:B12). Sous une telle forme, les formules deviennent plus claires. Cette fonctionnalité peut également être utile dans le cas où beaucoup de formules se réfèrent àune même plage de cellules. Si l'adresse de plage est modifiée, vous pouvez effectuer la correction en une seule fois àl'aide du Gestionnaire de noms au lieu de modifier toutes les formules une par une.

      -

      Deux types de noms peuvent être utilisés:

      +

      Les noms sont des notations significatives pouvant être affectées àune cellule ou àune plage de cellules et utilisées pour simplifier l'utilisation de formules dans le Tableur. En créant une formule, vous pouvez insérer un nom comme argument au lieu d'utiliser une référence à une plage de cellules. Par exemple, si vous affectez le nom Revenu_Annuel àune plage de cellules, il sera possible d'entrer =SUM(Revenu_Annuel) au lieu de =SOMME(B1:B12). Sous une telle forme, les formules deviennent plus claires. Cette fonctionnalité peut également être utile dans le cas où beaucoup de formules se réfèrent àune même plage de cellules. Si l'adresse de plage est modifiée, vous pouvez effectuer la correction en une seule fois àl'aide du Gestionnaire de noms au lieu de modifier toutes les formules une par une.

      +

      Deux types de noms peuvent être utilisés :

      Si vous avez créé un segment pour le tableau mis en forme d'après un modèle , l'e nom du segment qui été ajouté automatiquement s'afficherait dans le Gestionnaire de noms (Slegment_Colonne1, Segment_Colonne2 etc.). Le nom comprend le libellé Segment_ et l'en-tête de la colonne correspondant àcelui-ci de l'ensemble de données sources). Ce type de nom peut être modifié ultérieurement.

      Les noms sont également classés par Étendue, c'est-à-dire par l'emplacement où un nom est reconnu. La portée d'un nom peut être étendue à l'ensemble du classeur (il sera reconnu pour n'importe quelle feuille de calcul dans ce classeur) ou àune feuille de calcul distincte (il sera reconnu pour la feuille de calcul spécifiée uniquement). Chaque nom doit être unique dans sa portée, les mêmes noms peuvent être utilisés dans des portées différentes.

      Créer de nouveaux noms

      -

      Pour créer un nouveau nom défini pour une sélection:

      +

      Pour créer un nouveau nom défini pour une sélection :

      1. Sélectionnez une cellule ou une plage de cellules à laquelle vous souhaitez attribuer un nom.
      2. -
      3. Ouvrez une nouvelle fenêtre de nom d'une manière appropriée: +
      4. Ouvrez une nouvelle fenêtre de nom d'une manière appropriée :
        • Cliquez avec le bouton droit sur la sélection et choisissez l'option Définir le nom dans le menu contextuel,
        • ou cliquez sur l'icône Plages nommées
          dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'option Définir un nom dans le menu.
        • ou cliquez sur l'icône Plages nommées
          dans l'onglet Formule de la barre d'outils supérieure et sélectionnez l'option Gestionnaire de noms dans le menu. Choisissez l'option Nouveau dans la fenêtre qui s'affiche.
        -

        La fenêtre Nouveau nom s'ouvrira:

        +

        La fenêtre Nouveau nom s'ouvrira :

        Fenêtre Nouveau nom

      5. Entrez le Nom nécessaire dans le champ de saisie de texte. -

        Remarque: un nom ne peut pas commencer àpartir d'un nombre, contenir des espaces ou des signes de ponctuation. Les tirets bas (_) sont autorisés. La casse n'a pas d'importance.

        +

        Remarque : un nom ne peut pas commencer àpartir d'un nombre, contenir des espaces ou des signes de ponctuation. Les tirets bas (_) sont autorisés. La casse n'a pas d'importance.

      6. -
      7. Indiquez l'Étendu du nom. L'étendue au Classeur est sélectionnée par défaut, mais vous pouvez spécifier une feuille de calcul individuelle en la sélectionnant dans la liste.
      8. +
      9. Indiquez l'Étendu du nom. L'étendue au Classeur est sélectionnée par défaut, mais vous pouvez spécifier une feuille de calcul individuelle en la sélectionnant dans la liste.
      10. Vérifiez l'adresse de la Plage de données sélectionnée. Si nécessaire, vous pouvez la changer. Cliquez sur l'icône
        - la fenêtre Sélectionner la plage de données s'ouvre.

        La fenêtre Sélectionner une plage de données

        Modifiez le lien àla plage de cellules dans le champ de saisie ou sélectionnez une nouvelle plage dans la feuille de calcul avec la souris et cliquez sur OK.

      11. Cliquez sur OK pour enregistrer le nouveau nom.
      -

      Pour créer rapidement un nouveau nom pour la plage de cellules sélectionnée, vous pouvez également entrer le nom souhaité dans la zone de nom située àgauche de la barre de formule et appuyer sur Entrée. Un nom créé de cette manière a sa portée étendue au Classeur.

      +

      Pour créer rapidement un nouveau nom pour la plage de cellules sélectionnée, vous pouvez également entrer le nom souhaité dans la zone de nom située àgauche de la barre de formule et appuyer sur Entrée. Un nom créé de cette manière a sa portée étendue au Classeur.

      Boîte de nom

      Gérer les noms

      -

      Tous les noms existants sont accessibles via le Gestionnaire de noms. Pour l'ouvrir:

      +

      Tous les noms existants sont accessibles via le Gestionnaire de noms. Pour l'ouvrir :

      -

      La fenêtre Gestionnaire de noms s'ouvre:

      +

      La fenêtre Gestionnaire de noms s'ouvre :

      Fenêtre Gestionnaire de noms

      -

      Pour plus de commodité, vous pouvez filtrer les noms en sélectionnant la catégorie de nom que vous voulez afficher: Tous, Noms définis, Noms de tableaux, Noms étendus àla feuille ou Noms étendus au classeur. Les noms appartenant àla catégorie sélectionnée seront affichés dans la liste, les autres noms seront cachés.

      +

      Pour plus de commodité, vous pouvez filtrer les noms en sélectionnant la catégorie de nom que vous voulez afficher : Tous, Noms définis, Noms de tableaux, Noms étendus àla feuille ou Noms étendus au classeur. Les noms appartenant àla catégorie sélectionnée seront affichés dans la liste, les autres noms seront cachés.

      Pour modifier l'ordre de tri de la liste affichée, vous pouvez cliquer sur les titres Plages nommées ou Étendue dans cette fenêtre.

      -

      Pour modifier un nom, sélectionnez-le dans la liste et cliquez sur le bouton Modifier. La fenêtre Modifier le nom s'ouvre:

      +

      Pour modifier un nom, sélectionnez-le dans la liste et cliquez sur le bouton Modifier. La fenêtre Modifier le nom s'ouvre :

      La fenêtre Modifier le nom

      Pour un nom défini, vous pouvez modifier le nom et la plage de données auxquels il fait référence. Pour un nom de tableau, vous pouvez uniquement changer le nom. Lorsque toutes les modifications nécessaires sont apportées, cliquez sur OK pour les appliquer. Pour annuler les modifications, cliquez sur Annuler. Si le nom modifié est utilisé dans une formule, la formule sera automatiquement modifiée en conséquence.

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

      -

      Remarque: si vous supprimez un nom utilisé dans une formule, la formule ne fonctionnera plus (elle retournera l'erreur #NAME?).

      +

      Remarque : si vous supprimez un nom utilisé dans une formule, la formule ne fonctionnera plus (elle retournera l'erreur #NAME?).

      Vous pouvez également créer un nouveau nom dans la fenêtre Gestionnaire de noms en cliquant sur le bouton Nouveau.

      Utiliser des noms lorsque vous travaillez avec la feuille de calcul

      -

      Pour naviguer rapidement entre les plages de cellules, vous pouvez cliquer sur la flèche dans la boite de nom et sélectionner le nom voulu dans la liste des noms. -

      La plage de données correspondant àce nom sera sélectionnée dans la feuille de calcul.

      +

      Pour naviguer rapidement entre les plages de cellules, vous pouvez cliquer sur la flèche dans la boite de nom et sélectionner le nom voulu dans la liste des noms - la plage de données correspondant à ce nom sera sélectionnée dans la feuille de calcul.

      Liste de noms

      -

      Remarque: la liste de noms affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur.

      -

      Pour ajouter un nom en tant que argument d'une formule:

      +

      Remarque : la liste de noms affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur.

      +

      Pour ajouter un nom en tant que argument d'une formule :

      1. Placez le point d'insertion où vous devez ajouter un nom.
      2. -
      3. Effectuez l'une des actions suivantes: +
      4. Effectuez l'une des actions suivantes :
        • Entrez manuellement le nom de la plage nommée choisie àl'aide du clavier. Une fois que vous avez tapé les lettres initiales, la liste Autocomplétion de formule sera affichée. Au fur et àmesure que vous tapez, les éléments (formules et noms) correspondant aux caractères saisis sont affichés. Vous pouvez sélectionner le nom défini ou le nom du tableau dans la liste et l'insérer dans la formule en double-cliquant dessus ou en appuyant sur la touche Tabulation.
        • - ou cliquez sur l'icône Plages nommées
          dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez l'option Coller le nom dans le menu, choisissez le nom voulu dans la fenêtre Coller le nom et cliquez sur OK: + ou cliquez sur l'icône Plages nommées
          dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez l'option Coller le nom dans le menu, choisissez le nom voulu dans la fenêtre Coller le nom et cliquez sur OK :

          La fenêtre Coller le nom

      -

      Remarque: la liste Coller le nom affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur.

      - +

      Remarque : la liste Coller le nom affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur.

      +
      1. Placez le point d'insertion où vous devez ajouter un lien hypertexte.
      2. passer àl'onglet Insérer et cliquer sur l'icône Lien hypertexte.
      3. diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm index 7077c910d..1105eab79 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm @@ -15,11 +15,11 @@

        Afficher les informations sur le fichier

        -

        Pour accéder aux informations détaillées sur le classeur actuellement édité dans Spreadsheet Editor, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations du classeur....

        +

        Pour accéder aux informations détaillées sur le classeur actuellement édité dans le Tableur, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations du classeur...

        Informations générales

        L'information sur la présentation comprend le titre de la présentation et l'application avec laquelle la présentation a été créée. Certains de ces paramètres sont mis à jour automatiquement mais les autres peuvent être modifiés.

          -
        • Emplacement - le dossier dans le module Documents où le fichier est stocké. Propriétaire - le nom de l'utilisateur qui a créé le fichier. Chargé - la date et l'heure quand le fichier a été créé. Ces paramètres ne sont disponibles que sous la version en ligne.
        • +
        • Emplacement - le dossier dans le module Documents où le fichier est stocké. Propriétaire - le nom de l'utilisateur qui a créé le fichier. Chargé - la date et l'heure quand le fichier a été créé. Ces paramètres ne sont disponibles que sous la version en ligne.
        • Titre, sujet, commentaire - ces paramètres facilitent la classification des documents. Vos pouvez saisir l'information nécessaire dans les champs appropriés.
        • Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois.
        • Dernière modification par - le nom de l'utilisateur qui a apporté la dernière modification au classeur quand plusieurs utilisateurs travaillent sur un même fichier.
        • @@ -28,22 +28,22 @@

        Si vous avez modifié les paramètres du fichier, cliquez sur Appliquer pour enregistrer les modifications.

        -

        Remarque: Les éditeurs en ligne vous permettent de modifier le titre du classeur directement à partir de l'interface de l'éditeur. Pour ce faire, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Renommer..., puis entrez le Nom de fichier voulu dans la nouvelle fenêtre qui s'ouvre et cliquez sur OK.

        +

        Remarque : Les éditeurs en ligne vous permettent de modifier le titre du classeur directement à partir de l'interface de l'éditeur. Pour ce faire, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Renommer..., puis entrez le Nom de fichier voulu dans la nouvelle fenêtre qui s'ouvre et cliquez sur OK.

        Informations d'autorisation

        -

        Dans la version en ligne, vous pouvez consulter les informations sur les permissions des fichiers stockés dans le cloud.

        -

        Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule.

        +

        Dans la version en ligne, vous pouvez consulter les informations sur les permissions des fichiers stockés dans le cloud.

        +

        Remarque : cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule.

        Pour savoir qui a le droit d'afficher ou de modifier le classur, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche.

        Vous pouvez également changer les droits d'accès actuels en cliquant sur le bouton Changer les droits d'accès dans la section Personnes qui ont des droits.

        +

        Pour fermer l'onglet Fichier et reprendre le travail sur votre feuille de calcul, sélectionnez l'option Fermer le menu.

        Historique des versions

        -

        Dans la version en ligne, vous pouvez consulter l'historique des versions des fichiers stockés dans le cloud.

        -

        Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule.

        -

        Pour afficher toutes les modifications apportées au classeur, sélectionnez l'option Historique des versions dans la barre latérale de gauche sous l'onglet Fichier. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions sous l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce classeur (changements majeurs) et des révisions (modifications mineures) avec l'indication de l'auteur de chaque version/révision et la date et l'heure de création. Pour les versions de classeur, le numéro de version est également spécifié (par exemple ver. 2). Pour savoir exactement quels changements ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Vous pouvez utiliser le lien Restaurer sous la version/révision sélectionnée pour la restaurer.

        +

        Dans la version en ligne, vous pouvez consulter l'historique des versions des fichiers stockés dans le cloud.

        +

        Remarque : cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule.

        +

        Pour afficher toutes les modifications apportées au classeur, sélectionnez l'option Historique des versions dans la barre latérale de gauche sous l'onglet Fichier. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions sous l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce classeur (changements majeurs) et des révisions (modifications mineures) avec l'indication de l'auteur de chaque version/révision et la date et l'heure de création. Pour les versions de classeur, le numéro de version est également spécifié (par exemple ver. 2). Pour savoir exactement quels changements ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Vous pouvez utiliser le lien Restaurer sous la version/révision sélectionnée pour la restaurer.

        Historique des versions

        Pour revenir à la version actuelle du document, utilisez l'option Fermer l'historique en haut de la liste des versions.

        -

        Pour fermer l'onglet Fichier et reprendre le travail sur votre classur, sélectionnez l'option Fermer le menu.

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/YouTube.htm b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/YouTube.htm index ea525a7eb..8acbf45e0 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/YouTube.htm +++ b/apps/spreadsheeteditor/main/resources/help/fr/UsageInstructions/YouTube.htm @@ -15,9 +15,11 @@

        Insérer une vidéo

        -

        Dans Spreadsheet Editor, vous pouvez insérer une vidéo dans votre feuille de calcul. Celle-ci sera affichée comme une image. Faites un double-clic sur l'image pour faire apparaître la boîte de dialogue vidéo. Vous pouvez démarrer votre vidéo ici.

        +

        Dans le Tableur, vous pouvez insérer une vidéo dans votre feuille de calcul. Celle-ci sera affichée comme une image. Faites un double-clic sur l'image pour faire apparaître la boîte de dialogue vidéo. Vous pouvez démarrer votre vidéo ici.

          -
        1. Copier l'URL de la vidéo à insérer.
          (l'adresse complète dans la barre d'adresse du navigateur) +
        2. + Copier l'URL de la vidéo à insérer.
          + (l'adresse complète dans la barre d'adresse du navigateur)
        3. Accédez à votre feuille de calcul et placez le curseur à l'endroit où la vidéo doit être inséré.
        4. Passez à l'onglet Modules complémentaires et choisissez
          YouTube.
        5. diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array1.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array1.png new file mode 100644 index 000000000..db3aa8856 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array1.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array2.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array2.png new file mode 100644 index 000000000..656c094ce Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array3.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array3.png new file mode 100644 index 000000000..8f8420513 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array3.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array4.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array4.png new file mode 100644 index 000000000..eba8d2025 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array4.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array5.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array5.png new file mode 100644 index 000000000..8974fc1d7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array5.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array6.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array6.png new file mode 100644 index 000000000..c76f6f3e9 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array6.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array7.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array7.png new file mode 100644 index 000000000..78b13ef50 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array7.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array8.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array8.png new file mode 100644 index 000000000..1fc229c25 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array8.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/array9.png b/apps/spreadsheeteditor/main/resources/help/fr/images/array9.png new file mode 100644 index 000000000..0c41ee9ba Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/array9.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/chartsettings.png b/apps/spreadsheeteditor/main/resources/help/fr/images/chartsettings.png index 891372b21..cee720597 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/chartsettings.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/chartsettings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/merge_across.png b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_across.png new file mode 100644 index 000000000..cdcf96937 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_across.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/merge_across_menu.png b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_across_menu.png new file mode 100644 index 000000000..f2d93af6c Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_across_menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/merge_and_center.png b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_and_center.png new file mode 100644 index 000000000..033559f4f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_and_center.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/merge_menu.png b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_menu.png new file mode 100644 index 000000000..4fe8bad44 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/merge_menu.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/merged_area.png b/apps/spreadsheeteditor/main/resources/help/fr/images/merged_area.png new file mode 100644 index 000000000..5ead791a1 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/merged_area.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/pivot_advanced.png b/apps/spreadsheeteditor/main/resources/help/fr/images/pivot_advanced.png index 97b7dac29..6fef26f92 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/pivot_advanced.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/pivot_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/search_window.png b/apps/spreadsheeteditor/main/resources/help/fr/images/search_window.png index dbc1b5da0..5a355d7b3 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/fr/images/search_window.png and b/apps/spreadsheeteditor/main/resources/help/fr/images/search_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/select_cell_range.png b/apps/spreadsheeteditor/main/resources/help/fr/images/select_cell_range.png new file mode 100644 index 000000000..99f0a0aed Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/select_cell_range.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/select_cell_range_type2.png b/apps/spreadsheeteditor/main/resources/help/fr/images/select_cell_range_type2.png new file mode 100644 index 000000000..40161a817 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/select_cell_range_type2.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/images/unmerge.png b/apps/spreadsheeteditor/main/resources/help/fr/images/unmerge.png new file mode 100644 index 000000000..ef5422706 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/fr/images/unmerge.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js index b016643e5..86f93a3e4 100644 --- a/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/fr/search/indexes.js @@ -2307,347 +2307,372 @@ var indexes = }, { "id": "HelpfulHints/About.htm", - "title": "À propos de Spreadsheet Editor", - "body": "Spreadsheet Editor est une application en ligne qui vous permet de parcourir et de modifier des feuilles de calcul dans votre navigateur . En utilisant Spreadsheet Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les feuilles de calcul modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, cliquez sur l'icône À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE." + "title": "À propos du Tableur", + "body": "Tableur est une application en ligne qui vous permet de parcourir et de modifier des feuilles de calcul dans votre navigateur . En utilisant le Tableur, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les feuilles de calcul modifiées en gardant la mise en forme ou les télécharger sur votre disque dur au format XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Pour afficher la version actuelle du logiciel, le numéro de build et les informations de licence dans la version en ligne, cliquez sur l'icône À propos dans la barre latérale gauche. Pour afficher la version actuelle du logiciel et les informations de licence dans la version de bureau pour Windows, sélectionnez l'élément de menu À propos dans la barre latérale gauche de la fenêtre principale du programme. Dans la version de bureau pour Mac OS, accédez au menu ONLYOFFICE en haut de l'écran et sélectionnez l'élément de menu À propos d'ONLYOFFICE." }, { "id": "HelpfulHints/AdvancedSettings.htm", - "title": "Paramètres avancés de Spreadsheet Editor", - "body": "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 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 de la section Général sont les suivants: Affichage des commentaires sert à activer/désactiver les commentaires en temps réel. Activer l'affichage des commentaires - si cette option est désactivée, les cellules commentées seront mises en surbrillance uniquement si vous cliquez sur l'icône Commentaires de la barre latérale gauche. Activer l'affichage des commentaires résolus - cette fonction est désactivée par défaut pour que les commentaires résolus soient masqués sur la feuille. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires dans la barre latérale de gauche. Activez cette option si vous voulez afficher les commentaires résolus sur la feuille. Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition. Récupération automatique - est utilisé dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les feuilles de calcul en cas de fermeture inattendue du programme. Style de référence est utilisé pour activer/désactiver le style de référence R1C1. Par défaut, cette option est désactivée et le style de référence A1 est utilisé. Lorsque le style de référence A1 est utilisé, les colonnes sont désignées par des lettres et les lignes par des chiffres. Si vous sélectionnez la cellule située dans la rangée 3 et la colonne 2, son adresse affichée dans la case à gauche de la barre de formule ressemble à ceci: B3. Si le style de référence R1C1 est activé, les lignes et les colonnes sont désignées par des numéros. Si vous sélectionnez la cellule à l'intersection de la ligne 3 et de la colonne 2, son adresse ressemblera à ceci: R3C2. La lettre R indique le numéro de ligne et la lettre C le numéro de colonne. Si vous vous référez à d'autres cellules en utilisant le style de référence R1C1, la référence à une cellule cible est formée en fonction de la distance à partir de la cellule active. Par exemple, lorsque vous sélectionnez la cellule de la ligne 5 et de la colonne 1 et faites référence à la cellule de la ligne 3 et de la colonne 2, la référence est R[-2]C[1]. Les chiffres entre crochets désignent la position de la cellule à laquelle vous vous référez par rapport à la position actuelle de la cellule, c'est-à-dire que la cellule cible est à 2 lignes plus haut et 1 colonne à droite de la cellule active. Si vous sélectionnez la cellule de la ligne 1 et de la colonne 2 et que vous vous référez à la même cellule de la ligne 3 et de la colonne 2, la référence est R[2]C, c'est-à-dire que la cellule cible est à 2 lignes en dessous de la cellule active et dans la même colonne. Le Mode de co-édition permet de sélectionner l'affichage des modifications effectuées lors de la co-édition: Par défaut, le mode Rapide est sélectionné, les utilisateurs qui participent à la co-édition du document verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs. Si vous préférez ne pas voir d'autres changements d'utilisateur (pour ne pas vous déranger, ou pour toute autre raison), sélectionnez le mode Strict et tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer pour vous informer qu'il y a des changements effectués par d'autres utilisateurs. Thème d’interface permet de modifier les jeux de couleurs de l'interface d'éditeur. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards vert, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards vert, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. Remarque: En plus des thèmes de l'interface disponibles Claire, Classique claire et Sombre, il est possible de personnaliser ONLYOFFICE editors en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter les instructions. Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. Hinting de la police sert à sélectionner le type d'affichage de la police dans Spreadsheet Editor: Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est à dire en utilisant la police de Windows. Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est à dire sans hinting. Choisissez Natif si vous voulez que votre texte sera affiché avec les hintings intégrés dans les fichiers de polices. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Spreadsheet Editor gère deux modes de mise en cache: Dans le premier mode de mise en cache chaque lettre est mis en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mis en place. La deuxième image est créée s'il y a de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé: Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. Unité de mesure sert à spécifier les unités de mesure utilisées pour mesurer les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce. Language de formule est utilisé pour sélectionner la langue d'affichage et de saisie des noms de formules, des noms et des descriptions d'arguments. Language de formule est disponible dans 31 langues: Allemand, Anglais, Biélorusse, Bulgare, Catalan, Chinois, Coréen, Danois, Espagnol, Finnois, Français, Grec, Hongrois, Indonésien, Italien, Japonais, Laotien, Letton, Norvégien, Néerlandais, Polonais, Portugais, Portugais (Brésil), Roumain, Russe, Slovaque, Slovène, Suédois, Tchèque, Turc, Ukrainien, Vietnamien. Paramètres régionaux est utilisé pour sélectionner le format d'affichage par défaut pour la devise, la date et l'heure. Séparateur sert à spécifier le caractère utilisé pour séparer des milliers ou des décimales. L'option Utiliser des séparateurs basés sur les paramètres régionaux est activée par défaut. Si vous souhaitez utiliser les séparateurs particularisés, il faut désactiver cette option et saisir le séparateur décimal et le séparateur de milliers dans les champs appropriés ci-dessous. Couper, copier et coller - s'utilise pour afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - s'utilise pour désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans votre feuille de calcul; Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans une feuille de calcul; Activer tout pour exécuter automatiquement toutes les macros dans une feuille de calcul. Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer." + "title": "Paramètres avancés du Tableur", + "body": "Tableur 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.... Les paramètres avancés sont les suivants : Édition et enregistrement Enregistrement automatique est utilisé dans la version en ligne pour activer/désactiver l'enregistrement automatique des modifications que vous effectuez pendant l'édition. Récupération automatique est utilisée dans la version de bureau pour activer/désactiver l'option qui permet de récupérer automatiquement les feuilles de calcul en cas de fermeture inattendue du programme. Afficher le bouton \"Options de collage\" lorsque le contenu est collé. L'icône correspondante sera affichée lorsque vous collez le contenu à la feuille de calcul. Collaboration Le paragraphe Mode de co-édition permet de sélectionner le mode d'affichage préférable des modifications effectuées lors de la co-édition de la feuille de calcul. Rapide (par défaut). Les utilisateurs qui participent à la co-édition de la feuille de calcul verront les changements en temps réel une fois qu'ils sont faits par d'autres utilisateurs. Strict. Tous les changements apparaîtront seulement après avoir cliqué sur l'icône Enregistrer pour vous informer qu'il y a des changements effectués par d'autres utilisateurs. Activer l'affichage des commentaires. Si cette option est désactivée, les passages commentés seront mis en surbrillance uniquement si vous cliquez sur l'icône Commentaires dans la barre latérale gauche. Activer l'affichage des commentaires résolus. Cette fonction est désactivée par défaut pour que les commentaires résolus soient cachés dans la feuille de calcul. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires dans la barre latérale gauche. Activez cette option si vous voulez afficher les commentaires résolus dans la feuille de calcul. Espace de travail L'option Style de référence R1C1 est désactivée et le style de référence A1 est utilisé. Lorsque le style de référence A1 est utilisé, les colonnes sont désignées par des lettres et les lignes par des chiffres. Si vous sélectionnez la cellule située dans la rangée 3 et la colonne 2, son adresse affichée dans la case à gauche de la barre de formule ressemble à ceci : B3. Si le style de référence R1C1 est activé, les lignes et les colonnes sont désignées par des numéros. Si vous sélectionnez la cellule à l'intersection de la ligne 3 et de la colonne 2, son adresse ressemblera à ceci : R3C2. La lettre R indique le numéro de ligne et la lettre C le numéro de colonne. Si vous vous référez à d'autres cellules en utilisant le style de référence A1, la référence à une cellule cible est formée en fonction de la distance à partir de la cellule active. Par exemple, lorsque vous sélectionnez la cellule de la ligne 5 et de la colonne 1 et faites référence à la cellule de la ligne 3 et de la colonne 2, la référence est R[-2]C[1]. Les chiffres entre crochets désignent la position de la cellule à laquelle vous vous référez par rapport à la position actuelle de la cellule, c'est-à-dire que la cellule cible est à 2 lignes plus haut et 1 colonne à droite de la cellule active. Si vous sélectionnez la cellule de la ligne 1 et de la colonne 2 et que vous vous référez à la même cellule de la ligne 3 et de la colonne 2, la référence est R[2]C, c'est-à-dire que la cellule cible est à 2 lignes en dessous de la cellule active et dans la même colonne. L'option Utiliser la touche Alt pour naviguer dans l'interface utilisateur à l'aide du clavier est utilisée pour activer l'utilisation de la touche Alt à un raccourci clavier. L'option Thème d'interface permet de modifier les jeux de couleurs de l'interface d'éditeur. L'option Identique à système rend le thème d'interface de l'éditeur identique à celui de votre système. Le mode Claire comprend l'affichage des éléments de l'interface utilisateur en couleurs standards bleu, blanc et gris claire à contraste réduit et est destiné à un travail de jour. Le mode Claire classique comprend l'affichage en couleurs standards bleu, blanc et gris claire. Le mode Sombre comprend l'affichage en tons sombres noir, gris foncé et gris claire destinés à un travail de nuit. Le mode Contraste sombre comprend l'affichage des éléments de l'interface utilisateur en couleurs noir, gris foncé et blanc à plus de contraste et est destiné à mettre en surbrillance la zone de travail du fichier. Remarque : En plus des thèmes de l'interface disponibles Claire, Classique claire, Sombre et Contraste sombre, il est possible de personnaliser les éditeurs ONLYOFFICE en utilisant votre propre couleur de thème. Pour en savoir plus, veuillez consulter ces instructions. L'option Unité de mesure sert à spécifier les unités de mesure utilisées sur les règles et dans les fenêtres de paramètres pour les paramètres tels que largeur, hauteur, espacement, marges etc. Vous pouvez choisir l'option Centimètre, Point ou Pouce. L'option Valeur du zoom par défaut sert à définir la valeur de zoom par défaut en la sélectionnant de la liste des options disponibles de 50% à 500%. L'option Hinting de la police sert à sélectionner le type d'affichage de la police dans le Tableur. Choisissez Comme Windows si vous aimez la façon dont les polices sont habituellement affichées sous Windows, c'est-à-dire en utilisant la police de Windows. Choisissez Comme OS X si vous aimez la façon dont les polices sont habituellement affichées sous Mac, c'est-à-dire sans hinting. Choisissez Natif pour afficher le texte avec les hintings intégrés dans les fichiers de polices. Mise en cache par défaut sert à sélectionner cache de police. Il n'est pas recommandé de désactiver ce mode-ci sans raison évidente. C'est peut être utile dans certains cas, par exemple les problèmes d'accélération matérielle activé sous Google Chrome. Le Tableur gère deux modes de mise en cache : Dans le premier mode de mise en cache chaque lettre est mise en cache comme une image indépendante. Dans le deuxième mode de mise en cache l'image d'une certaine taille est sélectionnée avec les lettres dynamiques et avec de l'allocation/libération de la mémoire mise en place. La deuxième image est créée s'il n'y a pas de mémoire suffisante etc. Le Mode de mise en cache par défaut est activé en fonction du navigateur utilisé : Avec la mise en cache par défaut activée, dans Internet Explorer (v. 9, 10, 11) le deuxième mode de mise en cache est utilisé, le premier mode de mise en cache est utilisé dans les autres navigateurs. Avec la mise en cache par défaut désactivée, dans Internet Explorer (v. 9, 10, 11) le premier mode de mise en cache est utilisé, le deuxième mode de mise en cache est utilisé dans les autres navigateurs. L'option Réglages macros s'utilise pour définir l'affichage des macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans la feuille de calcul. Choisissez Montrer la notification pour afficher les notifications lorsque des macros sont présentes dans la feuille de calcul. Choisissez Activer tout pour exécuter automatiquement toutes les macros dans la feuille de calcul. Paramètres régionaux L'option Language de formule est utilisée pour sélectionner la langue d'affichage et de saisie des noms de formules, des noms et des descriptions d'arguments. Language de formule est disponible dans 32 langues : Allemand, Anglais, Biélorusse, Bulgare, Catalan, Chinois, Coréen, Danois, Espagnol, Finnois, Français, Grec, Hongrois, Indonésien, Italien, Japonais, Laotien, Letton, Norvégien, Néerlandais, Polonais, Portugais, Portugais (Brésil), Roumain, Russe, Slovaque, Slovène, Suédois, Tchèque, Turc, Ukrainien, Vietnamien. L'option Paramètres régionaux est utilisée pour sélectionner le format d'affichage par défaut pour la devise, la date et l'heure. L'option Utiliser des séparateurs basés sur les paramètres régionaux est activée par défaut, les séparateurs correspondront à la région définie. Afin de définir les séparateurs personnalisés, désactivez cette option et saisissez les séparateurs requis dans les champs Séparateur décimal et Séparateur de milliers. Vérification L'option Langue du dictionnaire est utilisée afin de sélectionner le dictionnaire préféré pour la vérification de l'orthographe. Ignorer les mots en MAJUSCULES. Les mots tapés en majuscules sont ignorés lors de la vérification de l'orthographe. Ignorer les mots contenant des chiffres. Les mots contenant des chiffres sont ignorés lors de la vérification de l'orthographe. Le menu Options d'auto-correction... permet d'acceder aux paramètres d'auto-correction tels que remplacement au cours de la frappe, fonctions de reconnaissance, mise en forme automatique etc. Calcul en cours L'option Utiliser le calendrier depuis 1904 permet de calculer les dates à partir du 1er janvier 1904 comme point de départ. Elle peut être utile lorsque vous travaillez avec des feuilles de calcul créées dans la version MS Excel 2008 pour Mac ou des versions antérieures de MS Excel pour Mac. Pour enregistrer toutes les modifications, cliquez sur le bouton Appliquer." }, { "id": "HelpfulHints/CollaborativeEditing.htm", - "title": "Édition collaborative des classeurs", - "body": "Spreadsheet Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut: accès simultané au classeur édité par plusieurs utilisateurs indication visuelle des cellules qui sont en train d'être éditées 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 classeur les commentaires avec la description d'une tâche ou d'un problème à résoudre (il est également possible de travailler avec les commentaires en mode hors ligne, sans se connecter à la version en ligne) Connexion à la version en ligne Dans l'éditeur de bureau, ouvrez l'option Se connecter au cloud du menu de gauche dans la fenêtre principale du programme. Connectez-vous à votre bureau dans le cloud en spécifiant l'identifiant et le mot de passe de votre compte. Édition collaborative Spreadsheet Editor permet de sélectionner l'un des deux modes de coédition: 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: Remarque: lorsque vous co-éditez une feuille de calcul en mode Rapide, les optionsAnnuler/Rétablir la dernière opération ne sont pas disponibles. Lorsqu'un classeur est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées sont marqués avec des lignes pointillées de couleurs différentes, l'onglet de la feuille de calcul où se situent ces cellules est marqué de rouge. Faites glisser le curseur sur l'une des cellules modifiées, pour afficher le nom de l'utilisateur qui est en train de l'éditer à ce moment. Le mode Rapide affichera les actions et les noms des co-éditeurs tandis qu'ils modifient les données des cellules. Les bordures des cellules s'affichent en différentes couleurs pour mettre en surbrillance des plages de cellules sélectionnées par un autre utilisateur à ce moment. Faites glisser le pointeur de la souris sur la plage sélectionnée pour afficher le nom de l'utilisateur qui fait la sélection. Le nombre d'utilisateurs qui travaillent sur le classeur actuel est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, 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 à la feuille de calcul: inviter de nouveaux utilisateurs en leur donnant les permissions pour éditer, lire ou commenter les feuilles de calcul 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 classeur 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. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas de profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur les documents. Pour affecter un nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option Ne plus poser cette question pour enregistrer ce nom-ci. 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 partie du classeur vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du classeur, 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 au Chat et laisser un message pour les 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 les messages, cliquez sur l'icône encore une fois. Commentaires Il est possible de travailler avec des commentaires en mode hors ligne, sans se connecter à la version en ligne. Pour laisser un commentaire: sélectionnez la cellule où vous pensez qu'il y a une erreur ou un problème, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'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, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. 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 cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires . 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 afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires: trier les commentaires ajoutés en cliquant sur l'icône : par date: Plus récent ou Plus ancien. par auteur: Auteur de A à Z ou Auteur de Z à A par groupe: Tout ou sélectionnez le groupe approprié dans la liste. Cette option de tri n'est disponible que si vous utilisez une version qui prend en charge cette fonctionnalité. modifier le commentaire actuel en cliquant sur l'icône , supprimer le commentaire actuel en cliquant sur l'icône , fermez la discussion actuelle 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 ne seront mis en évidence que si vous cliquez sur l'icône . si vous souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles: résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans le classeur. Ajouter les mentions Remarque: Ce n'est qu'aux commentaires au texte qu'on peut ajouter des mentions. Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk. Ajoutez une mention en tapant le signe @ n'importe où dans votre commentaire, alors la liste de tous les utilisateurs sur votre portail s'affiche. Pour faire la recherche plus rapide, tapez le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Configurez les paramètres de partage selon vos besoins et cliquez sur OK. La personne mentionnée recevra une notification par courrier électronique la informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé. Pour supprimer les commentaires, appuyez sur le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils en haut, sélectionnez l'option convenable du menu: Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires des autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires du document. Pour fermer le panneau avec les commentaires, cliquez sur l'icône de la barre latérale de gauche encore une foi." + "title": " Collaborer sur des feuilles de calcul en temps réel", + "body": "Collaborer sur des feuilles de calcul en temps réel Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments de la feuille de calcul nécessitant la participation d'une tierce personne, sauvegarder des versions de la feuille de calcul pour une utilisation ultérieure. Dans le Tableur il y a deux modes de collaborer sur des feuilles de calcul en temps réel : Rapide et Strict. Vous pouvez basculer entre les modes depuis 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 : Le nombre d'utilisateurs qui travaillent sur la feuille de calcul actuelle est spécifié sur le côté droit de l'en-tête de l'éditeur - . Pour afficher les personnes qui travaillent sur le fichier, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Mode Rapide Le mode Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Lorsque vous co-éditez une feuille de calcul en mode Rapide, la possibilité de Rétablir la dernière opération annulée n'est pas disponible. Ce mode affichera les actions et les noms des co-auteurs tandis qu'ils modifient les données des cellules. Les bordures des cellules s'affichent en différentes couleurs pour mettre en surbrillance des plages de cellules sélectionnées par un autre utilisateur à ce moment. Faites glisser le pointeur de la souris sur la plage sélectionnée pour afficher le nom de l'utilisateur qui fait la sélection. Mode Strict Le mode Strict est sélectionné pour masquer les modifications d'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. Lorsqu'une feuille de calcul est en cours de modification par plusieurs utilisateurs simultanément dans le mode Strict, les cellules modifiées sont marqués avec des lignes pointillées de couleurs différentes, l'onglet de la feuille de calcul où se situent ces cellules est marqué de rouge. Faites glisser le curseur sur l'une des cellules modifiées, pour afficher le nom de l'utilisateur qui est en train de l'éditer à ce moment. Lorsque l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans le coin supérieure gauche indiquant qu'il y a des mises à jour. Pour enregistrer les modifications apportées et récupérer les mises à jour de vos co-auteurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Utilisateurs anonymes Les utilisateurs du portail qui ne sont pas enregistrés et n'ont pas du profil sont les utilisateurs anonymes qui quand même peuvent collaborer sur des documents. Pour affecter le nom à un utilisateur anonyme, ce dernier doit saisir le nom préféré dans le coin supérieur droit de l'écran lorsque l'on accède au document pour la première fois. Activez l'option \"Ne plus poser cette question\" pour enregistrer ce nom-ci." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Commentaires", + "body": "Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et dossiers, collaborer sur feuilles de calcul en temps réel, communiquer directement depuis l'éditeur, sauvegarder des versions de la feuille de calcul pour une utilisation ultérieure. Dans le Tableur vous pouvez laisser les commentaires pour le contenu de feuilles de calcul sans le modifier. Contrairement au messages de chat, les commentaires sont stockés jusqu'à ce que vous décidiez de les supprimer. Laisser et répondre aux commentaires Pour laisser un commentaire : sélectionnez la cellule où vous pensez qu'il y a une erreur ou un problème, passez à l'onglet Insertion ou Collaboration sur la barre d'outils supérieure et cliquer sur le bouton Commentaires ou utilisez l'icône Commentaires sur la barre latérale de gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur la cellule sélectionnée et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. 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 afficher le commentaire, cliquez sur la cellule. Tout utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référence au travail qu'il/elle a fait. Pour ce faire, utilisez le lien Ajouter une réponse, saisissez le texte de votre réponse dans le champ de saisie et appuyez sur le bouton Répondre. Désactiver l'affichage des commentaires Le commentaire sera affiché sur le panneau à gauche. Le triangle orange apparaîtra dans le coin supérieur droit de la cellule que vous avez commentée. Si vous souhaitez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage de commentaires. Dans ce cas, les cellules commentées ne seront marquées que si vous cliquez sur l'icône Commentaires . Gérer les commentaires Vous pouvez gérer les commentaires ajoutés en utilisant les icônes de la bulle de commentaire ou sur le panneau gauche Commentaires : trier les commentaires ajoutés en cliquant sur l'icône : par date : Plus récent ou Plus ancien. par auteur : Auteur de A à Z ou Auteur de Z à Z par groupe : Tout ou sélectionnez un groupe de la liste. Cette option de trie n'est disponible que si votre version prend en charge cette fonctionnalité. modifier le commentaire actuel en cliquant sur l'icône, supprimer le commentaire actuel en cliquant sur l'icône, fermer la discussion actuelle 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. 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 souhaitez gérer plusieurs commentaires à la fois, ouvrez le menu contextuel Résoudre sous l'onglet Collaboration. Sélectionnez l'une des options disponibles : résoudre les commentaires actuels, marquer mes commentaires comme résolus ou marquer tous les commentaires comme résolus dans la feuille de calcul. Ajouter les mentions Ce n'est qu'au contenu d'une feuille de calcul que vous pouvez ajouter des mentions et pas à la feuille de calcul elle-même. Lorsque vous ajoutez un commentaire sur lequel vous voulez attirer l'attention d'une personne, vous pouvez utiliser la fonction de mentions et envoyer une notification par courrier électronique ou Talk. Pour ajouter une mention, Saisissez \"+\" ou \"@\" n'importe où dans votre commentaire, alors la liste de tous les utilisateurs du portail s'affichera. Pour faire la recherche plus rapide, tapez le prénom approprié dans le champ de saisie, la liste propose les suggestions au cours de la frappe. Puis sélectionnez le nom souhaité dans la liste. Si la personne mentionnée n'a pas l'autorisation d'ouvrir ce fichier, la fenêtre Paramètres de partage va apparaître. Par défaut, un document est partagé en Lecture seule. Modifiez la permission, le cas échéant.. Cliquez sur OK. La personne mentionnée recevra une notification par courrier électronique informant que son nom est mentionné dans un commentaire. La personne recevra encore une notification lorsque un fichier commenté est partagé. Supprimer des commentaires Pour supprimer les commentaires, cliquez sur le bouton Supprimer sous l'onglet Collaboration dans la barre d'outils supérieure, sélectionnez l'option convenable du menu : Supprimer les commentaires actuels à supprimer la sélection du moment. Toutes les réponses qui déjà ont été ajoutées seront supprimés aussi. Supprimer mes commentaires à supprimer vos commentaire et laisser les commentaires d'autres. Toutes les réponses qui déjà ont été ajoutées à vos commentaires seront supprimés aussi. Supprimer tous les commentaires sert à supprimer tous les commentaires du document. Pour fermer le panneau avec les commentaires, cliquez sur l'icône \"Commentaires\" de la barre latérale de gauche encore une fois." + }, + { + "id": "HelpfulHints/Communicating.htm", + "title": "Communiquer en temps réel", + "body": "Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur feuilles de calcul en temps réel, laisser des commentaires pour des fragments des feuilles de calcul nécessitant la participation d'une tierce personne, sauvegarder des versions de la feuille de calcul pour une utilisation ultérieure. Dans le Tableur il est possible de communiquer avec vos co-auteurs en temps réel en utilisant l'outil intégré Chat et les modules complémentaires utiles tels que Telegram ou Rainbow. Pour accéder au Chat et laisser un message pour les autres utilisateurs, cliquez sur l'icône sur la barre latérale gauche, saisissez le texte dans le champ correspondant en bas, cliquez sur le bouton Envoyer. Les messages de discussion sont stockés uniquement pendant une session. Pour discuter le contenu de la feuille de calcul, il est préférable d'utiliser les commentaires, car ils sont stockés jusqu'à ce que vous décidiez de les supprimer. 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 les messages, cliquez sur l'icône encore une fois." }, { "id": "HelpfulHints/ImportData.htm", "title": "Obtenir des données à partir de fichiers Texte/CSV", - "body": "Quand vous avez besoin d'obtenir rapidement des données à partir d'un fichier .txt/.csv file et l'organiser et positionner correctement dans une feuille de calcul, utilisez l'option Récupérer les données à partir d'un fichier texte/CSV file sous l'onglet Données. Étape 1. Importer du fichier Cliquez sur l'option Obtenir les données sous l'onglet Données. Choisissez une des options disponibles: Á partir d'un fichier TXT/CSV file: recherchez le fichier nécessaire sur votre disque dur, sélectionnez-le et cliquer sur Ouvrir. Á partir de l'URL du fichier TXT/CSV file: collez le lien vers le fichier ou un site web dans le champ Coller l'URL de données et cliquez sur OK. Dans ce cas on ne peut pas utiliser le lien pour afficher et modifier un fichier stocké sur le portail ONLYOFFICE ou sur un stockage de nuage externe. Veuillez utiliser le lien pour télécharger le fichier. Étape 2. Configurer les paramètres Assistant importation de texte comporte trois sections: Codage, Délimiteur, Aperçu et Sélectionnez où placer les données. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante. Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles: Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). Cliquez sur le bouton Avancé à droite pour paramétrer les données reconnues en tant que des données numériques: Définissez le Séparateur décimal et le Séparateur de milliers. Les séparateurs par défaut sont '.' pour décimal et ',' pour milliers. Sélectionnez le Qualificateur de texte. Un Qualificateur de texte est le caractère utilisé pour marquer le début et la fin du texte lors de l'importation de données. Les options disponibles sont les suivantes: (aucun), guillemets doubles et apostrophe. Aperçu. Cette section affiche comment le texte sera organisé en cellules. Sélectionnez où placer les données. Saisissez une plage de donnés appropriée ou choisissez le bouton Sélectionner des données à droite. Cliquez sur OK pour importer le fichier et quitter l'assistant importation de texte." + "body": "Quand vous avez besoin d'obtenir rapidement des données à partir d'un fichier .txt/.csv file et l'organiser et positionner correctement dans une feuille de calcul, utilisez l'option Récupérer les données à partir d'un fichier texte/CSV file sous l'onglet Données. Étape 1. Importer du fichier Cliquez sur l'option Obtenir les données sous l'onglet Données. Choisissez une des options disponibles : Á partir d'un fichier TXT/CSV file : recherchez le fichier nécessaire sur votre disque dur, sélectionnez-le et cliquer sur Ouvrir. Á partir de l'URL du fichier TXT/CSV file : collez le lien vers le fichier ou un site web dans le champ Coller l'URL de données et cliquez sur OK. Dans ce cas on ne peut pas utiliser le lien pour afficher et modifier un fichier stocké sur le portail ONLYOFFICE ou sur un stockage de nuage externe. Veuillez utiliser le lien pour télécharger le fichier. Étape 2. Configurer les paramètres Assistant importation de texte comporte trois sections : Codage, Délimiteur, Aperçu et Sélectionnez où placer les données. Codage. Le codage par défaut est UTF-8. Laissez la valeur par défaut ou sélectionnez le codage approprié dans la liste déroulante. Délimiteur. Utilisez ce paramètre pour définir le type de séparateur pour distribuer du texte sur cellules. Les séparateurs disponibles : Virgule, Point-virgule, Deux-points, Tabulation, Espace et Autre (saisissez manuellement). Cliquez sur le bouton Avancé à droite pour paramétrer les données reconnues en tant que des données numériques : Définissez le Séparateur décimal et le Séparateur de milliers. Les séparateurs par défaut sont '.' pour décimal et ',' pour milliers. Sélectionnez le Qualificateur de texte. Un Qualificateur de texte est le caractère utilisé pour marquer le début et la fin du texte lors de l'importation de données. Les options disponibles sont les suivantes : (aucun), guillemets doubles et apostrophe. Aperçu. Cette section affiche comment le texte sera organisé en cellules. Sélectionnez où placer les données. Saisissez une plage de donnés appropriée ou choisissez le bouton Sélectionner des données à droite. Cliquez sur OK pour importer le fichier et quitter l'assistant importation de texte." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Raccourcis clavier", - "body": "Raccourcis clavier pour les touches d'accès Utiliser les raccourcis clavier pour faciliter et accélérer l'accès à Spreadsheet Editor sans l'aide de la souris. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état. Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès. Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet. Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes. Trouverez ci-dessous les raccourcis clavier les plus courants: Windows/Linux Mac OS En travaillant sur le classeur Ouvrir le panneau 'Fichier' Alt+F ⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer le classeur actuel, voir ses informations, créer un nouveau classeur ou ouvrir un classeur existant, accéder à l'aide de Spreadsheet Editor ou aux paramètres avancés. Ouvrir la fenêtre 'Rechercher et remplacer' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Ouvrir la fenêtre Rechercher et remplacer pour commencer à rechercher une cellule contenant les caractères requis. Ouvrir la fenêtre "Rechercher et remplacer" avec le champ de remplacement Ctrl+H ^ Ctrl+H Ouvrir la fenêtre Rechercher et remplacer avec le champ de remplacement pour remplacer une ou plusieurs occurrences des caractères trouvés. Ouvrir le panneau 'Commentaires' Ctrl+⇧ Maj+H ^ Ctrl+⇧ Maj+H, ⌘ Cmd+⇧ Maj+H Ouvrir le volet Commentaires pour ajouter votre commentaire ou pour répondre aux commentaires des autres utilisateurs. Ouvrir le champ de commentaires Alt+H ⌥ Option+H Ouvrir un champ de saisie où vous pouvez ajouter le texte de votre commentaire. Ouvrir le panneau 'Chat' Alt+Q ⌥ Option+Q Ouvrir le panneau Chat et envoyer un message. Enregistrer le classeur Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans le classeur en cours d'édition dans Spreadsheet Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer le classeur Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer le classeur avec l'une des imprimantes disponibles ou l'enregistrer sous forme de fichier. Télécharger comme... Ctrl+⇧ Maj+S ^ Ctrl+⇧ Maj+S, ⌘ Cmd+⇧ Maj+S Ouvrir l'onglet Télécharger comme... pour enregistrer le classeur actuellement affiché sur le disque dur de l'ordinateur dans l'un des formats pris en charge: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Plein écran F11 Passer à l'affichage en plein écran pour adapter Spreadsheet Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide Spreadsheet Editor. Ouvrir un fichier existant (Desktop Editors) Ctrl+O Dans l'onglet Ouvrir fichier local dans Desktop Editors, ouvre la boîte de dialogue standard qui permet de sélectionner un fichier existant. Fermer un fichier (Desktop Editors) Tab/Maj+Tab ↹ Tab/⇧ Maj+↹ Tab Fermer la fenêtre du classeur actuel dans Desktop Editors. Menu contextuel de l'élément ⇧ Maj+F10 ⇧ Maj+F10 Ouvrir le menu Aide Spreadsheet Editor. Réinitialiser le niveau de zoom Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Réinitialiser le niveau de zoom du document actuel par défaut à 100%. Copier une feuille de calcul Appuyez et maintenez la touche Ctrl+ faites glisser l'onglet de la feuille de calcul Appuyez et maintenez la touche ⌥ Option+ faites glisser l'onglet de la feuille de calcul Copier une feuille de calcul entière et déplacer-la pour modifier la position de l'onglet. Navigation Déplacer une cellule vers le haut, le bas, la gauche ou la droite ← → ↑ ↓ ← → ↑ ↓ Activer le contour d'une cellule au-dessus/en-dessous de la cellule sélectionnée ou à gauche/à droite de celle-ci. Aller au bord de la zone de données actuelle Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Activer une cellule à la limite de la région de données courante dans une feuille de calcul. Sauter au début de la ligne Début Début Activer une cellule dans la colonne A de la ligne courante. Sauter au début de la feuille de calcul Ctrl+Début ^ Ctrl+Début Activer la cellule A1. Sauter à la fin de la ligne Fin, Ctrl+→ Fin, ⌘ Cmd+→ Activer la dernière cellule de la ligne actuelle. Sauter à la fin de la feuille de calcul Ctrl+Fin ^ Ctrl+Fin Activer la cellule utilisée en bas à droite de la feuille de calcul située en bas de la ligne du bas avec les données de la colonne la plus à droite avec les données. Si le curseur est sur la ligne de la formule, il sera placé à la fin du texte. Passer à la feuille précédente Alt+Pg. préc ⌥ Option+Pg. préc Passer à la feuille précédente de votre classeur. Passer à la feuille suivante Alt+Pg. suiv ⌥ Option+Pg. suiv Passer à la feuille suivante de votre classeur. Se déplacer d'une ligne vers le haut ↑, ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Activer la cellule au-dessus de la cellule actuelle dans la même colonne. Se déplacer d'une ligne vers le bas ↓, ↵ Entrée ↵ Retour Activer la cellule au-dessous de la cellule actuelle dans la même colonne. Se déplacer d'une colonne vers la gauche ←, ⇧ Maj+↹ Tab ←, ⇧ Maj+↹ Tab Activer la cellule précédente de la ligne actuelle. Se déplacer d'une colonne vers la droite →, ↹ Tab →, ↹ Tab Activer la cellule suivante de la ligne actuelle. Déplacement vers le bas d'un écran Pg. suiv Pg. suiv Déplacer un écran vers le bas dans la feuille de calcul. Déplacement vers le haut d'un écran Pg. préc Pg. préc Déplacer un écran vers le haut dans la feuille de travail. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom avant sur la feuille de calcul en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom arrière sur la feuille de calcul en cours d'édition. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Maj+↹ Tab ↹ Tab/⇧ Maj+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. Sélection de données Sélectionner tout Ctrl+A, Ctrl+⇧ Maj+␣ Barre d'espace ⌘ Cmd+A Sélectionner toute la feuille de calcul. Sélectionner une colonne Ctrl+␣ Barre d'espace Ctrl+␣ Barre d'espace Sélectionner une colonne entière d'une feuille de calcul. Sélectionner une ligne ⇧ Maj+␣ Barre d'espace ⇧ Maj+␣ Barre d'espace Sélectionner une ligne entière d'une feuille de calcul. Sélectionner une plage ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner cellule par cellule. Sélectionner depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début ⇧ Maj+Début Sélectionner une plage depuis le curseur jusqu'au début de la ligne actuelle. Sélectionner depuis le curseur jusqu'à la fin de la ligne ⇧ Maj+Fin ⇧ Maj+Fin Sélectionner une plage depuis le curseur jusqu'à la fin de la ligne actuelle. Étendre la sélection jusqu'au début de la feuille de calcul Ctrl+⇧ Maj+Début ^ Ctrl+⇧ Maj+Début Sélectionner une plage à partir des cellules sélectionnées jusqu'au début de la feuille de calcul. Étendre la sélection à la dernière cellule utilisée Ctrl+⇧ Maj+Fin ^ Ctrl+⇧ Maj+Fin Sélectionner un fragment à partir des cellules sélectionnées actuelles jusqu'à la dernière cellule utilisée sur la feuille de calcul (à la ligne du bas avec les données de la colonne la plus à droite avec les données). Si le curseur se trouve dans la barre de formule, tout le texte de la barre de formule sera sélectionné de la position du curseur jusqu'à la fin sans affecter la hauteur de la barre de formule. Sélectionner une cellule à gauche ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Sélectionner une cellule à gauche dans un tableau. Sélectionner une cellule à droite ↹ Tab ↹ Tab Sélectionner une cellule à droite dans un tableau. Étendre la sélection à la cellule non vierge la plus proche à droite. ⇧ Maj+Alt+Fin, Ctrl+⇧ Maj+→ ⇧ Maj+⌥ Option+Fin Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à droite de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche à gauche. ⇧ Maj+Alt+Début, Ctrl+⇧ Maj+→ ⇧ Maj+⌥ Option+Début Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à gauche de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche en haut/en bas de la colonne Ctrl+⇧ Maj+↑ ↓ Étendre la sélection à la cellule non vierge la plus proche dans la même colonne en haut/en bas à partir de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection vers le bas de l'écran ⇧ Maj+Pg. suiv ⇧ Maj+Pg. suiv Étendre la sélection à toutes les cellules situées à un écran en dessous de la cellule active. Étendre la sélection vers le haut d'un écran ⇧ Maj+Pg. préc ⇧ Maj+Pg. préc Étendre la sélection à toutes les cellules situées un écran plus haut que la cellule active. Annuler et Rétablir Annuler Ctrl+Z ⌘ Cmd+Z Inverser la dernière action effectuée. Rétablir Ctrl+Y ⌘ Cmd+Y Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X Couper les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur, dans un autre classeur, ou dans un autre programme. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur, dans un autre classeur, ou dans un autre programme. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur, à partir d'un autre classeur, ou provenant d'un autre programme. Mise en forme des données Gras Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Mettre la police du fragment de texte sélectionné en gras pour lui donner plus de poids. Italique Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Mettre la police du fragment de texte sélectionné en italique pour lui donner une certaine inclinaison à droite ou supprimer la mise en forme italique. Souligné Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres ou supprimer le soulignage. Barré Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Barrer le fragment de texte sélectionné avec une ligne qui passe à travers les lettres ou supprimer la barre. Ajouter un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte vers un site Web externe ou une autre feuille de calcul. Éditer la cellule active F2 F2 Éditer la cellule active et positionner le point d'insertion à la fin du contenu de la cellule. Si l'édition dans une cellule est désactivée, le point d'insertion sera déplacé dans la barre de formule. Filtrage de données Activer/Supprimer le filtre Ctrl+⇧ Maj+L ^ Ctrl+⇧ Maj+L, ⌘ Cmd+⇧ Maj+L Activer un filtre pour une plage de cellules sélectionnée ou supprimer le filtre. Mettre sous forme de modèle de tableau Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Appliquez un modèle de table à une plage de cellules sélectionnée. Saisie des données Valider la saisie de données dans une cellule et se déplacer vers le bas ↵ Entrée ↵ Retour Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule, et passer à la cellule située au-dessous. Valider la saisie de données dans une cellule et se déplacer vers le haut ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Valider la saisie de données dans la cellule sélectionnée, et passer à la cellule située au-dessus. Valider la saisie de données dans une cellule et se déplacer vers la cellule suivante dans la ligne ↹ Tab ↹ Tab Valider la saisie de données dans une cellule sélectionnée ou dans la barre de formule et se déplacer vers la cellule à droite. Commencer une nouvelle ligne Alt+↵ Entrée Commencer une nouvelle ligne dans la même cellule. Annuler Échap Échap Annuler la saisie de données dans la cellule sélectionnée ou dans la barre de formule. Supprimer à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprime également le contenu de la cellule active. Supprimer à droite Supprimer Supprimer, Fn+← Retour arrière Supprimer un caractère à droite dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Effacer le contenu de cellule Supprimer, ← Retour arrière Supprimer, ← Retour arrière Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Valider une entrée de cellule et se déplacer vers la droite ↹ Tab ↹ Tab Valider une entrée de cellule dans la cellule sélectionnée ou dans la barre de formule et déplacez-vous vers la cellule de droite. Valider une entrée de cellule et déplacez-la vers la gauche. ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule et passer à la cellule de gauche . Insérer des cellules Ctrl+⇧ Maj+= Ctrl+⇧ Maj+= Ouvrir la boîte de dialogue pur insérer de nouvelles cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou insérer une ligne ou une colonne entière. Supprimer les cellules Ctrl+⇧ Maj+- Ctrl+⇧ Maj+- Ouvrir la boîte de dialogue pur supprimer les cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou supprimer une ligne ou une colonne entière. Insérer la date actuelle Ctrl+; Ctrl+; Insérer la date courante dans la cellule sélectionnée. Insérer l'heure actuelle Ctrl+⇧ Maj+; Ctrl+⇧ Maj+; Insérer l'heure courante dans la cellule sélectionnée. Insérer la date et l'heure actuelles Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+; Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Maj+; Insérer la date et l'heure courantes dans la cellule sélectionnée. Fonctions Insérer une fonction ⇧ Maj+F3 ⇧ Maj+F3 Ouvrir la boîte de dialogue pour insérer une nouvelle fonction de la liste prédéfinie. Fonction SOMME Alt+= ⌥ Option+= Insérer la fonction SOMME dans la cellule active. Ouvrir la liste déroulante Alt+↓ Ouvrir une liste déroulante sélectionnée. Ouvrir le menu contextuel ≣ Menu Ouvrir un menu contextuel pour la cellule ou la plage de cellules sélectionnée. Recalculer des fonctions F9 F9 Recalcul du classeur entier. Recalculer des fonctions ⇧ Maj+F9 ⇧ Maj+F9 Recalcul de la feuille de calcul actuelle. Formats de données Ouvrir la boîte de dialogue 'Format de numéro' Ctrl+1 ^ Ctrl+1 Ouvrir la boîte de dialogue Format de numéro Appliquer le format Général Ctrl+⇧ Maj+~ ^ Ctrl+⇧ Maj+~ Appliquer le format de nombre Général. Appliquer le format Devise Ctrl+⇧ Maj+$ ^ Ctrl+⇧ Maj+$ Appliquer le format Devise avec deux décimales (nombres négatifs entre parenthèses). Appliquer le format Pourcentage Ctrl+⇧ Maj+% ^ Ctrl+⇧ Maj+% Appliquer le format Pourcentage sans décimales. Appliquer le format Exponentiel Ctrl+⇧ Maj+^ ^ Ctrl+⇧ Maj+^ Appliquer le format des nombres exponentiels avec deux décimales. Appliquer le format Date Ctrl+⇧ Maj+# ^ Ctrl+⇧ Maj+# Appliquer le format Date avec le jour, le mois et l'année. Appliquer le format Heure Ctrl+⇧ Maj+@ ^ Ctrl+⇧ Maj+@ Appliquer le format Heure avec l'heure et les minutes, et le format AM ou PM. Appliquer un format de nombre Ctrl+⇧ Maj+! ^ Ctrl+⇧ Maj+! Appliquer le format Nombre avec deux décimales, un séparateur de milliers et le signe moins (-) pour les valeurs négatives. Modification des objets Limiter le déplacement ⇧ Maj + faire glisser ⇧ Maj + faire glisser Limiter le déplacement de l'objet sélectionné horizontalement ou verticalement. Régler une rotation de 15 degrés ⇧ Maj + faire glisser (lors de la rotation) ⇧ Maj + faire glisser (lors de la rotation) Limiter la rotation à à des incréments de 15 degrés. Conserver les proportions ⇧ Maj + faire glisser (lors du redimensionnement) ⇧ Maj + faire glisser (lors du redimensionnement) Conserver les proportions de l'objet sélectionné lors du redimensionnement. Tracer une ligne droite ou une flèche ⇧ Maj + faire glisser (lors du tracé de lignes/flèches) ⇧ Maj + faire glisser (lors du tracé de lignes/flèches) Tracer une ligne droite ou une flèche verticale/horizontale/inclinée de 45 degrés. Mouvement par incréments de 1 pixel Ctrl+← → ↑ ↓ Maintenez la touche Ctrl enfoncée en faisant glisser et utilisez les flèches pour déplacer l'objet sélectionné d'un pixel à la fois." + "body": "Raccourcis clavier pour les touches d'accès Utiliser les raccourcis clavier pour faciliter et accélérer l'accès au Tableur sans l'aide de la souris. Appuyez sur la touche Altpour activer toutes les touches d'accès pour l'en-tête, la barre d'outils supérieure, les barres latérales droite et gauche et la barre d'état. Appuyez sur la lettre qui correspond à l'élément dont vous avez besoin. D'autres suggestions de touches peuvent s'afficher en fonction de la touche que vous appuyez. Les premières suggestions de touches se cachent lorsque les suggestions supplémentaires s'affichent. Par exemple, pour accéder à l'onglet Insertion, appuyez sur la touche Alt pour activer les primaires suggestions de touches d'accès. Appuyez sur la lettre I pour accéder à l'onglet Insertion et activer tous les raccourcis clavier disponibles sous cet onglet. Appuyez sur la lettre qui correspond à l'élément que vous allez paramétrer. Appuyez sur la touche Alt pour désactiver toutes les suggestions de touches d'accès ou appuyez sur Échap pour revenir aux suggestions de touches précédentes. Trouverez ci-dessous les raccourcis clavier les plus courants : Windows/Linux Mac OS En travaillant sur la feuille de calcul Ouvrir le panneau 'Fichier' Alt+F ⌥ Option+F Ouvrir le panneau Fichier pour enregistrer, télécharger, imprimer la feuille de calcul actuelle, voir ses informations, créer une nouvelle feuille de calcul ou ouvrir une feuille de calcul existante, accéder à l'aide du Tableur ou aux paramètres avancés. Ouvrir la fenêtre 'Rechercher et remplacer' Ctrl+F ^ Ctrl+F, ⌘ Cmd+F Ouvrir la fenêtre Rechercher et remplacer pour commencer à rechercher une cellule contenant les caractères requis. Ouvrir la fenêtre 'Rechercher et remplacer' avec le champ de remplacement Ctrl+H ^ Ctrl+H Ouvrir la fenêtre Rechercher et remplacer avec le champ de remplacement pour remplacer une ou plusieurs occurrences des caractères trouvés. Ouvrir le panneau 'Commentaires' Ctrl+⇧ Shift+H ^ Ctrl+⇧ Shift+H, ⌘ Cmd+⇧ Shift+H Ouvrir le volet Commentaires pour ajouter votre commentaire ou pour répondre aux commentaires des autres utilisateurs. Ouvrir le champ de commentaires Alt+H ⌥ Option+H Ouvrir un champ de saisie où vous pouvez ajouter le texte de votre commentaire. Ouvrir le panneau 'Chat' Alt+Q ⌥ Option+Q Ouvrir le panneau Chat et envoyer un message. Enregistrer la feuille de calcul Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans la feuille de calcul en cours d'édition dans le Tableur. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer la feuille de calcul Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer la feuille de calcul avec l'une des imprimantes disponibles ou l'enregistrer sous forme de fichier. Télécharger comme... Ctrl+⇧ Shift+S ^ Ctrl+⇧ Shift+S, ⌘ Cmd+⇧ Shift+S Ouvrir l'onglet Télécharger comme... pour enregistrer la feuille de calcul actuellement affichée sur le disque dur de l'ordinateur dans l'un des formats pris en charge : XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Plein écran F11 Passer à l'affichage en plein écran pour adapter le Tableur à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide du Tableur. Ouvrir un fichier existant (Desktop Editors) Ctrl+O Dans l'onglet Ouvrir fichier local dans Desktop Editors, ouvre la boîte de dialogue standard qui permet de sélectionner un fichier existant. Fermer un fichier (Desktop Editors) Tab/Shift+Tab ↹ Tab/⇧ Shift+↹ Tab Fermer la fenêtre de la feuille de calcul actuelle dans Desktop Editors. Menu contextuel de l'élément ⇧ Shift+F10 ⇧ Shift+F10 Ouvrir le menu contextuel de l'élément sélectionné. Réinitialiser le niveau de zoom Ctrl+0 ^ Ctrl+0 or ⌘ Cmd+0 Réinitialiser le niveau de zoom du document actuel par défaut à 100%. Copier une feuille de calcul Appuyez et maintenez la touche Ctrl+ faites glisser l'onglet de la feuille de calcul Appuyez et maintenez la touche ⌥ Option+ faites glisser l'onglet de la feuille de calcul Copier une feuille de calcul entière et déplacer-la pour modifier la position de l'onglet. Navigation Déplacer une cellule vers le haut, le bas, la gauche ou la droite ← → ↑ ↓ ← → ↑ ↓ Activer le contour d'une cellule au-dessus/en-dessous de la cellule sélectionnée ou à gauche/à droite de celle-ci. Aller au bord de la zone de données actuelle Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Activer une cellule à la limite de la région de données courante dans une feuille de calcul. Sauter au début de la ligne Début Début Activer une cellule dans la colonne A de la ligne courante. Sauter au début de la feuille de calcul Ctrl+Début ^ Ctrl+Début Activer la cellule A1. Sauter à la fin de la ligne Fin, Ctrl+→ Fin, ⌘ Cmd+→ Activer la dernière cellule de la ligne actuelle. Sauter à la fin de la feuille de calcul Ctrl+Fin ^ Ctrl+Fin Activer la cellule utilisée en bas à droite de la feuille de calcul située en bas de la ligne du bas avec les données de la colonne la plus à droite avec les données. Si le curseur est sur la ligne de la formule, il sera placé à la fin du texte. Passer à la feuille précédente Alt+Pg. préc ⌥ Option+Pg. préc Passer à la feuille précédente de votre feuille de calcul. Passer à la feuille suivante Alt+Pg. suiv ⌥ Option+Pg. suiv Passer à la feuille suivante de votre feuille de calcul. Se déplacer d'une ligne vers le haut ↑, ⇧ Shift+↵ Entrée ⇧ Shift+↵ Retour Activer la cellule au-dessus de la cellule actuelle dans la même colonne. Se déplacer d'une ligne vers le bas ↓, ↵ Entrée ↵ Retour Activer la cellule au-dessous de la cellule actuelle dans la même colonne. Se déplacer d'une colonne vers la gauche ←, ⇧ Shift+↹ Tab ←, ⇧ Shift+↹ Tab Activer la cellule précédente de la ligne actuelle. Se déplacer d'une colonne vers la droite →, ↹ Tab →, ↹ Tab Activer la cellule suivante de la ligne actuelle. Déplacement vers le bas d'un écran Pg. suiv Pg. suiv Déplacer un écran vers le bas dans la feuille de calcul. Déplacement vers le haut d'un écran Pg. préc Pg. préc Déplacer un écran vers le haut dans la feuille de travail. Déplacement la barre de défilement verticale vers le haut/bas Faire défiler la souris vers le haut/bas Faire défiler la souris vers le haut/bas Déplacer la barre de défilement verticale vers le haut/bas. Déplacement la barre de défilement horizontale vers la gauche/droite ⇧ Shift+Faire défiler la souris vers le haut/bas ⇧ Shift+Faire défiler la souris vers le haut/bas Déplacer la barre de défilement horizontale vers la gauche/droite. Afin de déplacer la barre de défilement vers la droite, faites défiler la roulette de la souris vers le bas. Afin de déplacer la barre de défilement vers la gauche, faites défiler la roulette de la souris vers le haut. Zoom avant Ctrl++ ^ Ctrl+= Zoom avant sur la feuille de calcul en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+- Zoom arrière sur la feuille de calcul en cours d'édition. Naviguer entre les contrôles dans un dialogue modal ↹ Tab/⇧ Shift+↹ Tab ↹ Tab/⇧ Shift+↹ Tab Naviguer entre les contrôles pour mettre en évidence le contrôle précédent ou suivant dans les dialogues modaux. Sélection de données Sélectionner tout Ctrl+A, Ctrl+⇧ Shift+␣ Barre d'espace ⌘ Cmd+A Sélectionner toute la feuille de calcul. Sélectionner une colonne Ctrl+␣ Barre d'espace Ctrl+␣ Barre d'espace Sélectionner une colonne entière d'une feuille de calcul. Sélectionner une ligne ⇧ Shift+␣ Barre d'espace ⇧ Shift+␣ Barre d'espace Sélectionner une ligne entière d'une feuille de calcul. Sélectionner une plage ⇧ Shift+→ ← ⇧ Shift+→ ← Sélectionner cellule par cellule. Sélectionner depuis le curseur jusqu'au début de la ligne ⇧ Shift+Début ⇧ Shift+Début Sélectionner une plage depuis le curseur jusqu'au début de la ligne actuelle. Sélectionner depuis le curseur jusqu'à la fin de la ligne ⇧ Shift+Fin ⇧ Shift+Fin Sélectionner une plage depuis le curseur jusqu'à la fin de la ligne actuelle. Étendre la sélection jusqu'au début de la feuille de calcul Ctrl+⇧ Shift+Début ^ Ctrl+⇧ Shift+Début Sélectionner une plage à partir des cellules sélectionnées jusqu'au début de la feuille de calcul. Étendre la sélection à la dernière cellule utilisée Ctrl+⇧ Shift+Fin ^ Ctrl+⇧ Shift+Fin Sélectionner un fragment à partir des cellules sélectionnées actuelles jusqu'à la dernière cellule utilisée sur la feuille de calcul (à la ligne du bas avec les données de la colonne la plus à droite avec les données). Si le curseur se trouve dans la barre de formule, tout le texte de la barre de formule sera sélectionné de la position du curseur jusqu'à la fin sans affecter la hauteur de la barre de formule. Sélectionner une cellule à gauche ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Sélectionner une cellule à gauche dans un tableau. Sélectionner une cellule à droite ↹ Tab ↹ Tab Sélectionner une cellule à droite dans un tableau. Étendre la sélection à la cellule non vierge la plus proche à droite. ⇧ Shift+Alt+Fin, Ctrl+⇧ Shift+→ ⇧ Shift+⌥ Option+Fin Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à droite de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche à gauche. ⇧ Shift+Alt+Début, Ctrl+⇧ Shift+→ ⇧ Shift+⌥ Option+Début Étendre la sélection à la cellule non vierge la plus proche dans la même rangée à gauche de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection à la cellule non vierge la plus proche en haut/en bas de la colonne Ctrl+⇧ Shift+↑ ↓ Étendre la sélection à la cellule non vierge la plus proche dans la même colonne en haut/en bas à partir de la cellule active. Si la cellule suivante est vide, la sélection sera étendue à la cellule suivante non vide. Étendre la sélection vers le bas de l'écran ⇧ Shift+Pg. suiv ⇧ Shift+Pg. suiv Étendre la sélection à toutes les cellules situées à un écran en dessous de la cellule active. Étendre la sélection vers le haut d'un écran ⇧ Shift+Pg. préc ⇧ Shift+Pg. préc Étendre la sélection à toutes les cellules situées un écran plus haut que la cellule active. Annuler et Rétablir Annuler Ctrl+Z ⌘ Cmd+Z Inverser la dernière action effectuée. Rétablir Ctrl+Y ⌘ Cmd+Y Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Shift+Supprimer ⌘ Cmd+X Couper les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit de la même feuille de calcul, dans une autre feuille de calcul, ou dans un autre programme. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit de la même feuille de calcul, dans une autre feuille de calcul, ou dans un autre programme. Coller Ctrl+V, ⇧ Shift+Inser ⌘ Cmd+V Insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir de la même feuille de calcul, à partir d'une autre feuille de calcul, ou provenant d'un autre programme. Mise en forme des données Gras Ctrl+B ^ Ctrl+B, ⌘ Cmd+B Mettre la police du fragment de texte sélectionné en gras pour lui donner plus de poids. Italique Ctrl+I ^ Ctrl+I, ⌘ Cmd+I Mettre la police du fragment de texte sélectionné en italique pour lui donner une certaine inclinaison à droite ou supprimer la mise en forme italique. Souligné Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres ou supprimer le soulignage. Barré Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Barrer le fragment de texte sélectionné avec une ligne qui passe à travers les lettres ou supprimer la barre. Ajouter un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte vers un site Web externe ou une autre feuille de calcul. Éditer la cellule active F2 F2 Éditer la cellule active et positionner le point d'insertion à la fin du contenu de la cellule. Si l'édition dans une cellule est désactivée, le point d'insertion sera déplacé dans la barre de formule. Filtrage de données Activer/Supprimer le filtre Ctrl+⇧ Shift+L ^ Ctrl+⇧ Shift+L, ⌘ Cmd+⇧ Shift+L Activer un filtre pour une plage de cellules sélectionnée ou supprimer le filtre. Mettre sous forme de modèle de tableau Ctrl+L ^ Ctrl+L, ⌘ Cmd+L Appliquez un modèle de table à une plage de cellules sélectionnée. Saisie des données Valider la saisie de données dans une cellule et se déplacer vers le bas ↵ Entrée ↵ Retour Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule, et passer à la cellule située au-dessous. Valider la saisie de données dans une cellule et se déplacer vers le haut ⇧ Shift+↵ Entrée ⇧ Shift+↵ Retour Valider la saisie de données dans la cellule sélectionnée, et passer à la cellule située au-dessus. Valider la saisie de données dans une cellule et se déplacer vers la cellule suivante dans la ligne ↹ Tab ↹ Tab Valider la saisie de données dans une cellule sélectionnée ou dans la barre de formule et se déplacer vers la cellule à droite. Commencer une nouvelle ligne Alt+↵ Entrée Commencer une nouvelle ligne dans la même cellule. Annuler Échap Échap Annuler la saisie de données dans la cellule sélectionnée ou dans la barre de formule. Supprimer à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprime également le contenu de la cellule active. Supprimer à droite Supprimer Supprimer, Fn+← Retour arrière Supprimer un caractère à droite dans la barre de formule ou dans la cellule sélectionnée lorsque le mode d'édition de cellule est activé. Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Effacer le contenu de cellule Supprimer, ← Retour arrière Supprimer, ← Retour arrière Supprimer le contenu (données et formules) des cellules sélectionnées en gardant la mise en forme des cellules ou les commentaires. Valider une entrée de cellule et se déplacer vers la droite ↹ Tab ↹ Tab Valider une entrée de cellule dans la cellule sélectionnée ou dans la barre de formule et déplacez-vous vers la cellule de droite. Valider une entrée de cellule et déplacez-la vers la gauche. ⇧ Shift+↹ Tab ⇧ Shift+↹ Tab Valider la saisie de données dans la cellule sélectionnée ou dans la barre de formule et passer à la cellule de gauche . Insérer des cellules Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Ouvrir la boîte de dialogue pur insérer de nouvelles cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou insérer une ligne ou une colonne entière. Supprimer les cellules Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Ouvrir la boîte de dialogue pur supprimer les cellules dans la feuille de calcul actuelle et spécifier les paramètres supplémentaires pour se déplacer vers la droite, vers le bas ou supprimer une ligne ou une colonne entière. Insérer la date actuelle Ctrl+; Ctrl+; Insérer la date courante dans la cellule sélectionnée. Insérer l'heure actuelle Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Insérer l'heure courante dans la cellule sélectionnée. Insérer la date et l'heure actuelles Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Shift+; Ctrl+; ensuite ␣ Barre d'espace ensuite Ctrl+⇧ Shift+; Insérer la date et l'heure courantes dans la cellule sélectionnée. Fonctions Insérer une fonction ⇧ Shift+F3 ⇧ Shift+F3 Ouvrir la boîte de dialogue pour insérer une nouvelle fonction de la liste prédéfinie. Fonction SOMME Alt+= ⌥ Option+= Insérer la fonction SOMME dans la cellule active. Ouvrir la liste déroulante Alt+↓ Ouvrir une liste déroulante sélectionnée. Ouvrir le menu contextuel ≣ Menu Ouvrir un menu contextuel pour la cellule ou la plage de cellules sélectionnée. Recalculer des fonctions F9 F9 Recalcul de la feuille de calcul entière. Recalculer des fonctions ⇧ Shift+F9 ⇧ Shift+F9 Recalcul de la feuille de calcul actuelle. Formats de données Ouvrir la boîte de dialogue 'Format de numéro' Ctrl+1 ^ Ctrl+1 Ouvrir la boîte de dialogue Format de numéro Appliquer le format Général Ctrl+⇧ Shift+~ ^ Ctrl+⇧ Shift+~ Appliquer le format de nombre Général. Appliquer le format Devise Ctrl+⇧ Shift+$ ^ Ctrl+⇧ Shift+$ Appliquer le format Devise avec deux décimales (nombres négatifs entre parenthèses). Appliquer le format Pourcentage Ctrl+⇧ Shift+% ^ Ctrl+⇧ Shift+% Appliquer le format Pourcentage sans décimales. Appliquer le format Exponentiel Ctrl+⇧ Shift+^ ^ Ctrl+⇧ Shift+^ Appliquer le format des nombres exponentiels avec deux décimales. Appliquer le format Date Ctrl+⇧ Shift+# ^ Ctrl+⇧ Shift+# Appliquer le format Date avec le jour, le mois et l'année. Appliquer le format Heure Ctrl+⇧ Shift+@ ^ Ctrl+⇧ Shift+@ Appliquer le format Heure avec l'heure et les minutes, et le format AM ou PM. Appliquer un format de nombre Ctrl+⇧ Shift+! ^ Ctrl+⇧ Shift+! Appliquer le format Nombre avec deux décimales, un séparateur de milliers et le signe moins (-) pour les valeurs négatives. Modification des objets Limiter le déplacement ⇧ Shift + faire glisser ⇧ Shift + faire glisser Limiter le déplacement de l'objet sélectionné horizontalement ou verticalement. Régler une rotation de 15 degrés ⇧ Shift + faire glisser (lors de la rotation) ⇧ Shift + faire glisser (lors de la rotation) Limiter la rotation à à des incréments de 15 degrés. Conserver les proportions ⇧ Shift + faire glisser (lors du redimensionnement) ⇧ Shift + faire glisser (lors du redimensionnement) Conserver les proportions de l'objet sélectionné lors du redimensionnement. Tracer une ligne droite ou une flèche ⇧ Shift + faire glisser (lors du tracé de lignes/flèches) ⇧ Shift + faire glisser (lors du tracé de lignes/flèches) Tracer une ligne droite ou une flèche verticale/horizontale/inclinée de 45 degrés. Mouvement par incréments de 1 pixel Ctrl+← → ↑ ↓ Maintenez la touche Ctrl enfoncée en faisant glisser et utilisez les flèches pour déplacer l'objet sélectionné d'un pixel à la fois." }, { "id": "HelpfulHints/Navigation.htm", "title": "Paramètres d'affichage et outils de navigation", - "body": "Pour vous aider à visualiser et sélectionner des cellules dans un grand classeur, Spreadsheet Editor propose plusieurs outils de navigation: les barres de défilement, les boutons de défilement, les onglets de classeur et le zoom. Régler les paramètres d'affichage Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la feuille de calcul, cliquez sur l'icône Paramètres d'affichage sur le côté droit de l'en-tête de l'éditeur et sélectionnez les éléments d'interface que vous souhaitez masquer ou afficher. Vous pouvez choisir une des options suivantes de la liste déroulante Paramètres d'affichage: Masquer la barre d'outils - masque la barre d'outils supérieure contenant les commandes pendant que les onglets restent visibles. Lorsque cette option est activée, vous pouvez cliquer sur n'importe quel onglet pour afficher la barre d'outils. La barre d'outils est affichée jusqu'à ce que vous cliquiez n'importe où à l'extérieur. Pour désactiver ce mode, cliquez sur l'icône Paramètres d'affichage et cliquez à nouveau sur l'option Masquer la barre d'outils. La barre d'outils supérieure sera affichée tout le temps. Remarque: vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Masquer la barre de formule sert à masquer la barre qui se situe au-dessous de la barre d'outils supérieure, utilisée pour saisir et réviser la formule et son contenu. Pour afficher la Barre de formule masquée cliquez sur cette option encore une fois. La Barre de formule est développée d'une ligne quand vous faites glisser le bas de la zone de formule pour l'élargir. Masquer les en-têtes sert à masquer les en-têtes des colonnes en haut et les en-têtes des lignes à gauche de la feuille de calcul. Pour afficher les En-têtes masqués, cliquez sur cette option encore une fois. Masquer le quadrillage sert à masquer les lignes autour des cellules. Pour afficher le Quadrillage masqué cliquez sur cette option encore une fois. Verrouiller les volets - fige toutes les lignes au-dessus de la cellule active et toutes les colonnes à gauche de la cellule active afin qu'elles restent visibles lorsque vous faites défiler la feuille vers la droite ou vers le bas. Pour débloquer les volets, cliquez à nouveau sur cette option ou cliquez avec le bouton droit n'importe où dans la feuille de calcul et sélectionnez l'option Libérer les volets dans le menu. Afficher les ombres des volets verrouillés sert à afficher les colonnes et lignes verrouillées (un trait subtil s'affiche). Afficher des zéros - permet d'afficher les valeurs zéros “0” dans une cellule. Pour activer/désactiver cette option, recherchez la case à cocher Afficher des zéros sous l'onglet Affichage. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) et cliquez sur l'icône de l'onglet actuellement activé sur la droite. Pour réduire la barre latérale droite, cliquez à nouveau sur l'icône. Vous pouvez également modifier la taille du panneau Commentaires ou Chat ouvert en utilisant un simple glisser-déposer : placez le curseur de la souris sur le bord gauche de la barre latérale. Quand il se transforme dans la flèche bidirectionnelle, faites glisser le bord à droite pour augmenter la largeur de la barre latérale. Pour rétablir sa largeur originale faites glisser le bord à droite. Utiliser les outils de navigation Pour naviguer à travers votre classeur, utilisez les outils suivants: Utilisez la touche Tab pour vous déplacer d'une cellule à droite de la cellule sélectionnée. Les barres de défilement (horizontale et verticale) servent à faire défiler la feuille de calcul actuelle vers le haut /le bas et vers la gauche/la droite. Pour naviguer dans une feuille de calcul à l'aide des barres de défilement: cliquez sur la flèche vers le haut/bas ou vers la droite/gauche sur la barre de défilement; faites glisser la case de défilement; cliquez n'importe où à gauche/à droite ou en haut/en bas de la case de défilement sur la barre de défilement. Vous pouvez également utiliser la molette de la souris pour faire défiler votre feuille de calcul vers le haut ou vers le bas. Les boutons de Navigation des feuilles sont situés dans le coin inférieur gauche et servent à faire défiler la liste de feuilles vers la droite/gauche et à naviguer parmi les onglets des feuilles. cliquez sur le bouton Faire défiler vers la première feuille de calcul pour faire défiler la liste de feuilles jusqu'à la première feuille calcul du classeur actuel; cliquez sur le bouton Faire défiler la liste des feuilles à gauche pour faire défiler la liste des feuilles du classeur actuel vers la gauche; cliquez sur le bouton Faire défiler la liste des feuilles à droite pour faire défiler la liste des feuilles du classeur actuel vers la droite ; cliquez sur le bouton cliquez sur le bouton Faire défiler vers la dernière feuille de calcul pour faire défiler la liste des feuilles jusqu'à la dernière feuille de calcul du classeur actuel. Utilisez le bouton sur la barre d'état pour ajouter une nouvelle feuille de calcul au classeur. Pour sélectionner une feuille de calcul nécessaire: cliquez sur le bouton sur la barre d'état pour ouvrir la liste des feuilles de calcul et sélectionnez la feuille de calcul appropriée. L'état de chaque feuille s'affiche aussi dans la liste des feuilles de calcul, ou faites un clic sur l'onglet de la feuille de calcul nécessaire à côté du bouton . Les boutons Zoom sont situés en bas à droite et servent à faire un zoom avant ou un zoom arrière. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) ou utilisez les boutons Zoom avant ou Zoom arrière . Les paramètres de zoom sont aussi accessibles de la liste déroulante Paramètres d'affichage ." + "body": "Pour vous aider à visualiser et sélectionner des cellules dans une grande feuille de calcul, Tableur propose plusieurs outils de navigation : les barres ajustables, les barres de défilement, les boutons de défilement, les onglets de feuille des calcul et le zoom. Régler les paramètres d'affichage Pour ajuster les paramètres d'affichage par défaut et définir le mode le plus pratique pour travailler avec la feuille de calcul, passez à l'onglet Afficher. Vous pouvez choisir l'une des options suivantes de la liste déroulante : Afficher une feuille - afin de gérer les affichages des feuilles. Pour en savoir plus, veuillez consulter cet article. Zoom - afin de définir la valeur requise de zoom de 50% à 500% depuis la liste déroulante. Thème de l'interface - choissez l'un des thèmes de l'interface disponibles depuis la liste déroulante : Identique à système, Claire, Claire classique, Sombre, Contraste sombre. Verrouiller les volets - fige toutes les lignes au-dessus de la cellule active et toutes les colonnes à gauche de la cellule active afin qu'elles restent visibles lorsque vous faites défiler la feuille vers la droite ou vers le bas. Pour débloquer les volets, cliquez à nouveau sur cette option ou cliquez avec le bouton droit n'importe où dans la feuille de travail et sélectionnez l'option Libérer les volets dans le menu. Barre de formule - lorsque cette option est désactivée, elle sert à masquer la barre qui se situe au-dessous de la barre d'outils supérieure, utilisée pour saisir et réviser la formule et son contenu. Pour afficher la Barre de formule masquée, cliquez sur cette option encore une fois. La Barre de formule est développée d'une ligne quand vous faites glisser le bas de la zone de formule pour l'élargir. En-têtes - lorsque cette option est désactivée, elle sert à masquer les en-têtes des colonnes en haut et les en-têtes des lignes à gauche de la feuille de travail. Pour afficher les En-têtes masqués, cliquez sur cette option encore une fois. Quadrillage - lorsque cette option est désactivée, elle sert à masquer les lignes autour des cellules. Pour afficher le Quadrillage masqué cliquez sur cette option encore une fois. Afficher des zéros - permet d'afficher les valeurs zéros “0” dans une cellule. Pour désactiver cette option, décochez la case. Toujours afficher la barre d'outils - lorsque cette option est désactivée, la barre d'outils supérieure contenant les commandes sera masquée pendant que les onglets restent visibles. Vous pouvez également double-cliquer sur un onglet pour masquer la barre d'outils supérieure ou l'afficher à nouveau. Combiner la barre de la feuille et la barre d'état - affiche tous les outils de navigation de feuille et la barre d'état sur une seule ligne. Par défaut cette option est activée. Lorsque vous la désactivez, la barre d'état sera affichée sur deux lignes. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) et cliquez sur l'icône de l'onglet actuellement activé sur la droite. Pour réduire la barre latérale droite, cliquez à nouveau sur l'icône. Quand le panneau Commentaires ou Chat est ouvert, vous pouvez également régler la largeur de la barre gauche avec un simple glisser-déposer : déplacez le curseur de la souris sur la bordure gauche de la barre latérale lorsque les flèches pointent vers les côtés et faites glisser la bordure vers la droite pour augmenter la barre latérale. Pour rétablir sa largeur originale faites glisser le bord à gauche. Utiliser les outils de navigation Pour naviguer à travers votre feuille de calcul, utilisez les outils suivants : Utilisez la clé Onglet sur votre clavier pour vous déplacer sur la cellule à droite de la cellule sélectionnée. Les Barres de défilement (en bas ou sur le côté droit) sont utilisées pour faire défiler la feuille actuelle vers le haut/bas et vers la gauche/droite. Pour naviguer dans une feuille de calcul à l'aide des barres de défilement : cliquez sur les flèches vers le haut/bas ou vers la droite/gauche sur les barres de défilement ; faites glisser la case de défilement ; faites défiler la molette de la souris pour la déplacer verticalement ; utilisez la combinaison de la touche Shift et de la molette de la souris pour la déplacer horizontalement ; cliquez sur n'importe quelle zone à gauche/droite ou en haut/bas de la case de défilement sur la barre de défilement. Vous pouvez également utiliser la molette de la souris pour faire défiler votre feuille de calcul vers le haut ou vers le bas. Les boutons de Navigation des feuilles sont situés dans le coin inférieur gauche et servent à faire défiler la liste de feuilles vers la droite/gauche et à naviguer parmi les onglets des feuilles. cliquez sur le bouton Faire défiler la liste des feuilles à gauche pour faire défiler la liste des feuilles de la feuille de calcul actuelle vers la gauche ; cliquez sur le bouton Faire défiler la liste des feuilles à droite pour faire défiler la liste des feuilles de la feuille de calcul actuelle vers la droite ; Utilisez le bouton sur la barre d'état pour ajouter une nouvelle feuille de travail à la feuille de calcul. Pour sélectionner une feuille nécessaire : cliquez sur le bouton sur la barre d'état afin d'ouvrir la liste des feuilles et de sélectionner la feuille appropriée. L'état de chaque feuille s'affiche aussi dans la liste des feuilles, ou faites un clic sur l'Onglet de la feuille à côté du bouton . Les boutons Zoom sont situés en bas à droite et servent à faire un zoom avant ou un zoom arrière de la feuille actuelle. Pour modifier la valeur de zoom sélectionnée en pourcentage, cliquez dessus et sélectionnez l'une des options de zoom disponibles dans la liste (50% / 75% / 100% / 125% / 150% / 175% / 200% / 300% / 400% / 500%) ou utilisez les boutons Zoom avant ou Zoom arrière . Les paramètres de zoom sont aussi accessibles sur l'onglet Affichage." }, { "id": "HelpfulHints/Password.htm", - "title": "Protéger un classeur avec un mot de passe", - "body": "Vous pouvez protéger vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." + "title": "Protéger une feuille de calcul avec un mot de passe", + "body": "Vous pouvez protéger vos feuilles de calcul avec un mot de passe afin que tous les co-auteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer le mot de passe." }, { "id": "HelpfulHints/Search.htm", "title": "Fonctions de recherche et remplacement", - "body": "Pour rechercher les caractères, mots ou phrases requis utilisés dans Spreadsheet Editor en cours de l'édition, cliquez sur l'icône située sur la barre latérale gauche ou utilisez la combinaison de touches Ctrl+F. Si vous souhaitez rechercher/remplacer des valeurs dans une certaine zone de la feuille en cours uniquement, sélectionnez la plage de cellules nécessaire, puis cliquez sur l'icône . La fenêtre Rechercher et remplacer s'ouvre : Saisissez votre enquête dans le champ correspondant. Spécifiez les options de recherche en cliquant sur l'icône en regard du champ de saisie et en vérifiant les options nécessaires : Respecter la casse sert à trouver les occurrences saisies de la même casse (par exemple, si votre enquête est 'Editeur' et cette option est sélectionnée, les mots tels que 'éditeur' ou 'EDITEUR' etc. ne seront pas trouvés). Contenu de la cellule entière - est utilisé pour trouver uniquement les cellules qui ne contiennent pas d'autres caractères que ceux spécifiés dans votre recherche (par exemple si vous cherchez '56' et que cette option est sélectionnée, les cellules contenant des données telles que '0,56' ou '156' etc. ne seront pas considérées). Surligner les résultats sert à surligner toutes les occurrences trouvées à la fois. Pour désactiver cette option et supprimer le surlignage, décochez la case. Dans - permet de rechercher dans la Feuille active uniquement ou dans l'ensemble du Classeur. Si vous souhaitez effectuer une recherche dans la zone sélectionnée sur la feuille, assurez-vous que l'option Feuille est sélectionnée. Recherche - est utilisé pour spécifier la direction dans laquelle vous souhaitez rechercher : à droite par lignes ou en bas par colonnes. Regarder dans - est utilisé pour spécifier si vous voulez rechercher la Valeur des cellules ou leurs Formules sous-jacentes. Cliquez sur un des boutons à flèche sur la droite. La recherche sera effectuée vers le début de la présentation (si vous cliquez sur le bouton ) ou vers la fin de la présentation (si vous cliquez sur le bouton ) à partir de la position actuelle. La première occurrence des caractères requis dans la direction choisie sera surlignée sur la page. Si ce n'est pas le mot que vous cherchez, cliquez sur le bouton à flèche encore une fois pour trouver l'occurrence suivante des caractères saisis. Pour remplacer une ou plusieurs occurrences des caractères saisis, cliquez sur le lien Remplacer au-dessous du champ d'entrée ou utilisez la combinaison de touches Ctrl+H. La fenêtre Rechercher et remplacer change : Saisissez le texte du replacement dans le champ au-dessous. Cliquez sur le bouton Remplacer pour remplacer l'occurrence actuellement sélectionnée ou le bouton Remplacer tout pour remplacer toutes occurrences trouvées. Pour masquer le champ de remplacement, cliquez sur le lien Masquer le remplacement." + "body": "Pour rechercher les caractères, mots ou phrases dans le Tableur, cliquez sur l'icône située sur la barre latérale gauche, sur l'icône située dans le coin droit supérieur ou utilisez la combinaison de touches Ctrl+F (Command+F pour MacOS) afin d'ouvrir le petit panneau Recherche ou la combinaison de touches Ctrl+H afin d'ouvrir le panneau Recherche complet. Le petit panneau Recherche sera ouvert dans le coin droit supérieur de la zone de travail. Afin d'accéder aux paramètres avancés, cliquez sur l'icône . La fenêtre Rechercher et remplacer s'ouvre : Saisissez votre enquête dans le champ de saisie correspondant Recherche. Afin de parcourir les occurrences trouvées, cliquez sur l'un des boutons à flèche. Le bouton affiche l'occurrence suivante, le bouton affiche l'occurrence précédente. Si vous avez besoin de remplacer une ou plusieurs occurrences des caractères saisis, tapez le texte de remplacement dans le champ de saisie correspondant Remplacer par. Vous pouvez remplacer l'occurrence actuellement sélectionnée ou toutes les occurrences en cliquant sur les boutons correspondants Remplacer et Remplacer tout. Spécifiez les options de recherche en cochant les options nécessaires : Dans - permet de rechercher dans la Feuille active uniquement, dans l'ensemble de la Feuille de calcul ou dans la Plage spécifique. Dans ce dernier cas le champ Sélectionner une plage de données devient actif dans lequel vous pouvez saisir la plage de données requise. Recherche - est utilisée pour spécifier la direction dans laquelle vous souhaitez rechercher : à droite par lignes ou en bas par colonnes. Regarder dans - est utilisée pour spécifier si vous voulez rechercher la Valeur des cellules ou leurs Formules sous-jacentes. Spécifiez les paramètres de recherche en cochant les options nécessaires au-dessous du champ de saisie : Sensible à la casse sert à trouver les occurrences saisies de la même casse (par exemple, si votre enquête est 'Editeur' et cette option est sélectionnée, les mots tels que 'éditeur' ou 'EDITEUR' etc. ne seront pas trouvés). Contenu de la cellule entière - est utilisée pour trouver uniquement les cellules qui ne contiennent pas d'autres caractères que ceux spécifiés dans votre enquête (par exemple si vous cherchez '56' et que cette option est sélectionnée, les cellules contenant des données telles que '0,56' ou '156' etc. ne seront pas considérées). Toutes les occurrences seront surlignées dans le fichier et affichées sous forme de liste dans le panneau Recherche à gauche. Pour passer à l'occurrence requise utilisez la liste ou les boutons de navigation et ." }, { "id": "HelpfulHints/SpellChecking.htm", - "title": "Vérification de l’orthographe", - "body": "Spreadsheet Editor vous permet de vérifier l'orthographe du texte dans une certaine langue et de corriger les erreurs lors de l'édition. Dans la version de bureau, il est également possible d'ajouter des mots dans un dictionnaire personnalisé qui est commun aux trois éditeurs. À partir de la version 6.3, les éditeurs ONLYOFFICE prennent en chatge l'interface SharedWorker pour un meilleur fonctionnement en évitant une utilisation élevée de la mémoire. Si votre navigateur ne prend pas en charge SharedWorker, alors c'est seulement Worker qui sera actif. Pour en savoir plus sur SharedWorker, veuillez consulter cette page. Cliquez l’icône Vérification de l’orthographe dans la barre latérale gauche pour ouvrir le panneau de vérification orthographique. La cellule supérieure gauche qui contient une valeur de texte mal orthographiée sera automatiquement sélectionnée dans la feuille de calcul actuelle. Le premier mot contenant une erreur sera affiché dans le champ de vérification orthographique, et les mots similaires avec une orthographe correcte apparaîtront dans le champ en-dessous. Utilisez le bouton Passer au mot suivant pour naviguer entre les mots dont l’orthographe est erronée. Remplacer les mots mal orthographiés Pour remplacer le mot sélectionné qui est actuellement mal orthographié par celui suggéré, choisissez l'un des mots similaires suggérés dont l’orthographe est correcte, et utilisez l'option Modification : cliquez le bouton Modification, ou cliquez sur la flèche vers le bas à côté du bouton Modification et sélectionnez l'option Modification Le mot actuel sera remplacé et vous passerez au mot suivant mal orthographié. Pour remplacer rapidement tous les mots identiques répétés sur la feuille de calcul, cliquez sur la flèche vers le bas à côté du bouton Modification et sélectionnez l'option Changer tout. Ignorer des mots Pour passer le mot actuel : cliquez sur le bouton Ignorer, ou cliquez sur la flèche vers le bas à côté du bouton Ignorer et sélectionnez l'option Ignorer. Le mot actuel sera ignoré et vous passerez au mot suivant mal orthographié. Pour ignorer tous les mots identiques répétés sur la feuille de calcul, cliquez sur la flèche vers le bas à côté du bouton Ignorer et sélectionnez l'option Ignorer tout. Si le mot actuel manque dans le dictionnaire, vous pouvez l'ajouter au dictionnaire personnalisé à l'aide du bouton Ajouter au dictionnaire dans le panneau de vérification de l’orthographe. Ce mot ne sera pas traité comme une erreur la prochaine fois. Cette option est disponible dans la version de bureau. La Langue du dictionnaire utilisée pour la vérification de l’orthographe s'affiche dans la liste ci-dessous. Vous pouvez le modifier si nécessaire. Une fois que vous avez vérifié tous les mots de la feuille de calcul, le message La vérification de l’orthographe est terminée s'affiche dans le panneau de vérification de l’orthographe. Pour fermer le panneau de vérification de l’orthographe, cliquez sur l'icône de Vérification de l’orthographe dans la barre latérale gauche. Modifier les paramètres de vérification de l’orthographe Pour modifier les paramètres de vérification de l’orthographe, accédez aux paramètres avancés de l'éditeur de feuille de calcul (onglet Fichier -> Paramètres avancés...) et passez à l'onglet Vérification de l’orthographe. Ici, vous pouvez régler les paramètres suivants : Langue du dictionnaire - sélectionnez l'une des langues disponibles dans la liste. La Langue du dictionnaire dans le panneau de vérification de l’orthographe sera modifiée en conséquence. Ignorer les mots en MAJUSCULES - cochez cette option pour ignorer les mots écrits en majuscules, par exemple des acronymes comme SMB. Ignorer les mots contenant des chiffres - cochez cette option pour ignorer les mots contenant des chiffres, p.e. des acronymes comme B2B. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par. Pour sauvegarder les changements que vous avez faits, cliquez sur le bouton Appliquer." + "title": "Vérification de l'orthographe", + "body": "Tableur vous permet de vérifier l'orthographe du texte dans une certaine langue et de corriger les erreurs lors de l'édition. Dans la version de bureau, il est également possible d'ajouter des mots dans un dictionnaire personnalisé qui est commun aux trois éditeurs. À partir de la version 6.3, les éditeurs ONLYOFFICE prennent en charge l'interface SharedWorker pour un meilleur fonctionnement en évitant une utilisation élevée de la mémoire. Si votre navigateur ne prend pas en charge SharedWorker, alors c'est seulement Worker qui sera actif. Pour en savoir plus sur SharedWorker, veuillez consulter cette page. Cliquez l'icône Vérification de l'orthographe dans la barre latérale gauche pour ouvrir le panneau de vérification orthographique. La cellule supérieure gauche qui contient une valeur de texte mal orthographiée sera automatiquement sélectionnée dans la feuille de calcul actuelle. Le premier mot contenant une erreur sera affiché dans le champ de vérification orthographique, et les mots similaires avec une orthographe correcte apparaîtront dans le champ en-dessous. Utilisez le bouton Passer au mot suivant pour naviguer entre les mots dont l'orthographe est erronée. Remplacer les mots mal orthographiés Pour remplacer le mot sélectionné qui est actuellement mal orthographié par celui suggéré, choisissez l'un des mots similaires suggérés dont l'orthographe est correcte, et utilisez l'option Modification : cliquez le bouton Modification, ou cliquez sur la flèche vers le bas à côté du bouton Modification et sélectionnez l'option Modification Le mot actuel sera remplacé et vous passerez au mot suivant mal orthographié. Pour remplacer rapidement tous les mots identiques répétés sur la feuille de calcul, cliquez sur la flèche vers le bas à côté du bouton Modification et sélectionnez l'option Changer tout. Ignorer des mots Pour passer le mot actuel : cliquez sur le bouton Ignorer, ou cliquez sur la flèche vers le bas à côté du bouton Ignorer et sélectionnez l'option Ignorer. Le mot actuel sera ignoré et vous passerez au mot suivant mal orthographié. Pour ignorer tous les mots identiques répétés sur la feuille de calcul, cliquez sur la flèche vers le bas à côté du bouton Ignorer et sélectionnez l'option Ignorer tout. Si le mot actuel manque dans le dictionnaire, vous pouvez l'ajouter au dictionnaire personnalisé à l'aide du bouton Ajouter au dictionnaire dans le panneau de vérification de l'orthographe. Ce mot ne sera pas traité comme une erreur la prochaine fois. Cette option est disponible dans la version de bureau. La Langue du dictionnaire utilisée pour la vérification de l'orthographe s'affiche dans la liste ci-dessous. Vous pouvez le modifier si nécessaire. Une fois que vous avez vérifié tous les mots de la feuille de calcul, le message La vérification de l'orthographe est terminée s'affiche dans le panneau de vérification de l'orthographe. Pour fermer le panneau de vérification de l'orthographe, cliquez sur l'icône de Vérification de l'orthographe dans la barre latérale gauche. Modifier les paramètres de vérification de l'orthographe Pour modifier les paramètres de vérification de l'orthographe, accédez aux paramètres avancés de l'éditeur de feuille de calcul (onglet Fichier -> Paramètres avancés...) et passez à l'onglet Vérification de l'orthographe. Ici, vous pouvez régler les paramètres suivants : Langue du dictionnaire - sélectionnez l'une des langues disponibles dans la liste. La Langue du dictionnaire dans le panneau de vérification de l'orthographe sera modifiée en conséquence. Ignorer les mots en MAJUSCULES - cochez cette option pour ignorer les mots écrits en majuscules, par exemple des acronymes comme SMB. Ignorer les mots contenant des chiffres - cochez cette option pour ignorer les mots contenant des chiffres, p.e. des acronymes comme B2B. Vérification sert à remplacer automatiquement le mot ou le symbole saisi dans le champ Remplacer ou choisi de la liste par un nouveau mot ou symbole du champ Par. Pour sauvegarder les changements que vous avez faits, cliquez sur le bouton Appliquer." }, { "id": "HelpfulHints/SupportedFormats.htm", - "title": "Formats des classeurs pris en charge", - "body": "Un classeur c'est une table de données organisées en lignes et en colonnes. Grâce à la capacité de recalculer automatiquement la feuille toute entière après un changement dans une seule cellule, elle est la plus souvent utilisée pour stocker l'information financière. Spreadsheet Editor vous permet d'ouvrir et de modifier les formats les plus populaires. Formats Description Afficher Édition Télécharger XLS L'extension de fichier pour un classeur créé par Microsoft Excel + + XLSX L'extension de fichier par défaut pour un classeur créé par Microsoft Office Excel 2007 (ou la version ultérieure) + + + XLTX Modèle de feuille de calcul Excel Open XML Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de feuilles de calcul. U n modèle XLTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs feuilles de calcul avec la même mise en forme + + + ODS L'extension de fichier pour un classeur utilisé par les suites OpenOffice et StarOffice, un standard ouvert pour les feuilles de calcul + + + OTS Modèle de feuille de calcul OpenDocument Format de fichier OpenDocument pour les modèles de feuilles de calcul. Un modèle OTS contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs feuilles de calcul avec la même mise en forme + + + CSV Valeurs séparées par une virgule Le format de fichier utilisé pour stocker des données tabulaires (des chiffres et du texte) sous forme de texte clair + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + +" + "title": "Formats des feuilles de calcul pris en charge", + "body": "Une feuille de calcul c'est une table de données organisées en lignes et en colonnes. Grâce à la capacité de recalculer automatiquement la feuille toute entière après un changement dans une seule cellule, elle est la plus souvent utilisée pour stocker l'information financière. Tableur vous permet d'ouvrir et de modifier les formats les plus populaires. Lors du téléchargement ou de l'ouverture d'un fichier, celui-ci sera converti au format Office Open XML (XLSX). Cette conversion permet d'accélérer le traitement des fichiers et d'améliorer l'interopérabilité des données. Le tableau ci-dessous présente les formats de fichiers pour l'affichage et/ou pour l'édition. Formats Description Affichage au format natif Affichage lors de la conversion en OOXML Édition au format natif Édition lors de la conversion en OOXML CSV Valeurs séparées par une virgule Le format de fichier utilisé pour stocker des données tabulaires (des chiffres et du texte) sous forme de texte clair + + ODS L'extension de fichier pour une feuille de calcul utilisée par les suites OpenOffice et StarOffice, un standard ouvert pour les feuilles de calcul + + OTS Modèle de feuille de calcul OpenDocument Format de fichier OpenDocument pour les modèles de feuilles de calcul. Un modèle OTS contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs feuilles de calcul avec la même mise en forme + + XLS L'extension de fichier pour une feuille de calcul créée par Microsoft Excel + + XLSX L'extension de fichier par défaut pour une feuille de calcul créée par Microsoft Office Excel 2007 (ou la version ultérieure) + + XLTX Modèle de feuille de calcul Excel Open XML Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de feuilles de calcul. U n modèle XLTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs feuilles de calcul avec la même mise en forme + + Le tableau ci-dessous présente les formats pris en charge pour le téléchargement d'une feuille de calcul dans le menu Fichier -> Télécharger comme. Format en entrée Téléchargeable comme CSV CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX ODS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX OTS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLSX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLTX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX Veuillez consulter la matrice de conversion sur api.onlyoffice.com pour vérifier s'il est possible de convertir vos feuilles de calcul dans des formats les plus populaires." + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "Historique des versions", + "body": "Tableur permet de gérer le flux de travail continu par l'ensemble de l'équipe : partager des fichiers et des dossiers, collaborer sur des feuilles de calcul en temps réel, communiquer directement depuis l'éditeur, laisser des commentaires pour des fragments de la feuille de calcul nécessitant la participation d'une tierce personne. Dans le Tableur vous pouvez afficher l'historique des versions du document sur lequel vous collaborez. Afficher l'historique des versions : Pour afficher toutes les modifications apportées à la feuille de calcul, passez à l'onglet Fichier, sélectionnez l'option Historique des versions sur la barre latérale gauche, ou passez à l'onglet Collaboration, accédez à l'historique des versions en utilisant l'icône Historique des versions de la barre d'outils supérieure. La liste des versions de la feuille de calcul s'affichera à gauche comportant le nom de l'auteur de chaque version/révision, la date et l'heure de création. Pour les versions de feuille de calcul, le numéro de la version est également indiqué (par exemple ver. 2). Afficher la version Pour savoir exactement quelles modifications ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Les modifications apportées par l'auteur de la version/révision sont marquées avec la couleur qui est affichée à côté du nom de l'auteur dans la barre latérale gauche. Pour revenir à la version actuelle de la feuille de calcul, cliquez sur Fermer l'historique en haut de le liste des versions. Restaurer une version : Si vous souhaitez restaurer l'une des versions précédentes de la feuille de calcul, cliquez sur Restaurer au-dessous de la version/révision sélectionnée. Pour en savoir plus sur la gestion des versions et des révisions intermédiaires, et sur la restauration des versions précédentes, veuillez consulter cet article." }, { "id": "ProgramInterface/CollaborationTab.htm", "title": "Onglet Collaboration", - "body": "L'onglet Collaboration permet d'organiser le travail collaboratif dans Spreadsheet Editor. Dans la version en ligne, vous pouvez partager le fichier, sélectionner le mode de co-édition approprié, gérer les commentaires. En mode Commentaires, vous pouvez ajouter et supprimer les commentaires et utiliser le chat. Dans la version de bureau, vous ne pouvez que gérer des commentaires. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: configurer les paramètres de partage (disponible uniquement dans la version en ligne), basculer entre les modes d'édition collaborative Strict et Rapide (disponible uniquement dans la version en ligne), ajouter et supprimer des commentaires sur une feuille de calcul, ouvrir le panneau de Chat (disponible uniquement dans la version en ligne). suivre l'historique des versions  (disponible uniquement dans la version en ligne)," + "body": "L'onglet Collaboration permet d'organiser le travail collaboratif dans le Tableur. Dans la version en ligne, vous pouvez partager le fichier, sélectionner le mode de co-édition approprié, gérer les commentaires. En mode Commentaires, vous pouvez ajouter et supprimer les commentaires et utiliser le chat. Dans la version de bureau, vous ne pouvez que gérer des commentaires. Présentation de la fenêtre du Tableur en ligne : Présentation de la fenêtre du Tableur pour le bureau : En utilisant cet onglet, vous pouvez : configurer les paramètres de partage (disponible uniquement dans la version en ligne), basculer entre les modes d'édition collaborative Strict et Rapide (disponible uniquement dans la version en ligne), ajouter et supprimer des commentaires sur une feuille de calcul, ouvrir le panneau de Chat (disponible uniquement dans la version en ligne). suivre l'historique des versions  (disponible uniquement dans la version en ligne)," }, { "id": "ProgramInterface/DataTab.htm", "title": "Onglet Données", - "body": "L’onglet Données dans Spreadsheet Editor permet de gérer les données sur une feuille. Fenêtre Online Spreadsheet Editor: Fenêtre Desktop Spreadsheet Editor: Cet onglet vous permet de: trier et filtrer vos données, convertir le texte en colonnes, supprimer les doublons dans une plage de données, grouper et dissocier les données. configurer la validation des données. Obtenir les données à partir de fichiers Texte/CSV." + "body": "L'onglet Données dans le Tableur permet de gérer les données sur une feuille. Fenêtre du Tableur en ligne : Fenêtre du Tableur de bureau : Cet onglet vous permet de : trier et filtrer vos données, convertir le texte en colonnes, supprimer les doublons dans une plage de données, grouper et dissocier les données. configurer la validation des données. Obtenir les données à partir de fichiers Texte/CSV." }, { "id": "ProgramInterface/FileTab.htm", "title": "Onglet Fichier", - "body": "L'onglet Fichier dans Spreadsheet Editor permet d'effectuer certaines opérations de base sur le fichier en cours. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor : En utilisant cet onglet, vous pouvez : dans la version en ligne, enregistrer le fichier actuel (si l'option Enregistrement automatique est désactivée), télécharger comme (enregistrer la feuille de calcul dans le format sélectionné sur le disque dur de l'ordinateur), enregistrer la copie sous (enregistrer une copie de la feuille de calcul dans le format sélectionné dans les documents du portail), imprimer ou renommer le fichier actuel, dans la version bureau, enregistrer le fichier actuel en conservant le format et l'emplacement actuels à l'aide de l'option Enregistrer ou enregistrer le fichier actuel avec un nom, un emplacement ou un format différent à l'aide de l'option Enregistrer sous, imprimer le fichier. protéger le fichier à l'aide d'un mot de passe, modifier ou supprimer le mot de passe (disponible dans la version de bureau uniquement); créer une nouvelle feuille de calcul ou ouvrez une feuille de calcul récemment éditée (disponible dans la version en ligne uniquement), voir des informations générales sur le classeur, suivre l'historique des versions  (disponible uniquement dans la version en ligne), gérer les droits d'accès (disponible uniquement dans la version en ligne), accéder aux Paramètres avancés de l'éditeur, dans la version de bureau, ouvrez le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, ouvrez le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur." + "body": "L'onglet Fichier dans le Tableur permet d'effectuer certaines opérations de base sur le fichier en cours. Fenêtre principale du Tableur en ligne : Fenêtre principale du Tableur de bureau : En utilisant cet onglet, vous pouvez : dans la version en ligne, enregistrer le fichier actuel (si l'option Enregistrement automatique est désactivée), télécharger comme (enregistrer la feuille de calcul dans le format sélectionné sur le disque dur de l'ordinateur), enregistrer la copie sous (enregistrer une copie de la feuille de calcul dans le format sélectionné dans les documents du portail), imprimer ou renommer le fichier actuel, dans la version bureau, enregistrer le fichier actuel en conservant le format et l'emplacement actuels à l'aide de l'option Enregistrer ou enregistrer le fichier actuel avec un nom, un emplacement ou un format différent à l'aide de l'option Enregistrer sous, imprimer le fichier. proteger le fichier en utilisant un mot de passe, changer ou supprimer le mot de passe ; protéger le fichier à l'aide d'un mot de passe, modifier ou supprimer le mot de passe (disponible dans la version de bureau uniquement); créer une nouvelle feuille de calcul ou ouvrez une feuille de calcul récemment éditée (disponible dans la version en ligne uniquement), voir des informations générales sur la feuille de calcul, suivre l'historique des versions  (disponible uniquement dans la version en ligne), gérer les droits d'accès (disponible uniquement dans la version en ligne), accéder aux Paramètres avancés de l'éditeur, dans la version de bureau, ouvrez le dossier où le fichier est stocké dans la fenêtre Explorateur de fichiers. Dans la version en ligne, ouvrez le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur." }, { "id": "ProgramInterface/FormulaTab.htm", "title": "Onglet Formule", - "body": "L’onglet Formule dans Spreadsheet Editor permet de travailler facilement avec toutes les fonctions. Fenêtre Online Spreadsheet Editor: Fenêtre Desktop Spreadsheet Editor: Cet onglet vous permet de: insérer des fonctions à l’aide de la fenêtre de dialogue Insérer une fonction, accéder rapidement aux formules de somme automatique, accéder aux 10 formules récemment utilisées, travailler avec des formules classées en catégories, travailler avec des plages nommées, utiliser les options de calcul: calculer le classeur entier ou la feuille de calcul actuelle uniquement." + "body": "L'onglet Formule dans le Tableur permet de travailler facilement avec toutes les fonctions. Fenêtre du Tableur en ligne : Fenêtre du Tableur de bureau : Cet onglet vous permet de : insérer des fonctions à l'aide de la fenêtre de dialogue Insérer une fonction, accéder rapidement aux formules de somme automatique, accéder aux 10 formules récemment utilisées, travailler avec des formules classées en catégories, travailler avec des plages nommées, utiliser les options de calcul : calculer le classeur entier ou la feuille de calcul actuelle uniquement." }, { "id": "ProgramInterface/HomeTab.htm", "title": "Onglet Accueil", - "body": "L'onglet Accueil dans Spreadsheet Editor s'ouvre par défaut lorsque vous ouvrez un classeur Il permet de formater des cellules et des données en leur sein, appliquer des filtres, insérer des fonctions. D'autres options sont également disponibles ici, telles que la fonction Mettre sous forme de modèle de tableau, etc. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor : En utilisant cet onglet, vous pouvez : définir le type de police, la taille, le style et la couleur, aligner les données dans les cellules, ajouter des bordures de cellules et fusionner des cellules, insérer des fonctions et créer des plages nommées, trier et filtrer les données, modifier le format de nombre ajouter ou supprimer des cellules, lignes ou colonnes, copier/effacer la mise en forme des cellules, utiliser la mise en forme conditionnelle, appliquer un modèle de tableau< à une plage de cellules sélectionnée." + "body": "L'onglet Accueil dans le Tableur s'ouvre par défaut lorsque vous ouvrez une feuille de calcul. Il permet de formater des cellules et des données en leur sein, appliquer des filtres, insérer des fonctions. D'autres options sont également disponibles ici, telles que la fonction Mettre sous forme de modèle de tableau, etc. Fenêtre Tableur en ligne : Fenêtre Tableur de bureau : En utilisant cet onglet, vous pouvez : définir le type de police, la taille, le style et la couleur, aligner les données dans les cellules, ajouter des bordures de cellules et fusionner des cellules, insérer des fonctions et créer des plages nommées, trier et filtrer les données, modifier le format de nombre ajouter ou supprimer des cellules, lignes ou colonnes, copier/effacer la mise en forme des cellules, utiliser la mise en forme conditionnelle, appliquer un modèle de tableau< à une plage de cellules sélectionnée." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Onglet Insertion", - "body": "L'onglet Insertion dans Spreadsheet Editor permet d'ajouter des objets visuels et des commentaires dans votre feuille de calcul. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor : En utilisant cet onglet, vous pouvez : innsérer des tableaux croisés dynamiques, appliquer une mise en forme de tableau , insérer des images, des formes, des zones de texte et des objets Text Art, des graphiques, des graphiques sparklines insérer des commentaires et des liens hypertexte, insérer des en-têtes/pieds de page, insérer des équations et des symboles. insérer des segments." + "body": "Qu'est-ce que l'onglet Insertion ? L'onglet Insertion dans le Tableur permet d'ajouter des objets visuels et des commentaires dans votre feuille de calcul. Fenêtre du Tableur en ligne : Fenêtre du Tableur de bureau : Fonctions de l'onglet Insertion En utilisant cet onglet, vous pouvez : innsérer des tableaux croisés dynamiques, appliquer une mise en forme de tableau , insérer des images, des formes, des zones de texte et des objets Text Art, des graphiques, des graphiques sparklines insérer des commentaires et des liens hypertexte, insérer des en-têtes/pieds de page, insérer des équations et des symboles. insérer des segments." }, { "id": "ProgramInterface/LayoutTab.htm", "title": "Onglet Mise en page", - "body": "L'onglet Mise en page dans Spreadsheet Editor permet de modifier l'aspect de la feuille de calcul : configurer les paramètres de la page et définir la disposition des éléments visuels. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor : En utilisant cet onglet, vous pouvez : ajuster les marges, l'orientation, la taille de la page, spécifier une zone d'impression, insérer des en-têtes ou des pieds de page, mettre à l'échelle une feuille de calcul, imprimer les titres sur une page, aligner et ordonner plusieurs objets (images, graphiques, formes). modifier les jeux de couleurs." + "body": "Qu'est-ce que l'onglet Mise en page ? L'onglet Mise en page dans le Tableur permet de modifier l'aspect de la feuille de calcul : configurer les paramètres de la page et définir la disposition des éléments visuels. Fenêtre du Tableur en ligne : Fenêtre du Tableur de bureau : Fonctions de l'onglet Mise en page En utilisant cet onglet, vous pouvez : ajuster les marges, l'orientation, la taille de la page, spécifier une zone d'impression, insérer des en-têtes ou des pieds de page, mettre à l'échelle une feuille de calcul, imprimer les titres sur une page, aligner et ordonner plusieurs objets (images, graphiques, formes). modifier les jeux de couleurs." }, { "id": "ProgramInterface/PivotTableTab.htm", "title": "Onglet Tableau croisé dynamique", - "body": "L'onglet Tableau croisé dynamique dans Spreadsheet Editor permet de créer et modifier des tableaux croisés dynamiques. Fenêtre de l'éditeur en ligne Spreadsheet Editor : Fenêtre de l'éditeur de bureau Spreadsheet Editor: En utilisant cet onglet, vous pouvez : créer un nouveau tableau croisé dynamique, choisir une mise en page appropriée à votre tableau croisée dynamique, actualiser un tableau croisé dynamique lorsque vous apportez des modifications aux source de données, sélectionnez un tableau croisé dynamique entier en un seul clic, mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique, choisir l'un des styles de tableaux prédéfinis." + "body": "L'onglet Tableau croisé dynamique dans le Tableur permet de créer et modifier des tableaux croisés dynamiques. Fenêtre du Tableur en ligne : Fenêtre du Tableur de bureau : En utilisant cet onglet, vous pouvez : créer un nouveau tableau croisé dynamique, choisir une mise en page appropriée à votre tableau croisée dynamique, actualiser un tableau croisé dynamique lorsque vous apportez des modifications aux source de données, sélectionnez un tableau croisé dynamique entier en un seul clic, mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique, choisir l'un des styles de tableaux prédéfinis." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Onglet Modules complémentaires", - "body": "L'onglet Modules complémentaires dans Spreadsheet Editor permet d'accéder à des fonctions d'édition avancées à l'aide de composants tiers disponibles. Sous cet onglet vous pouvez également utiliser des macros pour simplifier les opérations de routine. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: Le bouton Paramètres permet d'ouvrir la fenêtre où vous pouvez visualiser et gérer toutes les extensions installées et ajouter vos propres modules. Le bouton Macros permet d'ouvrir la fenêtre où vous pouvez créer vos propres macros et les exécuter. Pour en savoir plus sur les macros, veuillez vous référer à la documentation de notre API. Actuellement, les modules suivants sont disponibles: Envoyer permet d'envoyer le classeur par e-mail à l'aide d'un client de messagerie installé sur votre ordinateur (disponible en version de bureau seulement), Code en surbrillance sert à surligner la syntaxe du code en sélectionnant la langue, le style, la couleur de fond approprié etc., Éditeur de photos sert à modifier les images: rogner, retourner, pivoter, dessiner les lignes et le formes, ajouter des icônes et du texte, charger l'image de masque et appliquer des filtres comme Niveaux de gris, Inverser, Sépia, Flou, Embosser, Affûter etc., Thésaurus sert à trouver les synonymes et les antonymes et les utiliser à remplacer le mot sélectionné, Traducteur sert à traduire le texte sélectionné dans des langues disponibles, Remarque: ce module complémentaire ne fonctionne pas sur Internet Explorer. You Tube permet d'ajouter les videos YouTube dans votre classeur. Pour en savoir plus sur les modules complémentaires, veuillez vous référer à la documentation de notre API. Tous les exemples de modules open source actuels sont disponibles sur GitHub." + "body": "L'onglet Modules complémentaires dans le Tableur permet d'accéder à des fonctions d'édition avancées à l'aide de composants tiers disponibles. Sous cet onglet vous pouvez également utiliser des macros pour simplifier les opérations de routine. Présentation de la fenêtre du Tableur en ligne : Présentation de la fenêtre du Tableur pour le bureau : Le bouton Paramètres permet d'ouvrir la fenêtre où vous pouvez visualiser et gérer toutes les extensions installées et ajouter vos propres modules. Le bouton Macros permet d'ouvrir la fenêtre où vous pouvez créer vos propres macros et les exécuter. Pour en savoir plus sur les macros, veuillez vous référer à la documentation de notre API. Actuellement, les modules suivants sont disponibles : Envoyer permet d'envoyer la feuille de calcul par e-mail à l'aide d'un client de messagerie installé sur votre ordinateur (disponible en version de bureau seulement), Code en surbrillance sert à surligner la syntaxe du code en sélectionnant la langue, le style, la couleur de fond approprié etc., Éditeur de photos sert à modifier les images : rogner, retourner, pivoter, dessiner les lignes et le formes, ajouter des icônes et du texte, charger l'image de masque et appliquer des filtres comme Niveaux de gris, Inverser, Sépia, Flou, Embosser, Affûter etc., Thésaurus sert à trouver les synonymes et les antonymes et les utiliser à remplacer le mot sélectionné, Traducteur sert à traduire le texte sélectionné dans des langues disponibles, Remarque : ce module complémentaire ne fonctionne pas sur Internet Explorer. You Tube permet d'ajouter les videos YouTube dans votre feuille de calcul. Pour en savoir plus sur les modules complémentaires, veuillez vous référer à la documentation de notre API. Tous les exemples de modules open source actuels sont disponibles sur GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", - "title": "Présentation de l'interface utilisateur de Spreadsheet Editor", - "body": "Spreadsheet Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. La fenêtre principale de l'éditeur en ligne Spreadsheet Editor La fenêtre principale de l'éditeur de bureau Spreadsheet Editor: 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 des documents ouverts, le nom de la feuille de calcul et les onglets du menu. Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir. Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes: Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre de l'Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. - permet d'ajuster les Paramètres d'affichage et d'accéder aux Paramètres avancés de l'éditeur. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. 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, Mise en page, Formule, Données, Tableau croisé dynamique, Collaboration, Protection, Affichage, Modules complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre de formule permet d'entrer et de modifier des formules ou des valeurs dans les cellules. La Barre de formule affiche le contenu de la cellule actuellement sélectionnée. La Barre d'état en bas de la fenêtre de l'éditeur contient des outils de navigation: boutons de navigation de feuille, bouton pour ajouter une feuille de calcul, bouton pour afficher la liste de feuilles de calcul, onglets de feuille et boutons de zoom. La Barre d'état affiche également l'état de sauvegarde s'exécutant en arrière-plan, l'état de connection quand l'éditeur ne pavient pas à se connecter, le nombre d'enregistrements filtrés si vous appliquez un filtre ou les résultats des calculs automatiques si vous sélectionnez plusieurs cellules contenant des données. La barre latérale gauche contient les icônes suivantes: - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - (disponible dans la version en ligne seulement) permet de contacter notre équipe d'assistance technique, - (disponible dans la version en ligne seulement) permet de visualiser 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 sur une feuille de calcul, 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. La Zone de travail permet d'afficher le contenu du classeur, d'entrer et de modifier les données. Les Barres de défilement horizontales et verticales permettent de faire défiler la feuille actuelle de haut en bas ou de gauche à droite. 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." + "title": "Présentation de l'interface utilisateur du Tableur", + "body": "Tableur utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. Fenêtre principale du Tableur en ligne : Fenêtre principale du Tableur de bureau : 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 des documents ouverts, le nom de la feuille de calcul et les onglets du menu. Dans la partie gauche de l'en-tête de l'éditeur se trouvent les boutons Enregistrer, Imprimer le fichier, Annuler et Rétablir. Dans la partie droite de l'en-tête de l'éditeur, le nom de l'utilisateur est affiché ainsi que les icônes suivantes : Ouvrir l'emplacement du fichier - dans la version de bureau, elle permet d'ouvrir le dossier où le fichier est stocké dans la fenêtre de l'Explorateur de fichiers. Dans la version en ligne, elle permet d'ouvrir le dossier du module Documents où le fichier est stocké dans un nouvel onglet du navigateur. Gérer les droits d'accès au document - (disponible uniquement dans la version en ligne) permet de définir les droits d'accès aux documents stockés dans le cloud. Marquer en tant que favori - cliquez sur l'étoile pour ajouter le fichier aux favoris et pour le retrouver rapidement. Ce n'est qu'un fichier de raccourcis car le fichier lui-même est dans l'emplacement de stockage d'origine. Le fichier réel n'est pas supprimé quand vous le supprimez de Favoris. Recherche - permet de rechercher dans la feuille de calcul un mot ou un symbole particulier, etc. 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, Mise en page, Formule, Données, Tableau croisé dynamique, Collaboration, Protection, Affichage, Modules complémentaires. Des options Copier et Coller sont toujours disponibles dans la partie gauche de la Barre d'outils supérieure, quel que soit l'onglet sélectionné. La Barre de formule permet d'entrer et de modifier des formules ou des valeurs dans les cellules. La Barre de formule affiche le contenu de la cellule actuellement sélectionnée. La Barre d'état en bas de la fenêtre de l'éditeur contient des outils de navigation : boutons de navigation de feuille, bouton pour ajouter une feuille de calcul, bouton pour afficher la liste de feuilles de calcul, onglets de feuille et boutons de zoom. La Barre d'état affiche également l'état de sauvegarde s'exécutant en arrière-plan, l'état de connection quand l'éditeur ne pavient pas à se connecter, le nombre d'enregistrements filtrés si vous appliquez un filtre ou les résultats des calculs automatiques si vous sélectionnez plusieurs cellules contenant des données. La barre latérale gauche contient les icônes suivantes : - permet d'utiliser l'outil Rechercher et remplacer , - permet d'ouvrir le panneau Commentaires , - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat , - permet de vérifier l'orthographe de votre texte dans une certaine langue et de corriger les erreurs lors de l'édition. - permet de contacter notre équipe d'assistance technique, - (disponible dans la version en ligne seulement) permet de visualiser 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 sur une feuille de calcul, 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. La Zone de travail permet d'afficher le contenu de la feuille de calcul, d'entrer et de modifier les données. Les Barres de défilement horizontales et verticales permettent de faire défiler la feuille actuelle de haut en bas ou de gauche à droite. 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/ProtectionTab.htm", "title": "Onglet Protection", - "body": "L'onglet Protection du Spreadsheet Editor permet d'empêcher tout accès non autorisé en utilisant le chiffrement ou la protection au niveau du classeur ou au niveau de la feuille de calcul. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: Chiffrer votre document en définissant un mot de passe, Protéger le livre avec ou sans un mot de passe afin de protéger sa structure, Protéger la feuille de calcul en limitant les possibilités de modification dans une feuille de calcul avec ou sans un mot de passe, Autoriser la modification des plages de cellules verrouillées avec ou sans mot de passe. Activer et désactiver les options suivantes: Cellule verrouillée, Formules cachées, Forme verrouillé, Verrouiller le texte." + "body": "L'onglet Protection du Tableur permet d'empêcher tout accès non autorisé en utilisant le chiffrement ou la protection au niveau du classeur ou au niveau de la feuille de calcul. Présentation de la fenêtre du Tableur en ligne : Présentation de la fenêtre du Tableur pour le bureau : En utilisant cet onglet, vous pouvez : Chiffrer votre document en définissant un mot de passe, Protéger le livre avec ou sans un mot de passe afin de protéger sa structure, Protéger la feuille de calcul en limitant les possibilités de modification dans une feuille de calcul avec ou sans un mot de passe, Autoriser la modification des plages de cellules verrouillées avec ou sans mot de passe. Activer et désactiver les options suivantes : Cellule verrouillée, Formules cachées, Forme verrouillé, Verrouiller le texte." }, { "id": "ProgramInterface/ViewTab.htm", "title": "Onglet Affichage", - "body": "L'onglet Affichage dans ONLYOFFICE Spreadsheet Editor permet de configurer les paramètres d'affichage d'une feuille de calcul en fonction du filtre appliqué et des options d'affichage activées. Présentation de la fenêtre de Spreadsheet Editor en ligne: Présentation de la fenêtre de Spreadsheet Editor pour le bureau: En utilisant cet onglet, vous pouvez: configurer les paramètres d'affichage d'une feuille de calcul, régler le niveau de zoom, sélectionner le thème d'interface: Clair, Classique clair ou Sombre, verrouiller les volets en utilisant les options suivantes: Verrouiller les volets, Verrouiller la ligne supérieure, Verrouiller la première colonne et Afficher l'ombre des zones figées, gérer l'affichage de la barre de formule, des en-têtes, des quadrillages, et des zéros. activer et désactiver les options suivantes: Toujours afficher la barre d'outils pour rendre visible la barre d'outils supérieure, Combiner la barre de la feuille et la barre d'état pour afficher des outils de navigation dans la feuille de calcul et la barre d'état sur une seule ligne. Une fois désactivée, la barre d'état s'affichera sur deux lignes." + "body": "L'onglet Affichage dans le Tableur permet de configurer les paramètres d'affichage d'une feuille de calcul en fonction du filtre appliqué et des options d'affichage activées. Présentation de la fenêtre du Tableur en ligne : Présentation de la fenêtre du Tableur pour le bureau : En utilisant cet onglet, vous pouvez : configurer les paramètres d'affichage d'une feuille de calcul, régler le niveau de zoom, sélectionner le thème d'interface : Clair, Classique clair, Sombre ou Contraste sombre, verrouiller les volets en utilisant les options suivantes : Verrouiller les volets, Verrouiller la ligne supérieure, Verrouiller la première colonne et Afficher l'ombre des zones figées, gérer l'affichage de la barre de formule, des en-têtes, des quadrillages, et des zéros. activer et désactiver les options suivantes : Toujours afficher la barre d'outils pour rendre visible la barre d'outils supérieure. Combiner la barre de la feuille et la barre d'état pour afficher des outils de navigation dans la feuille de calcul et la barre d'état sur une seule ligne. Une fois désactivée, la barre d'état s'affichera sur deux lignes." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Ajouter des bordures et l'arrière-plan d'une cellule", - "body": "Ajouter l'arrière-plan d'une cellule Pour ajouter et mettre en forme l'arrière-plan d'une cellule dans Spreadsheet Editor, sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. pour remplir la cellule avec une couleur unie, cliquez sur l'icône Couleur d'arrière plan sous l'onglet Accueil de la barre d'outil supérieure et sélectionnez la couleur appropriée. pour utiliser des options de remplissage telles que remplissage en dégradé ou modèle, cliquez sur l'icône Paramètres de cellule depuis la barre latérale droite et sélectionnez la section Remplissage: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir les cellules sélectionnées. Cliquez sur la case de couleur et sélectionnez une des palettes: Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Le jeu de couleurs sélectionnée ne les affecte pas. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à l'élément sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu. Remplissage en dégradé - remplir les cellules sélectionnées avec deux couleurs et une transition en douceur appliquée. Angle - spécifiez manuellement l'angle précis de la direction du dégradé (transition se fait en ligne de dégradé sous un certain angle). Direction - choisissez un modèle prédéfini du menu. Les directions disponibles: du haut à gauche vers le bas à droite (45°), de haut en bas (90°), du haut à droite vers le bas à gauche (135°), de droite à gauche (180°), du bas à droite vers le haut à gauche (225°), du bas en haut (270°), du bas à gauche vers le haut à droite (315°), de gauche à droite (0°). Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Utilisez le bouton Supprimer un point de dégradé pour supprimer un certain point de dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Modèle - sélectionnez cette option pour remplir la cellule sélectionnée avec un 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 un remplissage. Ajouter des bordures Pour ajouter et mettre en forme des bordures dans une feuille de calcul, sélectionnez une cellule, une plage de cellules avec la souris ou la feuille de calcul entière en utilisant le raccourci clavier Ctrl+A, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. cliquez sur l'icône Bordures située sous l'onglet Accueil de la barre d'outils supérieure ou cliquez sur l'icône Paramètres de cellule dans la barre latérale droite et utiliser la section Style des bordures, sélectionnez le style de bordure à ajouter: ouvrez le sous-menu Style des bordures et choisissez parmi les options disponibles, ouvrez le sous-menu Couleur de bordure ou utilisez la palette de Couleur dans la barre latérale droite et sélectionnez la couleur dont vous avez besoin dans la palette. sélectionnez l'un des modèles de bordure disponibles: Bordures extérieures , Toutes les bordures , Bordures supérieures , Bordures inférieures , Bordures gauches , Bordures droites , Pas de bordures , Bordures intérieures , Bordures intérieures verticales , Bordures intérieures horizontales , Bordure diagonale ascendante , Bordure diagonale descendante ." + "body": "Ajouter l'arrière-plan d'une cellule Pour ajouter et mettre en forme l'arrière-plan d'une cellule dans le Tableur, sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque : vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. pour remplir la cellule avec une couleur unie, cliquez sur l'icône Couleur d'arrière plan sous l'onglet Accueil de la barre d'outil supérieure et sélectionnez la couleur appropriée. pour utiliser des options de remplissage telles que remplissage en dégradé ou modèle, cliquez sur l'icône Paramètres de cellule depuis la barre latérale droite et sélectionnez la section Remplissage : Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir les cellules sélectionnées. Cliquez sur la case de couleur et sélectionnez une des palettes : Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Le jeu de couleurs sélectionnée ne les affecte pas. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter : La couleur personnalisée sera appliquée à l'élément sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu. Remplissage en dégradé - remplir les cellules sélectionnées avec deux couleurs et une transition en douceur appliquée. Angle - spécifiez manuellement l'angle précis de la direction du dégradé (transition se fait en ligne de dégradé sous un certain angle). Direction - choisissez un modèle prédéfini du menu. Les directions disponibles : du haut à gauche vers le bas à droite (45°), de haut en bas (90°), du haut à droite vers le bas à gauche (135°), de droite à gauche (180°), du bas à droite vers le haut à gauche (225°), du bas en haut (270°), du bas à gauche vers le haut à droite (315°), de gauche à droite (0°). Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Utilisez le bouton Supprimer un point de dégradé pour supprimer un certain point de dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Modèle - sélectionnez cette option pour remplir la cellule sélectionnée avec un 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 un remplissage. Ajouter des bordures Pour ajouter et mettre en forme des bordures dans une feuille de calcul, sélectionnez une cellule, une plage de cellules avec la souris ou la feuille de calcul entière en utilisant le raccourci clavier Ctrl+A, Remarque : vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. cliquez sur l'icône Bordures située sous l'onglet Accueil de la barre d'outils supérieure ou cliquez sur l'icône Paramètres de cellule dans la barre latérale droite et utiliser la section Style des bordures, sélectionnez le style de bordure à ajouter : ouvrez le sous-menu Style des bordures et choisissez parmi les options disponibles, ouvrez le sous-menu Couleur de bordure ou utilisez la palette de Couleur dans la barre latérale droite et sélectionnez la couleur dont vous avez besoin dans la palette. sélectionnez l'un des modèles de bordure disponibles : Bordures extérieures , Toutes les bordures , Bordures supérieures , Bordures inférieures , Bordures gauches , Bordures droites , Pas de bordures , Bordures intérieures , Bordures intérieures verticales , Bordures intérieures horizontales , Bordure diagonale ascendante , Bordure diagonale descendante ." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Ajouter des liens hypertextes", - "body": "Pour ajouter un lien hypertexte dans Spreadsheet Editor, sélectionnez une cellule où un lien hypertexte sera ajouté, passez à l'onglet Insertion 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 spécifiez 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 Plage de données interne et sélectionnez une feuille et une plage dans les champs ci-dessous, ou une Plage nommée existante si vous avez besoin d'ajouter un lien hypertexte menant à une plage de cellules dans le même classeur. Vous pouvez aussi créer un lien externe qui renvoie à une cellule précise ou une plage de cellules en appuyant le bouton Obtenir le lien. Afficher - entrez un texte qui sera cliquable et mène vers l'adresse indiquée dans le champ supérieur.Remarque : si la cellule sélectionnée contient déjà des données, elles seront automatiquement affichées dans ce champ. 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. Si vous placez le curseur sur le lien hypertexte ajouté, vous allez voir le texte de l'infobulle spécifié. Pour suivre le lien, cliquez sur le lien dans votre feuille de calcul. Pour sélectionner une cellule qui contient un lien sans ouvrir le lien, cliquez et maintenez le bouton de la souris enfoncé. Pour supprimer le lien hypertexte ajouté, activez la cellule contenant le lien hypertexte ajouté et appuyez sur la touche Suppr ou cliquez avec le bouton droit sur la cellule et sélectionnez l'option Effacer tout dans la liste déroulante." + "body": "Pour ajouter un lien hypertexte dans le Tableur, sélectionnez une cellule où un lien hypertexte sera ajouté, passez à l'onglet Insertion 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 spécifiez 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 Plage de données interne et sélectionnez une feuille et une plage dans les champs ci-dessous, ou une Plage nommée existante si vous avez besoin d'ajouter un lien hypertexte menant à une plage de cellules dans la même feuille de calcul. Vous pouvez aussi créer un lien externe qui renvoie à une cellule précise ou une plage de cellules en appuyant sur le bouton Obtenir le lien ou en utilisant l'option Obtenir le lien vers cette plage dans le menu clic droit contextuel de la plage de cellules requise. Afficher - entrez un texte qui sera cliquable et mène vers l'adresse indiquée dans le champ supérieur. Remarque : si la cellule sélectionnée contient déjà des données, elles seront automatiquement affichées dans ce champ. 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. Si vous placez le curseur sur le lien hypertexte ajouté, vous allez voir le texte de l'infobulle spécifié. Pour suivre le lien, cliquez sur le lien dans votre feuille de calcul. Pour sélectionner une cellule qui contient un lien sans ouvrir le lien, cliquez et maintenez le bouton de la souris enfoncé. Pour supprimer le lien hypertexte ajouté, activez la cellule contenant le lien hypertexte ajouté et appuyez sur la touche Suppr ou cliquez avec le bouton droit sur la cellule et sélectionnez l'option Effacer tout dans la liste déroulante." }, { "id": "UsageInstructions/AlignText.htm", "title": "Aligner les données dans une cellule", - "body": "Dans Spreadsheet Editor, vous pouvez aligner vos données horizontalement ou verticalement ou même les faire pivoter dans une cellule.. sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Remarque: vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure. Appliquez l'une des options d'alignement horizontal dans la cellule, cliquez sur l'icône Aligner à gauche pour aligner les données sur le bord gauche de la cellule (le bord droit reste non aligné); cliquez sur l'icône Aligner au centre pour aligner les données par le centre de la cellule (les bords droit et gauche restent non alignés); cliquez sur l'icône Aligner à droite pour aligner les données sur le bord droit de la cellule (le bord gauche reste non aligné); cliquez sur l'icône Justifié pour aligner vos données sur le bord gauche et droit de la cellule (un espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Changez l'alignement vertical des données dans la cellule, cliquez sur l'icône Aligner en haut pour aligner vos données sur le bord supérieur de la cellule; cliquez sur l'icône Aligner au milieu pour aligner vos données au milieu de la cellule; cliquez sur l'icône Aligner en bas pour aligner vos données sur le bord inférieur de la cellule. Changez l'angle des données en cliquant sur l'icône Orientation et en choisissant l'une des options: utilisez l'option Texte horizontal pour positionner le texte à l'horizontale (par défaut), utilisez l'option Rotation dans le sens inverse des aiguilles d'une montre pour positionner le texte du coin inférieur gauche au coin supérieur droit d'une cellule, utilisez l'option Rotation dans le sens des aiguilles d'une montre pour positionner le texte du coin supérieur gauche au coin inférieur droit d'une cellule, utilisez l'option Texte vertical pour positionner le texte verticalement, utilisez l'option Rotation du texte vers le haut pour positionner le texte de bas en haut d'une cellule, utilisez l'option Rotation du texte vers le bas pour positionner le texte de haut en bas d'une cellule. Appliquez un retrait au contenu d'une cellule à l'aide de la section Retrait sur la barre latérale droite Paramètres de cellule. Définissez la valeur (c-à-d le nombre de caractères) de déplacer le contenu de cellule à gauche. Les retraits sont réinitialisés lorsque vous modifier l'orientation du texte. Lorsque vous modifiez les retraits du texte pivoté, l'orientation du texte est réinitialisée. Il est possible de définir les retraits seulement si le texte est orienté horizontalement ou verticalement. Pour faire pivoter le texte selon un angle exactement spécifié, cliquez sur l'icône Paramètres de cellule dans la barre latérale de droite et utilisez l'Orientation. Entrez la valeur souhaitée mesurée en degrés dans le champ Angle ou réglez-la à l'aide des flèches situées à droite. Adaptez vos données à la largeur de la colonne en cliquant sur l'icône Renvoyer à la ligne automatiquement sous l'onglet Accueil de la barre d'outil supérieure ou en activant la case à cocher Renvoyer à la ligne automatiquement sur la barre latérale droite. Si vous modifiez la largeur de la colonne, les données seront automatiquement ajustées en conséquence. Adaptez vos données à la largeur de la cellule en activant Réduire pour ajuster sur la barre latérale droite. Le contenu de la cellule est réduit pour s'adapter à la largeur de la cellule." + "body": "Dans le Tableur, vous pouvez aligner vos données horizontalement ou verticalement ou même les faire pivoter dans une cellule.. sélectionnez une cellule ou une plage de cellules avec la souris ou la feuille de calcul entière en appuyant Ctrl+A sur le clavier, Remarque : vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Remarque : vous pouvez mettre en forme du texte à l'aide des icônes sous l'onglet Accueil de la barre d'outils supérieure. Appliquez l'une des options d'alignement horizontal dans la cellule, cliquez sur l'icône Aligner à gauche pour aligner les données sur le bord gauche de la cellule (le bord droit reste non aligné) ; cliquez sur l'icône Aligner au centre pour aligner les données par le centre de la cellule (les bords droit et gauche restent non alignés) ; cliquez sur l'icône Aligner à droite pour aligner les données sur le bord droit de la cellule (le bord gauche reste non aligné) ; cliquez sur l'icône Justifié pour aligner vos données sur le bord gauche et droit de la cellule (un espacement supplémentaire est ajouté si nécessaire pour garder l'alignement). Changez l'alignement vertical des données dans la cellule, cliquez sur l'icône Aligner en haut pour aligner vos données sur le bord supérieur de la cellule ; cliquez sur l'icône Aligner au milieu pour aligner vos données au milieu de la cellule ; cliquez sur l'icône Aligner en bas pour aligner vos données sur le bord inférieur de la cellule. Changez l'angle des données en cliquant sur l'icône Orientation et en choisissant l'une des options : utilisez l'option Texte horizontal pour positionner le texte à l'horizontale (par défaut), utilisez l'option Rotation dans le sens inverse des aiguilles d'une montre pour positionner le texte du coin inférieur gauche au coin supérieur droit d'une cellule, utilisez l'option Rotation dans le sens des aiguilles d'une montre pour positionner le texte du coin supérieur gauche au coin inférieur droit d'une cellule, utilisez l'option Texte vertical pour positionner le texte verticalement, utilisez l'option Rotation du texte vers le haut pour positionner le texte de bas en haut d'une cellule, utilisez l'option Rotation du texte vers le bas pour positionner le texte de haut en bas d'une cellule. Appliquez un retrait au contenu d'une cellule à l'aide de la section Retrait sur la barre latérale droite Paramètres de cellule. Définissez la valeur (c'est-à-dire le nombre de caractères) de déplacer le contenu de cellule à droite. Les retraits sont réinitialisés lorsque vous modifier l'orientation du texte. Lorsque vous modifiez les retraits du texte pivoté, l'orientation du texte est réinitialisée. Il est possible de définir les retraits seulement si le texte est orienté horizontalement ou verticalement. Pour faire pivoter le texte selon un angle exactement spécifié, cliquez sur l'icône Paramètres de cellule dans la barre latérale de droite et utilisez l'Orientation. Entrez la valeur souhaitée mesurée en degrés dans le champ Angle ou réglez-la à l'aide des flèches situées à droite. Adaptez vos données à la largeur de la colonne en cliquant sur l'icône Renvoyer à la ligne automatiquement sous l'onglet Accueil de la barre d'outil supérieure ou en activant la case à cocher Renvoyer à la ligne automatiquement sur la barre latérale droite. Si vous modifiez la largeur de la colonne, les données seront automatiquement ajustées en conséquence. Adaptez vos données à la largeur de la cellule en activant Réduire pour ajuster sur la barre latérale droite. Le contenu de la cellule est réduit pour s'adapter à la largeur de la cellule." }, { "id": "UsageInstructions/AllowEditRanges.htm", "title": "Autoriser la modification des plages", - "body": "L'option Autoriser la modification des plages permet de sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégé. Vous pouvez autoriser la modification de certaines plages de cellules verrouillées avec ou sans mot de passe. On peut modifier la plage de cellules qui n'est pas protégé par un mot de passe. Pour sélectionner une plage de cellules verrouillées qui peut être modifiée: Cliquez sur le bouton Autoriser la modification des plages dans la barre d'outils supérieure. La fenêtre Autoriser les utilisateurs à modifier les plages s'affiche: Dans la fenêtre Autoriser les utilisateurs à modifier les plages, cliquez sur le bouton Nouveau pour sélectionner et ajouter les cellules qui peuvent être modifiées par un utilisateur. Dans la fenêtre Nouvelle plage, saisissez le Titre de la plage et sélectionnez la plage de cellules en cliquant sur le bouton Sélectionner les données. Le Mot de passe est facultatif, alors saisissez et validez-le si vous souhaitez protéger les plages de cellules par un mot de passe. Cliquez sur OK pour valider. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Une fois terminé, cliquez sur le bouton Protéger la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. Lorsque vous cliquez sur le bouton Protéger la feuille de calcul, la fenêtre Protéger la feuille de calcul s'affiche pour que vous sélectionniez les opérations que les utilisateurs peuvent exécuter afin d'empêcher toute modification indésirable. Si vous optez pour une protection avec un mot de passe, saisissez et validez le mot de passe qu'on doit entrer pour annuler la protection de la feuille de calcul. Les opérations que les utilisateurs peuvent exécuter. Sélectionner les cellules verrouillées Sélectionner les cellules non verrouillées Modifier les cellules Modifier les colonnes Modifier les lignes Insérer des colonnes Insérer des lignes Insérer un lien hypertexte Supprimer les colonnes Supprimer les lignes Trier Utiliser Autofilter Utiliser tableau et graphique croisés dynamiques Modifier les objets Modifier les scénarios Cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. Vous pouvez modifier les plages de cellules, tant que la feuille de calcul n'est pas protégée. Cliquez sur le bouton Autoriser la modification des plages pour ouvrir la fenêtre Autoriser les utilisateurs à modifier les plages: Utilisez les boutons Modifier et Supprimer pour gérer les plages de cellules sélectionnées. Ensuite, cliquez sur le bouton Protéger la feuille de calcul pour activer la protection de la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. Avec des plages protégées avec un mot de passe, la fenêtre Déverrouiller la plage s'affiche invitant à saisir le mot de passe lorsque quelqu'un essaie de modifier la plage protégée." + "body": "L'option Autoriser la modification des plages permet de sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégé. Vous pouvez autoriser la modification de certaines plages de cellules verrouillées avec ou sans mot de passe. On peut modifier la plage de cellules qui n'est pas protégé par un mot de passe. Pour sélectionner une plage de cellules verrouillées qui peut être modifiée : Cliquez sur le bouton Autoriser la modification des plages dans la barre d'outils supérieure. La fenêtre Autoriser les utilisateurs à modifier les plages s'affiche : Dans la fenêtre Autoriser les utilisateurs à modifier les plages, cliquez sur le bouton Nouveau pour sélectionner et ajouter les cellules qui peuvent être modifiées par un utilisateur. Dans la fenêtre Nouvelle plage, saisissez le Titre de la plage et sélectionnez la plage de cellules en cliquant sur le bouton Sélectionner les données. Le Mot de passe est facultatif, alors saisissez et validez-le si vous souhaitez protéger les plages de cellules par un mot de passe. Cliquez sur OK pour valider. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Une fois terminé, cliquez sur le bouton Protéger la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. Lorsque vous cliquez sur le bouton Protéger la feuille de calcul, la fenêtre Protéger la feuille de calcul s'affiche pour que vous sélectionniez les opérations que les utilisateurs peuvent exécuter afin d'empêcher toute modification indésirable. Si vous optez pour une protection avec un mot de passe, saisissez et validez le mot de passe qu'on doit entrer pour annuler la protection de la feuille de calcul. Les opérations que les utilisateurs peuvent exécuter. Sélectionner les cellules verrouillées Sélectionner les cellules non verrouillées Modifier les cellules Modifier les colonnes Modifier les lignes Insérer des colonnes Insérer des lignes Insérer un lien hypertexte Supprimer les colonnes Supprimer les lignes Trier Utiliser Autofilter Utiliser tableau et graphique croisés dynamiques Modifier les objets Modifier les scénarios Cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. Vous pouvez modifier les plages de cellules, tant que la feuille de calcul n'est pas protégée. Cliquez sur le bouton Autoriser la modification des plages pour ouvrir la fenêtre Autoriser les utilisateurs à modifier les plages : Utilisez les boutons Modifier et Supprimer pour gérer les plages de cellules sélectionnées. Ensuite, cliquez sur le bouton Protéger la feuille de calcul pour activer la protection de la feuille de calcul ou cliquez sur OK pour enregistrer les modifications et continuer à travailler dans la feuille de calcul non protégée. Avec des plages protégées avec un mot de passe, la fenêtre Déverrouiller la plage s'affiche invitant à saisir le mot de passe lorsque quelqu'un essaie de modifier la plage protégée." }, { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Modifier le format de nombre", - "body": "Appliquer un format de nombre Dans Spreadsheet Editor, vous pouvez facilement modifier le format de nombre, c'est à dire l'apparence d'un nombre saisi dans votre feuille de calcul. Pour ce faire, sélectionnez une cellule, une plage de cellules avec la souris ou la feuille de calcul entière en utilisant la combinaison de touches Ctrl+A, Remarque: vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. faites dérouler la liste Format de nombre située dans l'onglet Accueil de la barre d'outils supérieure ou cliquez avec le bouton droit sur les cellules sélectionnées et utilisez l'option Format de nombre du menu contextuel. Sélectionnez le format de nombre approprié: Général sert à afficher les données saisies en tant que nombres standards de façon la plus compacte, sans aucun signe supplémentaire, Nombre sert à afficher les nombres avec 0-30 chiffres après le point décimal où un séparateur de milliers ajouté entre chaque groupe de trois chiffres avant le point décimal, Scientifique (exponentiel) sert à exprimer le nombre sous la forme d.dddE+ddd ou d.dddE-ddd où chaque d c'est un chiffre de 0 à 9, Comptabilité - est utilisé pour afficher les valeurs monétaires avec le symbole monétaire par défaut et deux décimales. Pour appliquer un autre symbole monétaire ou nombre de décimales, suivez les instructions ci-dessous. Contrairement au format Devise, le format Comptabilité aligne les symboles monétaires sur le côté gauche de la cellule, représente les valeurs nulles sous forme de tirets et affiche les valeurs négatives entre parenthèses. Remarque: pour appliquer rapidement le format Comptabilité aux données sélectionnées, vous pouvez également cliquer sur l'icône Style comptable dans l'onglet Accueil de la barre d'outils supérieure et sélectionner le symbole de devise requis parmi les symboles monétaires suivants: $ Dollar, € Euro, &pound Livre Sterling, ₽ Rouble, &yen Yen, kn Kuna Croate. Monétaire - est utilisé pour afficher les valeurs monétaires avec le symbole monétaire par défaut et deux décimales. Pour appliquer un autre symbole monétaire ou nombre de décimales, suivez les instructions ci-dessous. Contrairement au format Comptabilité, le format Monétaire place un symbole de devise directement avant le premier chiffre et affiche des valeurs négatives avec le signe négatif (-). Date - est utilisé pour afficher les dates, Heure - est utilisé pour afficher les heures, Pourcentage sert à afficher les données en pourcentage avec un symbole de pourcentage %, Remarque: pour ajouter rapidement un symbole de pourcentage à vos données vous pouvez également utiliser l'icône Pour cent style située sous l'onglet Accueil sur la barre d'outils supérieure. Fraction sert à afficher les nombres comme des fractions usuelles plutôt que des nombres décimaux. Texte sert à afficher les valeurs numériques qui sont traitées comme du texte simple avec la plus grande précision disponible. Autres formats - est utilisé pour créer un format de nombre personnalisé ou personnaliser les formats de nombres déjà appliqués en spécifiant des paramètres supplémentaires (voir la description ci-dessous). Personnalisé sert à créer le format personnalisé: sélectionnez une cellule, une plage de cellules ou la feuille de calcul entière contenant les valeurs à mettre en forme, sélectionnez l'option Personnalisé dans le menu Autre formats: saisissez les codes appropriés et vérifiez le résultat dans la zone d'aperçu ou choisissez un modèle et/ou combinez-les. Si vous voulez créer un format d'après un modèle, appliquez donc un format existant et modifiez-le selon votre préférence. cliquez sur OK. modifiez le nombre de décimales, si nécessaire: utilisez l'icône Ajouter une décimale située dans l'onglet Accueil de la barre d'outils supérieure pour afficher plus de chiffres après la virgule, utilisez l'icône Réduire les décimales située dans l'onglet Accueil de la barre d'outils supérieure pour afficher moins de chiffres après la virgule. Remarque: pour modifier le format de nombre, vous pouvez aussi se servir des raccourcis clavier. Personnaliser un format de nombre Vous pouvez personnaliser le format numérique appliqué de la manière suivante: sélectionnez les cellules pour lesquelles vous souhaitez personnaliser le format de nombre, faites dérouler la liste Format de nombre sous l'onglet Accueil de la barre d'outils supérieure ou cliquez avec le bouton droit sur les cellules sélectionnées et utilisez l'option Format de nombre du menu contextuel. sélectionnez l'option Autres formats, Dans la fenêtre Format de nombre qui s'ouvre, ajustez les paramètres disponibles. Les options diffèrent en fonction du format numérique appliqué aux cellules sélectionnées. Vous pouvez utiliser la liste Catégorie pour modifier le format numérique. Pour le format Nombre, vous pouvez définir le nombre de Décimales, spécifier si vous souhaitez Utiliser le séparateur de milliers ou non et choisir l'un des Formats disponibles pour l'affichage des valeurs négatives. Pour les formats Scientifique et Pourcentage, vous pouvez définir le nombre de Décimales. Pour les formats Comptabilité et Monétaire, vous pouvez définir le nombre de Décimales, choisir l'un des Symboles de devise disponibles et l'un des Formats disponibles pour afficher les valeurs négatives. Pour le format Date, vous pouvez sélectionner l'un des formats de date disponibles: 4/15, 04/15, 4/15/06, 04/15/06, 4/15/2006, 04/15/2006, 4/15/06 0:00, 04/15/06 0:00, 4/15/06 12:00 AM, A, Avril15 2006, 15-Avr, 15-Avr-06, Avr-06, Avril-06, A-06, 06-Avr, 15-Avr-2006, 2006-Avr-15, 06-Avr-15,  06-4-15, 06-04-15, 2006-4-15, 2006-04-15, 15/Avr, 15/Avr/06, Avr/06, Avril/06, A/06, 06/Avr, 15/Avr/2006, 2006/Avr/15, 06/Avr/15, 06/4/15, 06/04/15, 2006/4/15, 2006/04/15, 15 Avr, 15 Avr 06, Avr 06, Avril 06, A 06, 06 Avr, 15 Avr 2006, 2006 Avr 15, 06 Avr 15, 06 4 15, 06 04 15, 2006 4 15, 2006 04 15. Pour le format Heure, vous pouvez sélectionner l'un des formats d'heure disponibles: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57.6, 36:48:58. Pour le format Fraction, vous pouvez sélectionner l'un des formats disponibles: D'un chiffre (1/3), De deux chiffres (12/25), De trois chiffres (131/135), Demis (1/2), Quarts (2/4), Huitièmes (4/8), Seizièmes (8/16), Dixièmes (5/10), Centièmes (50/100). Cliquez sur le bouton OK pour appliquer les modifications." + "body": "Appliquer un format de nombre Dans le Tableur, vous pouvez facilement modifier le format de nombre, c'est à dire l'apparence d'un nombre saisi dans votre feuille de calcul. Pour ce faire, sélectionnez une cellule, une plage de cellules avec la souris ou la feuille de calcul entière en utilisant la combinaison de touches Ctrl+A, Remarque : vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. faites dérouler la liste Format de nombre située dans l'onglet Accueil de la barre d'outils supérieure ou cliquez avec le bouton droit sur les cellules sélectionnées et utilisez l'option Format de nombre du menu contextuel. Sélectionnez le format de nombre approprié : Général sert à afficher les données saisies en tant que nombres standards de façon la plus compacte, sans aucun signe supplémentaire, Nombre sert à afficher les nombres avec 0-30 chiffres après le point décimal où un séparateur de milliers ajouté entre chaque groupe de trois chiffres avant le point décimal, Scientifique (exponentiel) sert à exprimer le nombre sous la forme d.dddE+ddd ou d.dddE-ddd où chaque d c'est un chiffre de 0 à 9, Comptabilité - est utilisé pour afficher les valeurs monétaires avec le symbole monétaire par défaut et deux décimales. Pour appliquer un autre symbole monétaire ou nombre de décimales, suivez les instructions ci-dessous. Contrairement au format Devise, le format Comptabilité aligne les symboles monétaires sur le côté gauche de la cellule, représente les valeurs nulles sous forme de tirets et affiche les valeurs négatives entre parenthèses. Remarque : pour appliquer rapidement le format Comptabilité aux données sélectionnées, vous pouvez également cliquer sur l'icône Style comptable dans l'onglet Accueil de la barre d'outils supérieure et sélectionner le symbole de devise requis parmi les symboles monétaires suivants : $ Dollar, € Euro, £ Livre Sterling, ₽ Rouble, ¥ Yen, kn Kuna Croate. Monétaire - est utilisé pour afficher les valeurs monétaires avec le symbole monétaire par défaut et deux décimales. Pour appliquer un autre symbole monétaire ou nombre de décimales, suivez les instructions ci-dessous. Contrairement au format Comptabilité, le format Monétaire place un symbole de devise directement avant le premier chiffre et affiche des valeurs négatives avec le signe négatif (-). Date - est utilisé pour afficher les dates, Heure - est utilisé pour afficher les heures, Pourcentage sert à afficher les données en pourcentage avec un symbole de pourcentage %, Remarque : pour ajouter rapidement un symbole de pourcentage à vos données vous pouvez également utiliser l'icône Pour cent style située sous l'onglet Accueil sur la barre d'outils supérieure. Fraction sert à afficher les nombres comme des fractions usuelles plutôt que des nombres décimaux. Texte sert à afficher les valeurs numériques qui sont traitées comme du texte simple avec la plus grande précision disponible. Autres formats - est utilisé pour créer un format de nombre personnalisé ou personnaliser les formats de nombres déjà appliqués en spécifiant des paramètres supplémentaires (voir la description ci-dessous). Personnalisé sert à créer le format personnalisé : sélectionnez une cellule, une plage de cellules ou la feuille de calcul entière contenant les valeurs à mettre en forme, sélectionnez l'option Personnalisé dans le menu Autre formats : saisissez les codes appropriés et vérifiez le résultat dans la zone d'aperçu ou choisissez un modèle et/ou combinez-les. Si vous voulez créer un format d'après un modèle, appliquez donc un format existant et modifiez-le selon votre préférence. cliquez sur OK. modifiez le nombre de décimales, si nécessaire : utilisez l'icône Ajouter une décimale située dans l'onglet Accueil de la barre d'outils supérieure pour afficher plus de chiffres après la virgule, utilisez l'icône Réduire les décimales située dans l'onglet Accueil de la barre d'outils supérieure pour afficher moins de chiffres après la virgule. Remarque : pour modifier le format de nombre, vous pouvez aussi se servir des raccourcis clavier. Personnaliser un format de nombre Vous pouvez personnaliser le format numérique appliqué de la manière suivante : sélectionnez les cellules pour lesquelles vous souhaitez personnaliser le format de nombre, faites dérouler la liste Format de nombre sous l'onglet Accueil de la barre d'outils supérieure ou cliquez avec le bouton droit sur les cellules sélectionnées et utilisez l'option Format de nombre du menu contextuel. sélectionnez l'option Autres formats, Dans la fenêtre Format de nombre qui s'ouvre, ajustez les paramètres disponibles. Les options diffèrent en fonction du format numérique appliqué aux cellules sélectionnées. Vous pouvez utiliser la liste Catégorie pour modifier le format numérique. Pour le format Nombre, vous pouvez définir le nombre de Décimales, spécifier si vous souhaitez Utiliser le séparateur de milliers ou non et choisir l'un des Formats disponibles pour l'affichage des valeurs négatives. Pour les formats Scientifique et Pourcentage, vous pouvez définir le nombre de Décimales. Pour les formats Comptabilité et Monétaire, vous pouvez définir le nombre de Décimales, choisir l'un des Symboles de devise disponibles et l'un des Formats disponibles pour afficher les valeurs négatives. Pour le format Date, vous pouvez sélectionner l'un des formats de date disponibles : 4/15, 04/15, 4/15/06, 04/15/06, 4/15/2006, 04/15/2006, 4/15/06 0:00, 04/15/06 0:00, 4/15/06 12:00 AM, A, Avril15 2006, 15-Avr, 15-Avr-06, Avr-06, Avril-06, A-06, 06-Avr, 15-Avr-2006, 2006-Avr-15, 06-Avr-15, 06-4-15, 06-04-15, 2006-4-15, 2006-04-15, 15/Avr, 15/Avr/06, Avr/06, Avril/06, A/06, 06/Avr, 15/Avr/2006, 2006/Avr/15, 06/Avr/15, 06/4/15, 06/04/15, 2006/4/15, 2006/04/15, 15 Avr, 15 Avr 06, Avr 06, Avril 06, A 06, 06 Avr, 15 Avr 2006, 2006 Avr 15, 06 Avr 15, 06 4 15, 06 04 15, 2006 4 15, 2006 04 15. Pour le format Heure, vous pouvez sélectionner l'un des formats d'heure disponibles : 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57.6, 36:48:58. Pour le format Fraction, vous pouvez sélectionner l'un des formats disponibles : D'un chiffre (1/3), De deux chiffres (12/25), De trois chiffres (131/135), Demis (1/2), Quarts (2/4), Huitièmes (4/8), Seizièmes (8/16), Dixièmes (5/10), Centièmes (50/100). Cliquez sur le bouton OK pour appliquer les modifications." }, { "id": "UsageInstructions/ClearFormatting.htm", "title": "Effacer un texte ou une mise en forme d'une cellule", - "body": "Effacer la mise en forme Dans Spreadsheet Editor, vous pouvez supprimer rapidement le texte ou la mise en forme de la cellule sélectionnée. Pour le faire, sélectionnez une cellule, une plage de cellules avec la souris ou la feuille de calcul entière en utilisant la combinaison de touches Ctrl+A,Remarque : vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. cliquez sur l'icône Effacer située dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez une des options disponibles : utilisez l'option Tout si vous souhaitez effacer complètement le contenu des cellules de la plage sélectionnée y compris le texte, la mise en forme, la fonction etc ; utilisez l'option Texte si vous souhaitez effacer le texte des cellules de la plage sélectionnée ; utilisez l'option Format si vous souhaitez effacer la mise en forme des cellules de la plage séletionnée. Le texte et les fonctions, s'ils sont présents, seront gardés. utilisez l'option Commentaires si vous souhaitez retirer les commentaires de la plage sélectionnée ; utilisez l'option Hyperliens si vous souhaitez retirer les liens hypertexte de la plage sélectionnée. Remarque : toutes ces options sont également disponibles dans le menu contextuel. Copier la mise en forme de cellule Vous pouvez rapidement copier une certaine mise en forme de cellule et l'appliquer à d'autres cellules. Pour appliquer la mise en forme copiée à une seule cellule ou plusieurs cellules adjacentes, sélectionnez la cellule/plage de cellules dont vous souhaitez copier la mise en forme avec la souris ou en utilisant le clavier, cliquez sur l'icône Copier le style dans l'onglet Accueil de la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante ), sélectionnez la cellule/plage de cellules à laquelle vous souhaitez appliquer la même mise en forme. Pour appliquer la mise en forme copiée à plusieurs cellules ou plages non adjacentes, sélectionnez la cellule/plage de cellules dont vous souhaitez copier la mise en forme avec la souris ou en utilisant le clavier, double-cliquez sur l'icône Copier le style dans l'onglet Accueil de la barre d'outils supérieure (le pointeur de la souris ressemblera à ceci et l'icône Copier le style restera sélectionnée ), cliquez sur des cellules individuelles ou sélectionnez les plages de cellules une par une pour appliquer le même format à chacune d'elles, pour quitter ce mode, cliquez à nouveau sur l'icône Copier le style ou appuyez sur la touche Échap du clavier." + "body": "Effacer la mise en forme Dans le Tableur, vous pouvez supprimer rapidement le texte ou la mise en forme de la cellule sélectionnée. Pour le faire, sélectionnez une cellule, une plage de cellules avec la souris ou la feuille de calcul entière en utilisant la combinaison de touches Ctrl+A, Remarque : vous pouvez également sélectionner plusieurs cellules ou plages non adjacentes en maintenant la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. cliquez sur l'icône Effacer située dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez une des options disponibles : utilisez l'option Tout si vous souhaitez effacer complètement le contenu des cellules de la plage sélectionnée y compris le texte, la mise en forme, la fonction etc ; utilisez l'option Texte si vous souhaitez effacer le texte des cellules de la plage sélectionnée ; utilisez l'option Format si vous souhaitez effacer la mise en forme des cellules de la plage séletionnée. Le texte et les fonctions, s'ils sont présents, seront gardés. utilisez l'option Commentaires si vous souhaitez retirer les commentaires de la plage sélectionnée ; utilisez l'option Hyperliens si vous souhaitez retirer les liens hypertexte de la plage sélectionnée. Remarque : toutes ces options sont également disponibles dans le menu contextuel. Copier la mise en forme de cellule Vous pouvez rapidement copier une certaine mise en forme de cellule et l'appliquer à d'autres cellules. Pour appliquer la mise en forme copiée à une seule cellule ou plusieurs cellules adjacentes, sélectionnez la cellule/plage de cellules dont vous souhaitez copier la mise en forme avec la souris ou en utilisant le clavier, cliquez sur l'icône Copier le style dans l'onglet Accueil de la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante ), sélectionnez la cellule/plage de cellules à laquelle vous souhaitez appliquer la même mise en forme. Pour appliquer la mise en forme copiée à plusieurs cellules ou plages non adjacentes, sélectionnez la cellule/plage de cellules dont vous souhaitez copier la mise en forme avec la souris ou en utilisant le clavier, double-cliquez sur l'icône Copier le style dans l'onglet Accueil de la barre d'outils supérieure (le pointeur de la souris ressemblera à ceci et l'icône Copier le style restera sélectionnée ), cliquez sur des cellules individuelles ou sélectionnez les plages de cellules une par une pour appliquer le même format à chacune d'elles, pour quitter ce mode, cliquez à nouveau sur l'icône Copier le style ou appuyez sur la touche Échap du clavier." + }, + { + "id": "UsageInstructions/CommunicationPlugins.htm", + "title": "Communiquer lors de l'édition", + "body": "Dans le Tableur ONLYOFFICE vous pouvez toujours rester en contact avec vos collègues et utiliser des messageries en ligne populaires, par exemple Telegram et Rainbow. Les plug-ins Telegram et Rainbow ne sont pas installés par défaut. Pour en savoir plus sur leur installation, veuillez consulter l'article approprié : Ajouter des modules complémentaires à ONLYOFFICE Desktop Editors Adding plugins to ONLYOFFICE Cloud, ou Ajouter de nouveaux modules complémentaires aux éditeurs de serveur . Telegram Pour commencer à chatter dans le plug-in Telegram, Passez à l'onglet Modules complémentaires et cliquez sur Telegram, saisissez votre numéro de téléphone dans le champ correspondant, cochez la case Rester connecté lorsque vous souhaitez enregistrer vos données pour la session en cours, ensuite cliquez sur le bouton Suivant, saisissez le code reçu dans votre application Telegram, ou connectez-vous en utilisant le Code QR, ouvrez l'application Telegram sur votre téléphone, passez à Paramètres > Appareils > Numériser QR, numérisez l'image pour vous connecter. Vous pouvez maintenant utiliser Telegram au sein de l'interface des éditeurs ONLYOFFICE. Rainbow Pour commencer à chatter dans le plug-in Rainbow, Passez à l'onglet Modules complémentaires et cliquez sur Rainbow, enregistrez un nouveau compte en cliquant sur le bouton Inscription ou connectez-vous à un compte déjà créé. Pour le faire, saisissez votre email dans le champ correspondant et cliquez sur Continuer, puis saisissez le mot de passe de votre compte, cochez la case Maintenir ma session lorsque vous souhaitez enregistrer vos données pour la session en cours, ensuite cliquez sur le bouton Connecter. Vous êtes maintenant prêt à chatter dans Rainbow et travailler au sein de l'interface des éditeurs ONLYOFFICE en même temps." }, { "id": "UsageInstructions/ConditionalFormatting.htm", "title": "La mise en forme conditionnelle", - "body": "Mise en forme conditionnelle La mise en forme conditionnelle permet d'appliquer des différents styles de mise en forme (couleur, police, décoration, dégradé) de cellules pour travailler avec les données en tableaux: mettre en surbrillance, trier les données et les afficher selon un ou plusieurs critères. Adaptez les critères à vos besoins, créez de nouvelles règles de mise en forme, modifiez, gérez ou effacez des règles existantes. ONLYOFFICE Spreadsheet Editor prend en charge les règles de mise en forme conditionnelle suivantes: Valeur est, Premiers/Derniers, Moyenne, Texte, Date, Vide/Erreur, Doublon/Unique, Barres de données, Échelle de couleurs, Formule. Pour un accès rapide ou si vous souhaitez choisir l'une des conditions prédéfinies ou accéder à toutes les options de mise en forme conditionnelle disponibles, passez à l'onglet Accueil et cliquez sur le bouton Mise en forme conditionnelle . Toutes les options de Mise en forme conditionnelle sont également disponibles sur la barre latérale droite sous l'onglet Paramètres de cellule. Cliquez sur la flèche vers le bas du bouton Mise en forme conditionnelle pour accéder à la liste déroulante avec toutes les options disponibles. Si vous souhaitez créer une nouvelle règle de mise en forme conditionnelle, cliquez avec le bouton droit sur une cellule et sélectionnez Mise en forme conditionnelle du menu contextuel pour afficher la fenêtre Nouvelle règle de mise en forme. Pour appliquer une mise en forme prédéfinie, sélectionnez une plage de cellules, ensuite cliquez sur le bouton Mise en forme conditionnelle de la barre d'outils supérieure, ou cliquez sur Mise en forme conditionnelle sous l'onglet Paramètres de cellule sur la barre latérale droite et choisissez une règle appropriée dans la liste déroulante. . La fenêtre Nouvelle règle de mise en forme s'affiche pour paramétrer les options de mise en surbrillance. Règle de mise en forme Valeur est La règle de mise en forme Valeur est s'utilise pour rechercher et mettre en surbrillance des cellules répondant à certaines conditions de comparaison: Supérieure à Supérieure ou égale à Inférieure à Inférieure ou égale à Égale à N'est pas égale à Entre Pas entre La section Règle affiche la règle et la condition de comparaison sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. Utilisez le champ Sélectionner des données pour sélectionner la valeur de comparaison. Utiliser la référence vers une cellule ou la référence avec une fonction de la feuille de calcul telle que SOMME (A1:B5). La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre les règles prédéfinies de mise en forme telles que Supérieure à et Entre. Selon cette règle la mise en forme est appliquée aux cellules pour mettre en vert les montagnes dont la hauteur est supérieure à 6,960 et mettre en rose le centile entre 5,000 et 6,500. Règle de mise en forme Premiers/Derniers La règle Premiers/Derniers s'utilise pour retrouver et afficher des valeurs les plus élevées et les moins élevées. Les 10 premiers Premiers 10% Les 10 derniers Derniers 10% La section Règle affiche la règle et la condition de comparaison sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles pour définir des valeurs (pourcentage) supérieures ou inférieures à afficher et de définir si vous souhaitez mettre en surbrillance selon la quantité ou le pourcentage. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre les règles prédéfinies de mise en forme telles que Premiers 10% qui affiche 20% de valeurs les plus élevées et Les 10 derniers. Selon cette règle la mise en forme est appliquée aux cellules pour mettre en orange les premiers 20% de villes avec des frais les plus élevés et mette en bleu les derniers 10 villes où les livres sont moins vendus. Règle de mise en forme Moyenne La règle Moyenne s'utilise pour retrouver et afficher des valeurs au-dessus et en-dessous de la moyenne ou l'écart type. Au-dessus En dessous Si égale ou supérieure à Si égale ou en dessous 1 écart-type au-dessus 1 écart-type en dessous 2 écarts types au-dessus 2 écarts types en dessous 3 écarts types au-dessus 3 écarts types en dessous La section Règle affiche la règle et la condition sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Au-dessus de la moyenne. Selon cette règle la mise en forme est appliquée aux cellules pour mettre en vert des villes visitées au-dessus de la moyenne. Règle de mise en forme Texte La règle de mise en forme Texte s'utilise pour retrouver et afficher des cellules comportant du texte répondant à certaines conditions de mise en forme: Contient Ne contient pas Commence par Se termine par La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. Utilisez le champ Sélectionner des données pour sélectionner la valeur de comparaison. Utiliser la référence vers une cellule ou la référence avec une fonction de la feuille de calcul telle que SOMME (A1:B5). La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Contient. Selon cette règle la mise en forme est appliquée aux cellules comportant Danemark pour mettre en rose des ventes dans un région spécifique. Règle de mise en forme Date La règle de mise en forme Date s'utilise pour retrouver et afficher des cellules comportant de la date répondant à certaines conditions de mise en forme: Hier Aujourd'hui Demain Pendant le 7 derniers jours Semaine dernière Cette semaine Semaine suivante Mois dernier Ce mois Mois suivant La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Mois dernier. Selon cette règle la mise en forme est appliquée aux cellules comportant les dates du dernier mois pour mettre en jaune des ventes pendant une certaine période de temps. Règle de mise en forme Vide/Erreur La règle de mise en forme Vide/Erreur s'utilise pour retrouver et mettre en surbrillance des cellules vides ou erreurs. Contient les vides Ne contient pas les vides Contient les erreurs Ne contient pas les erreurs La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Contient les vides. Selon cette règle la mise en forme est appliquée aux cellules vides dans la colonne pour mettre en bleu la valeur de ventes. Règle de mise en forme Doublon/Unique La règle de mise en forme Doublon/Unique s'utilise pour afficher des cellules comportant des doublons dans une feuille de calcul ou dans une plage de cellule définie par la mise en forme conditionnelle disponible: Doublon Unique La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Doublon. Selon cette règle la mise en forme est appliquée aux cellules comportant des contacts en double pour les mettre en jaune. Mise en forme en utilisant des barres de données Barres de données s'utilisent pour comparer les valeurs sous la forme d'un graphique à barres. Par exemple, comparez l'altitude des sommets en affichant les valeurs par défaut en mètres (la barre verte) et les mêmes valeurs en pourcentage entre 0 et 100 (la barre jaune); rang-centile s'il y a des valeurs aberrantes (la barre bleu claire); les barres seulement au lieu de nombres (la barre bleu); analyse de donnés à deux colonnes pour voir les nombres aussi que les barres (la barre rouge). Mise en forme en utilisant des échelles de couleurs Échelle de couleurs s'utilise pour visualiser les données grâce à des dégradés de couleurs en fonction de la distribution des valeurs. L'exemple ci-après illustre toutes les colonnes de “Dairy” à “Beverage” comportant un dégradé bicolore jaune et rouge; la colonne “Total Sales” comportant un dégradé tricolore, du fond moins foncé rouge pour les valeurs les plus faibles et au fond plus foncé bleu pour les valeurs les plus élevées. Mise en forme en utilisant des jeux d'icônes Jeux d'icônes s'utilisent pour afficher l'icône pour la cellule répondant aux critères définis. Spreadsheet Editor prend en charge plusieurs jeux d'icônes: Directionnel Formes Indices Évaluations Les exemples ci-après montrent les jeux d'icône les plus courantes dans la mise en forme conditionnelle. Les cellules sont mis en forme en utilisant les flèches appropriées au lieu des nombres et pourcentage pour affichez votre chiffre d'affaires dans la colonne “Status” et son évolution dans la colonne “Trend”. L'outil de mise en forme conditionnelle affiche les icônes appropriés au lieux des nombres de 1 à 5 selon la légende en haut pour chaque élément sur la liste de classement. Il ne faut pas calculer manuellement et comparer les indicateurs mensuels d'évolution du chiffre d'affaires car ce fait est illustré par les flèches rouges ou verts dans les cellules mises en forme. Profitez des échelles de couleur (rouge, jaune, vert) pour visualiser l'évolution des ventes. Mise en forme en utilisant des formules La mise en forme basé sur une formule utilise plusieurs formules pour filtrer des données en fonction de vos besoins spécifiques. La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. Utilisez le champ Sélectionner des données pour sélectionner la valeur de comparaison. Utiliser la référence vers une cellule ou la référence avec une fonction de la feuille de calcul telle que SOMME (A1:B5). La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles: ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. Les exemples ci-après illustre les possibilité de mise en forme en utilisant des formules. Ombrer des lignes filtrées alternées, Comparer à la valeur de référence (ici c'est $55) et démontrer que celle-ci est au-dessus (vert) ou au-dessous (rouge), Appliquer la mise en forme aux lignes répondant aux critères que vous spécifiez (voir des objectifs à réaliser ce mois-ci, dans le cas d'espèce c'est octobre) Ou mette en forme seulement les lignes uniques Créer de nouveaux règles Lorsque vous devez créer une nouvelle règle de mise en forme conditionnelle, choisissez l'une de façons suivantes de procéder: Passez à l'onglet Accueil, cliquez sur le bouton Mise en forme conditionnelle et sélectionnez Nouvelle règle dans le menu déroulant. Cliquez sur l'onglet Paramètres de cellule sur la barre latérale gauche et cliquez sur la flèche en bas du bouton Mise en forme conditionnelle et sélectionnez Nouvelle règle dans le menu déroulant. Cliquez avec le bouton droit sur une cellule et sélectionnez Mise en forme conditionnelle du menu contextuel. Le fenêtre Nouvelle règle de mise en forme s'affiche tout de suite. Paramétrez la règle comme il est décrit précédemment, et cliquez sur OK. Gérer des règles de mise en forme conditionnelle Une fois la règle de mise en forme conditionnelle est définie, il est possible de la modifier, supprimer et afficher tout simplement en utilisant l'option Gérer les règles. Pour ce faire, cliquez sur le bouton Mise en forme conditionnelle sous l'onglet Accueil ou sous l'onglet Paramètres de cellule sur la barre latérale gauche. La fenêtre Mise en forme conditionnelle s'affiche: Afficher les règles de la mise en forme pour permet de sélectionner les règles à afficher: Sélection actuelle Cette feuille de calcul Ce tableau Ce tableau croisé dynamique Tous les règles de la zone choisi s'affichent dans l'ordre de priorité (de haut en bas) dans la liste Règles. Dans la colonne Appliquer à s'affiche la zone à laquelle cette règle s'applique, vous pouvez modifier la zone en cliquant sur l'icône Sélectionner des données . Dans la colonne Format s'affiche la mise en forme utilisée. Utilisez le bouton Nouvelle pour ajouter une nouvelle règle. Utilisez le bouton Modifier pour modifier une règle existante et accéder à la fenêtre Modifier les règles de mise en forme. Modifier la règle selon ce que vous jugez approprié et cliquez sur OK. Utilisez les flèches vers le haut et vers le bas pour modifier l'ordre de priorité. Cliquez sur Supprimer pour effacer la règle. Cliquez sur OK pour valider. Modifier la mise en forme conditionnelle Modifier des règles Valeur est, Premiers/Derniers, Moyenne, Texte, Date, Vide/Erreur, Doublon/Unique, Formule. La fenêtre Modifier les règles de mise en forme offre une gamme d'options communs pour les règles Valeur est, Premiers/Derniers, Moyenne, Texte, Date, Vide/Erreur, Doublon/Unique, Formule: Cliquez sur Règle pour modifier la règle et la condition définie; Utilisez Sélectionner des données pour modifier la plage de cellules à laquelle on fait la référence. Utilisez des option de mise en forme de la Police et de la cellule (Gras, Italique, Souligné, Barré), Couleur de texte, Couleur de remplissage et Bordures. Cliquez sur la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier des barres de données La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme à l'aide des Barres de données: Cliquez sur Règle pour modifier la règle et la condition définie; Minimum/Maximum pour modifier le type de valeur minimale et et maximale dans les barres de données si vous souhaitez mettre l'accent sur les différences. Les types de valeurs minimales et maximales disponibles: Minimum / Maximum Nombre Pour cent Formule Centile Automatique Sélectionnez Automatique pour fixer la valeur minimale à zéro et la valeur maximale au plus grand nombre dans la plage de données. Automatique est l'option par défaut. Cliquez sur Sélectionner des données pour modifier la plage de cellules pour les valeurs minimales et maximales. Apparence de la barre Personnalisez l'aspect des Barres de données en choisissant le type et la couleur de remplissage et de bordure, aussi que la direction des barres. Il y a deux types de Remplissage: Remplissage Solide ou Dégradé. Utilisez la flèche au-dessous pour sélectionner la couleur de remplissage pour des valeurs Positives et Négatives dans les barres de données. Il y a deux types de Bordures: Solide et Rien. Utilisez la flèche au-dessous pour sélectionner la couleur de bordure pour des valeurs Positives et Négatives dans les barres de données. Activez Même que positif pour utiliser la même couleur pour afficher les valeurs positives et négatives. Une fois cette case cochée, les options Négatif sont désactivées. Utilisez la Direction de la barre pour modifier l'orientation des barres de données. Contexte est l'option par défaut mais vous pouvez choisir De gauche à droite ou De droite à gauche en fonction de la représentation des données désirée. Activez Afficher la barre uniquement pour afficher uniquement la barre de données dans la cellule et masquer des valeurs. Axe Sélectionnez la Position de l'axe de la barre de données par rapport au milieu de la cellule. Il y a trois options de position: Automatique, Milieu de cellule et Rien. Cliquez sur la flèche vers le bas de la zone de couleur pour définir la couler d'axe. Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier la mise en forme en utilisant une échelle de couleur Modifier la mise en forme en utilisant une échelle à deux couleurs La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme en utilisant une Échelle à deux couleurs: Cliquez sur Règle pour modifier la règle et la condition définie; Cliquez sur Valeur minimum/maximum pour définir le type des valeurs minimales et maximales si vous souhaitez mettre l'accent sur les différences. Les types des valeurs minimales et maximales disponibles: Minimum / Maximum Numérique Pour cent Formule Centile Minimum / Maximum est l'option par défaut. Utilisez Sélectionner des données pour modifier la plage de cellules pour les valeurs minimales et maximales. Utilisez la flèche vers le bas au-dessous pour sélectionner la couleur pour chaque échelle. Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier la mise en forme à trois couleurs La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme en utilisant une Échelle à trois couleurs: Cliquez sur Règle pour modifier la règle et la condition définie; Cliquez sur Valeur minimum/médiane/maximum pour définir le type des valeurs minimales, médianes et maximales si vous souhaitez mettre l'accent sur les différences. Les types des valeurs minimales/maximales disponibles: Minimum / Maximum Numérique Pour cent Formule Centile Les types des valeurs médianes disponibles: Numérique Pour cent Formule Centile Minimum/Centile/Maximum est l'option par défaut pour la mise en forme en utilisant Échelle à trois couleurs Utilisez Sélectionner des données pour modifier la plage de cellules pour les valeurs minimales, médianes et maximales. Utilisez la flèche vers le bas au-dessous pour sélectionner la couleur pour chaque échelle. Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier la mise en forme en utilisant des jeux d'icônes La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme en utilisant des Jeux d'icônes: Cliquez sur Règle pour modifier la règle et la condition définie; Cliquez sur Style d'icône pour personnaliser le style d'icônes pour la règle créée. Activez Afficher les icônes seulement pour afficher uniquement les icônes dans la cellule et masquer des valeurs. Activez Mettre les icônes dans le sens inverse pour inverser l'ordre des icônes et les organiser de plus haut au plus bas. Par défaut, les icônes sont ordonnées de la plus basse à la plus élevée. Définissez la règle et l'opérateur de comparaison approprié (supérieure ou égale à, supérieure à) pour chaque icône, les valeurs des seuils et le type de valeur (Nombre, Pour cent, Formule, Centile) pour ordonner les valeurs de la plus basse à la plus élevée. Par défaut, les valeurs sont divisées de manière égale. Cliquez sur OK pour valider. Effacer la mise en forme conditionnelle Pour effacer la mise en forme conditionnelle, passez à l'onglet Accueil, cliquez sur le bouton Mise en forme conditionnelle , ou cliquez sur Mise en forme conditionnelle sous l'onglet Paramètres de cellule sur la barre latérale droite, ensuite cliquez sur Effacer les règles dans le menu déroulante et sélectionnez l'option appropriée: De la sélection actuelle À partir de cette feuille de calcul À partir de ce tableau À partir d'un tableau croisé dynamique Veuillez noter que ce guide comprend des informations graphiques du manuel Microsoft Office La mise en forme conditionnelle: exemples et instructions . Téléchargez ce manuel et ouvrez-le avec Spreadsheet Editor pour essayer ces règles de visualisation." + "body": "Mise en forme conditionnelle La mise en forme conditionnelle permet d'appliquer des différents styles de mise en forme (couleur, police, décoration, dégradé) de cellules pour travailler avec les données en tableaux : mettre en surbrillance, trier les données et les afficher selon un ou plusieurs critères. Adaptez les critères à vos besoins, créez de nouvelles règles de mise en forme, modifiez, gérez ou effacez des règles existantes. Éditeur de feuilles de calcul ONLYOFFICE prend en charge les règles de mise en forme conditionnelle suivantes : Valeur est, Premiers/Derniers, Moyenne, Texte, Date, Vide/Erreur, Doublon/Unique, Barres de données, Échelle de couleurs, Formule. Pour un accès rapide ou si vous souhaitez choisir l'une des conditions prédéfinies ou accéder à toutes les options de mise en forme conditionnelle disponibles, passez à l'onglet Accueil et cliquez sur le bouton Mise en forme conditionnelle . Toutes les options de Mise en forme conditionnelle sont également disponibles sur la barre latérale droite sous l'onglet Paramètres de cellule. Cliquez sur la flèche vers le bas du bouton Mise en forme conditionnelle pour accéder à la liste déroulante avec toutes les options disponibles. Si vous souhaitez créer une nouvelle règle de mise en forme conditionnelle, cliquez avec le bouton droit sur une cellule et sélectionnez Mise en forme conditionnelle du menu contextuel pour afficher la fenêtre Nouvelle règle de mise en forme. Pour appliquer une mise en forme prédéfinie, sélectionnez une plage de cellules, ensuite cliquez sur le bouton Mise en forme conditionnelle de la barre d'outils supérieure, ou cliquez sur Mise en forme conditionnelle sous l'onglet Paramètres de cellule sur la barre latérale droite et choisissez une règle appropriée dans la liste déroulante. . La fenêtre Nouvelle règle de mise en forme s'affiche pour paramétrer les options de mise en surbrillance. Règle de mise en forme Valeur est La règle de mise en forme Valeur est s'utilise pour rechercher et mettre en surbrillance des cellules répondant à certaines conditions de comparaison : Supérieure à Supérieure ou égale à Inférieure à Inférieure ou égale à Égale à N'est pas égale à Entre Pas entre La section Règle affiche la règle et la condition de comparaison sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. Utilisez le champ Sélectionner des données pour sélectionner la valeur de comparaison. Utiliser la référence vers une cellule ou la référence avec une fonction de la feuille de calcul telle que SOMME (A1:B5). La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre les règles prédéfinies de mise en forme telles que Supérieure à et Entre. Selon cette règle la mise en forme est appliquée aux cellules pour mettre en vert les montagnes dont la hauteur est supérieure à 6,960 et mettre en rose le centile entre 5,000 et 6,500. Règle de mise en forme Premiers/Derniers La règle Premiers/Derniers s'utilise pour retrouver et afficher des valeurs les plus élevées et les moins élevées. Les 10 premiers Premiers 10% Les 10 derniers Derniers 10% La section Règle affiche la règle et la condition de comparaison sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles pour définir des valeurs (pourcentage) supérieures ou inférieures à afficher et de définir si vous souhaitez mettre en surbrillance selon la quantité ou le pourcentage. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre les règles prédéfinies de mise en forme telles que Premiers 10% qui affiche 20% de valeurs les plus élevées et Les 10 derniers. Selon cette règle la mise en forme est appliquée aux cellules pour mettre en orange les premiers 20% de villes avec des frais les plus élevés et mette en bleu les derniers 10 villes où les livres sont moins vendus. Règle de mise en forme Moyenne La règle Moyenne s'utilise pour retrouver et afficher des valeurs au-dessus et en-dessous de la moyenne ou l'écart type. Au-dessus En dessous Si égale ou supérieure à Si égale ou en dessous 1 écart-type au-dessus 1 écart-type en dessous 2 écarts types au-dessus 2 écarts types en dessous 3 écarts types au-dessus 3 écarts types en dessous La section Règle affiche la règle et la condition sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Au-dessus de la moyenne. Selon cette règle la mise en forme est appliquée aux cellules pour mettre en vert des villes visitées au-dessus de la moyenne. Règle de mise en forme Texte La règle de mise en forme Texte s'utilise pour retrouver et afficher des cellules comportant du texte répondant à certaines conditions de mise en forme : Contient Ne contient pas Commence par Se termine par La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. Utilisez le champ Sélectionner des données pour sélectionner la valeur de comparaison. Utiliser la référence vers une cellule ou la référence avec une fonction de la feuille de calcul telle que SOMME (A1:B5). La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Contient. Selon cette règle la mise en forme est appliquée aux cellules comportant Danemark pour mettre en rose des ventes dans un région spécifique. Règle de mise en forme Date La règle de mise en forme Date s'utilise pour retrouver et afficher des cellules comportant de la date répondant à certaines conditions de mise en forme : Hier Aujourd'hui Demain Pendant le 7 derniers jours Semaine dernière Cette semaine Semaine suivante Mois dernier Ce mois Mois suivant La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Mois dernier. Selon cette règle la mise en forme est appliquée aux cellules comportant les dates du dernier mois pour mettre en jaune des ventes pendant une certaine période de temps. Règle de mise en forme Vide/Erreur La règle de mise en forme Vide/Erreur s'utilise pour retrouver et mettre en surbrillance des cellules vides ou erreurs. Contient les vides Ne contient pas les vides Contient les erreurs Ne contient pas les erreurs La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Contient les vides. Selon cette règle la mise en forme est appliquée aux cellules vides dans la colonne pour mettre en bleu la valeur de ventes. Règle de mise en forme Doublon/Unique La règle de mise en forme Doublon/Unique s'utilise pour afficher des cellules comportant des doublons dans une feuille de calcul ou dans une plage de cellule définie par la mise en forme conditionnelle disponible : Doublon Unique La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. L'exemple ci-après illustre la règle prédéfinie de mise en forme telle que Doublon. Selon cette règle la mise en forme est appliquée aux cellules comportant des contacts en double pour les mettre en jaune. Mise en forme en utilisant des barres de données Barres de données s'utilisent pour comparer les valeurs sous la forme d'un graphique à barres. Par exemple, comparez l'altitude des sommets en affichant les valeurs par défaut en mètres (la barre verte) et les mêmes valeurs en pourcentage entre 0 et 100 (la barre jaune) ; rang-centile s'il y a des valeurs aberrantes (la barre bleu claire) ; les barres seulement au lieu de nombres (la barre bleu) ; analyse de donnés à deux colonnes pour voir les nombres aussi que les barres (la barre rouge). Mise en forme en utilisant des échelles de couleurs Échelle de couleurs s'utilise pour visualiser les données grâce à des dégradés de couleurs en fonction de la distribution des valeurs. L'exemple ci-après illustre toutes les colonnes de “Dairy” à “Beverage” comportant un dégradé bicolore jaune et rouge ; la colonne “Total Sales” comportant un dégradé tricolore, du fond moins foncé rouge pour les valeurs les plus faibles et au fond plus foncé bleu pour les valeurs les plus élevées. Mise en forme en utilisant des jeux d'icônes Jeux d'icônes s'utilisent pour afficher l'icône pour la cellule répondant aux critères définis. Le Tableur prend en charge plusieurs jeux d'icônes : Directionnel Formes Indices Évaluations Les exemples ci-après montrent les jeux d'icône les plus courantes dans la mise en forme conditionnelle. Les cellules sont mis en forme en utilisant les flèches appropriées au lieu des nombres et pourcentage pour affichez votre chiffre d'affaires dans la colonne “Status” et son évolution dans la colonne “Trend”. L'outil de mise en forme conditionnelle affiche les icônes appropriés au lieux des nombres de 1 à 5 selon la légende en haut pour chaque élément sur la liste de classement. Il ne faut pas calculer manuellement et comparer les indicateurs mensuels d'évolution du chiffre d'affaires car ce fait est illustré par les flèches rouges ou verts dans les cellules mises en forme. Profitez des échelles de couleur (rouge, jaune, vert) pour visualiser l'évolution des ventes. Mise en forme en utilisant des formules La mise en forme basé sur une formule utilise plusieurs formules pour filtrer des données en fonction de vos besoins spécifiques. La section Règle affiche la règle et la condition de mise en forme sélectionnées, en cliquant sur la flèche vers le bas vous pouvez accéder à la liste des règles et des conditions disponibles. Utilisez le champ Sélectionner des données pour sélectionner la valeur de comparaison. Utiliser la référence vers une cellule ou la référence avec une fonction de la feuille de calcul telle que SOMME (A1:B5). La section Format propose plusieurs options prédéfinies de mise en forme des cellules. Vous pouvez choisir l'un des Préréglages disponibles : ou personnalisez la mise en forme en utilisant les options de mise en forme de police (Gras, Italique, Souligné, Barré), couleur de texte, couleur de remplissage et bordures. Utilisez la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur Effacer pour effacer la mise en forme définie. Cliquez sur OK pour valider. Les exemples ci-après illustre les possibilité de mise en forme en utilisant des formules. Ombrer des lignes filtrées alternées, Comparer à la valeur de référence (ici c'est $55) et démontrer que celle-ci est au-dessus (vert) ou au-dessous (rouge), Appliquer la mise en forme aux lignes répondant aux critères que vous spécifiez (voir des objectifs à réaliser ce mois-ci, dans le cas d'espèce c'est octobre) Ou mette en forme seulement les lignes uniques Créer de nouveaux règles Lorsque vous devez créer une nouvelle règle de mise en forme conditionnelle, choisissez l'une de façons suivantes de procéder : Passez à l'onglet Accueil, cliquez sur le bouton Mise en forme conditionnelle et sélectionnez Nouvelle règle dans le menu déroulant. Cliquez sur l'onglet Paramètres de cellule sur la barre latérale gauche et cliquez sur la flèche en bas du bouton Mise en forme conditionnelle et sélectionnez Nouvelle règle dans le menu déroulant. Cliquez avec le bouton droit sur une cellule et sélectionnez Mise en forme conditionnelle du menu contextuel. Le fenêtre Nouvelle règle de mise en forme s'affiche tout de suite. Paramétrez la règle comme il est décrit précédemment, et cliquez sur OK. Gérer des règles de mise en forme conditionnelle Une fois la règle de mise en forme conditionnelle est définie, il est possible de la modifier, supprimer et afficher tout simplement en utilisant l'option Gérer les règles. Pour ce faire, cliquez sur le bouton Mise en forme conditionnelle sous l'onglet Accueil ou sous l'onglet Paramètres de cellule sur la barre latérale gauche. La fenêtre Mise en forme conditionnelle s'affiche : Afficher les règles de la mise en forme pour permet de sélectionner les règles à afficher : Sélection actuelle Cette feuille de calcul Ce tableau Ce tableau croisé dynamique Tous les règles de la zone choisi s'affichent dans l'ordre de priorité (de haut en bas) dans la liste Règles. Dans la colonne Appliquer à s'affiche la zone à laquelle cette règle s'applique, vous pouvez modifier la zone en cliquant sur l'icône Sélectionner des données . Dans la colonne Format s'affiche la mise en forme utilisée. Utilisez le bouton Nouvelle pour ajouter une nouvelle règle. Utilisez le bouton Modifier pour modifier une règle existante et accéder à la fenêtre Modifier les règles de mise en forme. Modifier la règle selon ce que vous jugez approprié et cliquez sur OK. Utilisez les flèches vers le haut et vers le bas pour modifier l'ordre de priorité. Cliquez sur Supprimer pour effacer la règle. Cliquez sur OK pour valider. Modifier la mise en forme conditionnelle Modifier des règles Valeur est, Premiers/Derniers, Moyenne, Texte, Date, Vide/Erreur, Doublon/Unique, Formule. La fenêtre Modifier les règles de mise en forme offre une gamme d'options communs pour les règles Valeur est, Premiers/Derniers, Moyenne, Texte, Date, Vide/Erreur, Doublon/Unique, Formule : Cliquez sur Règle pour modifier la règle et la condition définie ; Utilisez Sélectionner des données pour modifier la plage de cellules à laquelle on fait la référence. Utilisez des option de mise en forme de la Police et de la cellule (Gras, Italique, Souligné, Barré), Couleur de texte, Couleur de remplissage et Bordures. Cliquez sur la liste déroulante Général pour choisir le format de nombre approprié (Général, Nombre, Scientifique, Comptabilité, Monétaire, Date, Heure, Pourcentage). Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier des barres de données La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme à l'aide des Barres de données : Cliquez sur Règle pour modifier la règle et la condition définie ; Minimum/Maximum pour modifier le type de valeur minimale et et maximale dans les barres de données si vous souhaitez mettre l'accent sur les différences. Les types de valeurs minimales et maximales disponibles : Minimum / Maximum Nombre Pour cent Formule Centile Automatique Sélectionnez Automatique pour fixer la valeur minimale à zéro et la valeur maximale au plus grand nombre dans la plage de données. Automatique est l'option par défaut. Cliquez sur Sélectionner des données pour modifier la plage de cellules pour les valeurs minimales et maximales. Apparence de la barre Personnalisez l'aspect des Barres de données en choisissant le type et la couleur de remplissage et de bordure, aussi que la direction des barres. Il y a deux types de Remplissage : Remplissage Solide ou Dégradé. Utilisez la flèche au-dessous pour sélectionner la couleur de remplissage pour des valeurs Positives et Négatives dans les barres de données. Il y a deux types de Bordures : Solide et Rien. Utilisez la flèche au-dessous pour sélectionner la couleur de bordure pour des valeurs Positives et Négatives dans les barres de données. Activez Même que positif pour utiliser la même couleur pour afficher les valeurs positives et négatives. Une fois cette case cochée, les options Négatif sont désactivées. Utilisez la Direction de la barre pour modifier l'orientation des barres de données. Contexte est l'option par défaut mais vous pouvez choisir De gauche à droite ou De droite à gauche en fonction de la représentation des données désirée. Activez Afficher la barre uniquement pour afficher uniquement la barre de données dans la cellule et masquer des valeurs. Axe Sélectionnez la Position de l'axe de la barre de données par rapport au milieu de la cellule. Il y a trois options de position : Automatique, Milieu de cellule et Rien. Cliquez sur la flèche vers le bas de la zone de couleur pour définir la couler d'axe. Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier la mise en forme en utilisant une échelle de couleur Modifier la mise en forme en utilisant une échelle à deux couleurs La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme en utilisant une Échelle à deux couleurs : Cliquez sur Règle pour modifier la règle et la condition définie ; Cliquez sur Valeur minimum/maximum pour définir le type des valeurs minimales et maximales si vous souhaitez mettre l'accent sur les différences. Les types des valeurs minimales et maximales disponibles : Minimum / Maximum Numérique Pour cent Formule Centile Minimum / Maximum est l'option par défaut. Utilisez Sélectionner des données pour modifier la plage de cellules pour les valeurs minimales et maximales. Utilisez la flèche vers le bas au-dessous pour sélectionner la couleur pour chaque échelle. Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier la mise en forme à trois couleurs La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme en utilisant une Échelle à trois couleurs : Cliquez sur Règle pour modifier la règle et la condition définie ; Cliquez sur Valeur minimum/médiane/maximum pour définir le type des valeurs minimales, médianes et maximales si vous souhaitez mettre l'accent sur les différences. Les types des valeurs minimales/maximales disponibles : Minimum / Maximum Numérique Pour cent Formule Centile Les types des valeurs médianes disponibles : Numérique Pour cent Formule Centile Minimum/Centile/Maximum est l'option par défaut pour la mise en forme en utilisant Échelle à trois couleurs Utilisez Sélectionner des données pour modifier la plage de cellules pour les valeurs minimales, médianes et maximales. Utilisez la flèche vers le bas au-dessous pour sélectionner la couleur pour chaque échelle. Le champ Aperçu vous aide de visualiser l'aspect final de la cellule. Cliquez sur OK pour valider. Modifier la mise en forme en utilisant des jeux d'icônes La fenêtre Modifier les règles de mise en forme offre les options suivantes pour la mise en forme en utilisant des Jeux d'icônes : Cliquez sur Règle pour modifier la règle et la condition définie ; Cliquez sur Style d'icône pour personnaliser le style d'icônes pour la règle créée. Activez Afficher les icônes seulement pour afficher uniquement les icônes dans la cellule et masquer des valeurs. Activez Mettre les icônes dans le sens inverse pour inverser l'ordre des icônes et les organiser de plus haut au plus bas. Par défaut, les icônes sont ordonnées de la plus basse à la plus élevée. Définissez la règle et l'opérateur de comparaison approprié (supérieure ou égale à, supérieure à) pour chaque icône, les valeurs des seuils et le type de valeur (Nombre, Pour cent, Formule, Centile) pour ordonner les valeurs de la plus basse à la plus élevée. Par défaut, les valeurs sont divisées de manière égale. Cliquez sur OK pour valider. Effacer la mise en forme conditionnelle Pour effacer la mise en forme conditionnelle, passez à l'onglet Accueil, cliquez sur le bouton Mise en forme conditionnelle , ou cliquez sur Mise en forme conditionnelle sous l'onglet Paramètres de cellule sur la barre latérale droite, ensuite cliquez sur Effacer les règles dans le menu déroulante et sélectionnez l'option appropriée : De la sélection actuelle À partir de cette feuille de calcul À partir de ce tableau À partir d'un tableau croisé dynamique Veuillez noter que ce guide comprend des informations graphiques du manuel Microsoft Office La mise en forme conditionnelle : exemples et instructions. Téléchargez ce manuel et ouvrez-le avec le Tableur pour essayer ces règles de visualisation." }, { "id": "UsageInstructions/CopyPasteData.htm", "title": "Couper/copier/coller des données", - "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier et coller les données de votre classeur, utilisez le menu contextuel ou les icônes correspondantes de Spreadsheet Editor sur la barre d'outils supérieure, Couper - sélectionnez les données et utilisez l'option Couper pour supprimer les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit du même classeur. Copier - sélectionnez les données et utilisez l'icône Copier sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Copier depuis le menu pour envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit du même classeur. Coller - sélectionnez l'endroit et utilisez l'icône Coller sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Coller pour insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir du même classeur. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre feuille de calcul ou un autre programme, dans la version de bureau, les boutons/options de menu et les combinaisons de touches correspondantes peuvent être utilisées pour toute opération copier/coller: Ctrl+X pour couper; Ctrl+X pour couper; Ctrl+V pour coller. Remarque: au lieu de couper et coller des données dans la même feuille de calcul, vous pouvez sélectionner la cellule/plage de cellules requise, placer le pointeur de la souris sur la bordure de sélection pour qu'il devienne l'icône Flèche et faire glisser la sélection jusqu'à la position requise. Pour afficher ou masquer le bouton Options de collage, accédez à l'onglet Fichier > Paramètres avancés... et activez/désactivez la case à coché Couper, copier et coller. Utiliser la fonctionnalité Collage spécial Note: Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict. Une fois les données copiées collées, le bouton Options de collage apparaît en regard du coin inférieur droit de la cellule/plage de cellules insérée. Cliquez sur ce bouton pour sélectionner l'option de collage requise. Lorsque vous collez une cellule/plage de cellules avec des données formatées, les options suivantes sont disponibles: Coller - permet de coller tout le contenu de la cellule, y compris le formatage des données. Cette option est sélectionnée par défaut. Les options suivantes peuvent être utilisées si les données copiées contiennent des formules: Coller uniquement la formule - permet de coller des formules sans coller le formatage des données. Formule + format numérique - permet de coller des formules avec la mise en forme appliquée aux nombres. Formule + toute la mise en forme - permet de coller des formules avec toute la mise en forme des données. Formule sans bordures - permet de coller des formules avec toute la mise en forme sauf les bordures de cellules. Formule + largeur de colonne - permet de coller des formules avec toute la mise en forme des données et de définir la largeur de la colonne source pour la plage de cellules dans laquelle vous collez les données. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Cette option est disponible pour les plages de données normales, mais pas pour les tableaux mis en forme. Les options suivantes permettent de coller le résultat renvoyé par la formule copiée sans coller la formule elle-même: Coller uniquement la valeur - permet de coller les résultats de la formule sans coller la mise en forme des données. Valeur + format numérique - permet de coller les résultats de la formule avec la mise en forme appliquée aux nombres. Valeur + toute la mise en forme - permet de coller les résultats de la formule avec toute la mise en forme des données. Coller uniquement la mise en forme - permet de coller la mise en forme de la cellule uniquement sans coller le contenu de la cellule. Coller Formule - permet de coller des formules sans coller le formatage des données. Valeurs - permet de coller les résultats de la formule sans coller la mise en forme des données. Formats - permet de conserver la mise en forme de la zone copiée. Commentaires - permet d'ajouter les commentaires de la zone copiée. Largeur de colonne - permet d'appliquer la largeur de colonne de la zone copiée. Tout sauf la bordure - permet de coller les formules, les résultats de formules et la mise en forme sauf les bordures. Formules et mise en forme - permet de coller les formules et conserver la mise en forme de la zone copiée. Formules et largeur de colonne - permet de coller les formules et d'appliquer la largeur de colonne de la zone copiée. Formules et format des chiffres - permet de coller les formules et le format des chiffres. Valeurs et format des chiffres - permet de coller les résultats de formules et d'appliquer le format des chiffres de la zone copiée. Valeurs et mise en forme - permet de coller les résultats de formules et de conserver la mise en forme de la zone copiée. Opération Additionner - permet d'additionner automatiquement tous les nombres de chaque cellule insérée. Soustraire - permet de soustraire automatiquement les nombres de chaque cellule insérée. Multiplier - permet de multiplier automatiquement les nombres de chaque cellule insérée. Diviser - permet de diviser automatiquement les nombres de chaque cellule insérée. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Ignorer les vides - permet d'ignorer les cellules vides et eur mise en forme. Lorsque vous collez le contenu d'une seule cellule ou du texte dans des formes automatiques, les options suivantes sont disponibles: Mise en forme de la source - permet de conserver la mise en forme de la source des données copiées. Mise en forme de la destination - permet d'appliquer la mise en forme déjà utilisée pour la cellule/forme automatique à laquelle vous collez les données. Texte délimité Lorsque vous collez du texte délimité copié à partir d'un fichier .txt, les options suivantes sont disponibles: Le texte délimité peut contenir plusieurs enregistrements dont chaque enregistrement correspond à une seule ligne de table. Chaque enregistrement peut contenir plusieurs valeurs de texte séparées par des délimiteurs (tels que virgule, point-virgule, deux-points, tabulation, espace ou tout autre caractère). Le fichier doit être enregistré sous la forme d'un fichier .txt de texte brut. Conserver le texte uniquement - permet de coller les valeurs de texte dans une colonne où chaque contenu de cellule correspond à une ligne dans un fichier de texte source. Utiliser l'assistant importation de texte - permet d'ouvrir l'Assistant importation de texte qui permet de diviser facilement les valeurs de texte en plusieurs colonnes où chaque valeur de texte séparée par un délimiteur sera placée dans une cellule séparée. Lorsque la fenêtre Assistant importation de texte s'ouvre, sélectionnez le délimiteur de texte utilisé dans les données délimitées dans la liste déroulante Délimiteur. Les données divisées en colonnes seront affichées dans le champ Aperçu ci-dessous. Si vous êtes satisfait du résultat, appuyez sur le bouton OK. Si vous avez collé des données délimitées à partir d'une source qui n'est pas un fichier texte brut (par exemple, du texte copié à partir d'une page Web, etc.), ou si vous avez appliqué la fonction Conserver uniquement le texte et que vous souhaitez maintenant fractionner les données d'une seule colonne en plusieurs colonnes, vous pouvez utiliser l'option Texte en colonnes. Pour diviser les données en plusieurs colonnes: Sélectionnez la cellule ou la colonne nécessaire qui contient les données avec délimiteurs. Passez à l'onglet Données. Cliquez sur le bouton Texte en colonnes dans la barre d'outils supérieure. L'assistant Texte en colonnes s'affiche. Dans la liste déroulante Délimiteur, sélectionnez le délimiteur utilisé dans les données délimitées. Cliquez sur le bouton Avancé pour ouvrir la fenêtre Paramètres avancés et spécifier le Séparateur décimal ou Séparateur de milliers. Prévisualisez le résultat dans le champ ci-dessous et cliquez sur OK. Ensuite, chaque valeur de texte séparée par le délimiteur sera placée dans une cellule séparée. S'il y a des données dans les cellules à droite de la colonne que vous voulez fractionner, les données seront écrasées. Utiliser l'option Remplissage automatique Pour remplir rapidement plusieurs cellules avec les mêmes données, utilisez l'option Remplissage automatique: sélectionner une cellule/plage de cellules contenant les données ciblées, déplacez le curseur de la souris sur la poignée de remplissage dans le coin inférieur droit de la cellule. Le curseur va se transformer en croix noire: faites glisser la poignée sur les cellules adjacentes que vous souhaitez remplir avec les données sélectionnées. Remarque: si vous devez créer une série de nombres (tels que 1, 2, 3, 4 ..., 2, 4, 6, 8 ... etc.) ou des dates, vous pouvez entrer au moins deux valeurs de départ et étendre rapidement la série en sélectionnant ces cellules puis en faisant glisser la poignée de remplissage. Remplissez les cellules de la colonne avec des valeurs textuelles Si une colonne de votre feuille de calcul contient des valeurs textuelles, vous pouvez facilement remplacer n'importe quelle valeur dans cette colonne ou remplir la cellule vide suivante en sélectionnant l'une des valeurs de texte existantes. Cliquez avec le bouton droit sur la cellule requise et choisissez l'option Sélectionner dans la liste déroulante dans le menu contextuel. Sélectionnez l'une des valeurs de texte disponibles pour remplacer la valeur actuelle ou remplir une cellule vide." + "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier et coller les données de votre feuille de calcul, utilisez le menu contextuel ou les icônes correspondantes du Tableur sur la barre d'outils supérieure, Couper - sélectionnez les données et utilisez l'option Couper pour supprimer les données sélectionnées et les envoyer vers le presse-papiers. Les données coupées peuvent être insérées ensuite dans un autre endroit de la même feuille de calcul. Copier - sélectionnez les données et utilisez l'icône Copier sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Copier depuis le menu pour envoyer les données sélectionnées vers le presse-papiers. Les données copiées peuvent être insérées ensuite dans un autre endroit de la même feuille de calcul. Coller - sélectionnez l'endroit et utilisez l'icône Coller sur la barre d'outils supérieure ou cliquez avec le bouton droit et sélectionnez l'option Coller pour insérer les données précédemment copiées/coupées depuis le presse-papiers à la position actuelle du curseur. Les données peuvent être copiées à partir de la même feuille de calcul. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers une autre feuille de calcul ou un autre programme, dans la version de bureau, les boutons/options de menu et les combinaisons de touches correspondantes peuvent être utilisées pour toute opération copier/coller : Ctrl+X pour couper ; Ctrl+X pour couper ; Ctrl+V pour coller. Remarque : au lieu de couper et coller des données dans la même feuille de calcul, vous pouvez sélectionner la cellule/plage de cellules requise, placer le pointeur de la souris sur la bordure de sélection pour qu'il devienne l'icône Flèche et faire glisser la sélection jusqu'à la position requise. Pour afficher ou masquer le bouton Options de collage, accédez à l'onglet Fichier > Paramètres avancés... et activez/désactivez la case à coché Afficher le bouton \"Options de collage\" lorsque le contenu est collé. Utiliser la fonctionnalité Collage spécial Note : Pendant le travail collaboratif, la fonctionnalité Collage spécial n'est disponible que pour le mode de collaboration Strict. Une fois les données copiées collées, le bouton Options de collage apparaît en regard du coin inférieur droit de la cellule/plage de cellules insérée. Cliquez sur ce bouton pour sélectionner l'option de collage requise. Lorsque vous collez une cellule/plage de cellules avec des données formatées, les options suivantes sont disponibles : Coller (Ctrl+P) - permet de coller tout le contenu de la cellule, y compris le formatage des données. Cette option est sélectionnée par défaut. Les options suivantes peuvent être utilisées si les données copiées contiennent des formules : Coller uniquement la formule (Ctrl+F) - permet de coller des formules sans coller le formatage des données. Formule + format numérique (Ctrl+O) - permet de coller des formules avec la mise en forme appliquée aux nombres. Formule + toute la mise en forme (Ctrl+K) - permet de coller des formules avec toute la mise en forme des données. Formule sans bordures (Ctrl+B) - permet de coller des formules avec toute la mise en forme sauf les bordures de cellules. Formule + largeur de colonne (Ctrl+W) - permet de coller des formules avec toute la mise en forme des données et de définir la largeur de la colonne source pour la plage de cellules dans laquelle vous collez les données. Transposer (Ctrl+T)- permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Cette option est disponible pour les plages de données normales, mais pas pour les tableaux mis en forme. Les options suivantes permettent de coller le résultat renvoyé par la formule copiée sans coller la formule elle-même : Coller uniquement la valeur (Ctrl+V) - permet de coller les résultats de la formule sans coller la mise en forme des données. Valeur + format numérique (Ctrl+A) - permet de coller les résultats de la formule avec la mise en forme appliquée aux nombres. Valeur + toute la mise en forme (Ctrl+E) - permet de coller les résultats de la formule avec toute la mise en forme des données. Coller uniquement la mise en forme (Ctrl+R) - permet de coller la mise en forme de la cellule uniquement sans coller le contenu de la cellule. Coller Formule - permet de coller des formules sans coller le formatage des données. Valeurs - permet de coller les résultats de la formule sans coller la mise en forme des données. Formats - permet de conserver la mise en forme de la zone copiée. Commentaires - permet d'ajouter les commentaires de la zone copiée. Largeur de colonne - permet d'appliquer la largeur de colonne de la zone copiée. Tout sauf la bordure - permet de coller les formules, les résultats de formules et la mise en forme sauf les bordures. Formules et mise en forme - permet de coller les formules et conserver la mise en forme de la zone copiée. Formules et largeur de colonne - permet de coller les formules et d'appliquer la largeur de colonne de la zone copiée. Formules et format des chiffres - permet de coller les formules et le format des chiffres. Valeurs et format des chiffres - permet de coller les résultats de formules et d'appliquer le format des chiffres de la zone copiée. Valeurs et mise en forme - permet de coller les résultats de formules et de conserver la mise en forme de la zone copiée. Opération Additionner - permet d'additionner automatiquement tous les nombres de chaque cellule insérée. Soustraire - permet de soustraire automatiquement les nombres de chaque cellule insérée. Multiplier - permet de multiplier automatiquement les nombres de chaque cellule insérée. Diviser - permet de diviser automatiquement les nombres de chaque cellule insérée. Transposer - permet de coller des données en modifiant les colonnes en lignes et les lignes en colonnes. Ignorer les vides - permet d'ignorer les cellules vides et eur mise en forme. Lorsque vous collez le contenu d'une seule cellule ou du texte dans des formes automatiques, les options suivantes sont disponibles : Mise en forme de la source (Ctrl+K) - permet de conserver la mise en forme de la source des données copiées. Mise en forme de la destination (Ctrl+M) - permet d'appliquer la mise en forme déjà utilisée pour la cellule/forme automatique à laquelle vous collez les données. Texte délimité Lorsque vous collez du texte délimité copié à partir d'un fichier .txt, les options suivantes sont disponibles : Le texte délimité peut contenir plusieurs enregistrements dont chaque enregistrement correspond à une seule ligne de table. Chaque enregistrement peut contenir plusieurs valeurs de texte séparées par des délimiteurs (tels que virgule, point-virgule, deux-points, tabulation, espace ou tout autre caractère). Le fichier doit être enregistré sous la forme d'un fichier .txt de texte brut. Conserver le texte uniquement (Ctrl+T) - permet de coller les valeurs de texte dans une colonne où chaque contenu de cellule correspond à une ligne dans un fichier de texte source. Utiliser l'assistant importation de texte - permet d'ouvrir l'Assistant importation de texte qui permet de diviser facilement les valeurs de texte en plusieurs colonnes où chaque valeur de texte séparée par un délimiteur sera placée dans une cellule séparée. Lorsque la fenêtre Assistant importation de texte s'ouvre, sélectionnez le délimiteur de texte utilisé dans les données délimitées dans la liste déroulante Délimiteur. Les données divisées en colonnes seront affichées dans le champ Aperçu ci-dessous. Si vous êtes satisfait du résultat, cliquez sur le bouton OK. Si vous avez collé des données délimitées à partir d'une source qui n'est pas un fichier texte brut (par exemple, du texte copié à partir d'une page Web, etc.), ou si vous avez appliqué la fonction Conserver uniquement le texte et que vous souhaitez maintenant fractionner les données d'une seule colonne en plusieurs colonnes, vous pouvez utiliser l'option Texte en colonnes. Pour diviser les données en plusieurs colonnes : Sélectionnez la cellule ou la colonne nécessaire qui contient les données avec délimiteurs. Passez à l'onglet Données. Cliquez sur le bouton Texte en colonnes dans la barre d'outils supérieure. L'assistant Texte en colonnes s'affiche. Dans la liste déroulante Délimiteur, sélectionnez le délimiteur utilisé dans les données délimitées. Cliquez sur le bouton Avancé pour ouvrir la fenêtre Paramètres avancés et spécifier le Séparateur décimal ou Séparateur de milliers. Prévisualisez le résultat dans le champ ci-dessous et cliquez sur OK. Ensuite, chaque valeur de texte séparée par le délimiteur sera placée dans une cellule séparée. S'il y a des données dans les cellules à droite de la colonne que vous voulez fractionner, les données seront écrasées. Utiliser l'option Remplissage automatique Pour remplir rapidement plusieurs cellules avec les mêmes données, utilisez l'option Remplissage automatique : sélectionner une cellule/plage de cellules contenant les données ciblées, déplacez le curseur de la souris sur la poignée de remplissage dans le coin inférieur droit de la cellule. Le curseur va se transformer en croix noire : faites glisser la poignée sur les cellules adjacentes que vous souhaitez remplir avec les données sélectionnées. Remarque : si vous devez créer une série de nombres (tels que 1, 2, 3, 4 ..., 2, 4, 6, 8 ... etc.) ou des dates, vous pouvez entrer au moins deux valeurs de départ et étendre rapidement la série en sélectionnant ces cellules puis en faisant glisser la poignée de remplissage. Remplissez les cellules de la colonne avec des valeurs textuelles Si une colonne de votre feuille de calcul contient des valeurs textuelles, vous pouvez facilement remplacer n'importe quelle valeur dans cette colonne ou remplir la cellule vide suivante en sélectionnant l'une des valeurs de texte existantes. Cliquez avec le bouton droit sur la cellule requise et choisissez l'option Sélectionner dans la liste déroulante dans le menu contextuel. Sélectionnez l'une des valeurs de texte disponibles pour remplacer la valeur actuelle ou remplir une cellule vide." }, { "id": "UsageInstructions/DataValidation.htm", "title": "Validation des données", - "body": "ONLYOFFICE Spreadsheet Editor vous fait bénéficier des fonctionnalités de validation des données pour contrôler les données saisies par les autres utilisateurs. Pour ce faire, sélectionnez la cellule, la plage de cellules ou la feuille de calcul entière dont vous voulez limiter la saisie, passez à l'onglet Données et cliquez sur icône Validation des données dans la barre d'outils supérieure. La fenêtre Validation des données avec trois onglets s'ouvre: Paramètres, Entrer le message et Avertissement d'erreur. Paramètres La section Paramètres permet de définir le type de données à contrôler: Remarque: Cochez la case Appliquer ces modifications à toutes les cellules ayant les mêmes paramètres pour limiter toutes les cellules sélectionnées ou la feuille de calcul entière. sélectionnez l'option convenable du menu Autoriser: Aucune valeur: saisie de données sans restrictions. Nombre entier: n'autoriser que la saisie de nombres entiers. Décimales: n'autoriser que la saisie de nombres décimaux. Liste: limiter les cellules à n'accepter que des données dans la liste déroulante que vous avez créé. Décochez Afficher une liste déroulante dans une cellule pour masquer la flèche de la liste déroulante. Date: n'autoriser que les dates dans les cellules. Temps: n'autoriser que les heures dans les cellules. Longueur du texte: permet de limiter la longueur du texte. Autre: permet de personnaliser la formule de validation. Remarque: Cochez la case Appliquer ces modifications à toutes les cellules ayant les mêmes paramètres pour limiter toutes les cellules sélectionnées ou la feuille de calcul entière. sélectionnez des conditions dans le menu Données: entre: la valeur doit être comprise dans l'intervalle de données selon la règle de validation définie. pas entre: la valeur ne doit pas être comprise dans l'intervalle de données selon la règle de validation définie. est égal: la valeur dans la cellule doit être égale à la valeur définie par la règle de validation. n'est pas égal: la valeur dans la cellule ne doit pas être égale à la valeur définie par la règle de validation. supérieur à: la valeur doit être supérieure à la valeur définie par la règle de validation. inférieur à: la valeur doit être inférieure à la valeur définie par la règle de validation. est supérieur ou égal à: la valeur dans la cellule doit être supérieure ou égale à la valeur définie par la règle de validation. est inférieur ou égal à: la valeur dans la cellule doit être inférieure ou égale à la valeur définie par la règle de validation. créez une règle de validation en fonction du type de données autorisé: Condition de validation Règle de validation Description Disponibilité Entre / pas entre Minimum / Maximum Définir un intervalle de données Nombre entier / Décimal / Longueur du texte Date de début / Date limite Définir un intervalle de dates Date Heure de début / Heure de fin Définir un intervalle de temps Temps Est égal / n'est pas égal Comparer à Définir la valeur à comparer à Nombre entier / Décimal Date Définir la date à comparer à Date Temps écoulé Définir l'heure à comparer à Temps Longueur Définir la longueur à comparer à Longueur du texte Supérieur à / est supérieur ou égal à Minimum Définir la limite inférieure, Nombre entier / Décimal / Longueur du texte Date de début Définir la date de début Date Heure de début Définir l'heure de début Temps Inférieur à / est inférieur ou égal à Maximum Définir la limite supérieure, Nombre entier / Décimal / Longueur du texte Date limite Définir la date limite Date Heure de fin Définir l'heure de fin Temps Ainsi que: Source: spécifiez la source de données pour limiter les entrées à une sélection dans une liste déroulante. Formule: entrez la formule à personnaliser la règle de validation sous l'option d'autorisation Autre. Entrer le message La section Entrer le message permet de personnaliser le message qui s'affichera chez les utilisateurs lorsqu'ils feront glisser la souris sur la cellule. Saisissez le Titre et le texte du Message de saisie. Décochez Affichez un message de saisie lorsqu'une cellule est sélectionnée pour désactiver l'affichage du message de saisie. Lassez la case active pour affiche le message. Avertissement d'erreur La section Avertissement d'erreur permet de personnaliser le message d'erreur avertissant les utilisateurs que les données entrées ne sont pas valides. Style: choisissez le type d'alerte parmi les options disponibles: Arrêter, Alerte ou Message: Titre: saisissez le titre du message d'alerte. Message d'erreur: saisissez le texte du message d'alerte. Décochez Affichez un avertissement d'erreur lorsque les données invalides sont saisies pour désactiver l'affichage des alertes." + "body": "Éditeur de feuilles de calcul ONLYOFFICE vous fait bénéficier des fonctionnalités de validation des données pour contrôler les données saisies par les autres utilisateurs. Pour ce faire, sélectionnez la cellule, la plage de cellules ou la feuille de calcul entière dont vous voulez limiter la saisie, passez à l'onglet Données et cliquez sur icône Validation des données dans la barre d'outils supérieure. La fenêtre Validation des données avec trois onglets s'ouvre : Paramètres, Entrer le message et Avertissement d'erreur. Paramètres La section Paramètres permet de définir le type de données à contrôler : Remarque : Cochez la case Appliquer ces modifications à toutes les cellules ayant les mêmes paramètres pour limiter toutes les cellules sélectionnées ou la feuille de calcul entière. sélectionnez l'option convenable du menu Autoriser : Aucune valeur : saisie de données sans restrictions. Nombre entier : n'autoriser que la saisie de nombres entiers. Décimales : n'autoriser que la saisie de nombres décimaux. Liste : limiter les cellules à n'accepter que des données dans la liste déroulante que vous avez créé. Décochez Afficher une liste déroulante dans une cellule pour masquer la flèche de la liste déroulante. Date : n'autoriser que les dates dans les cellules. Temps : n'autoriser que les heures dans les cellules. Longueur du texte : permet de limiter la longueur du texte. Autre : permet de personnaliser la formule de validation. Remarque : Cochez la case Appliquer ces modifications à toutes les cellules ayant les mêmes paramètres pour limiter toutes les cellules sélectionnées ou la feuille de calcul entière. sélectionnez des conditions dans le menu Données : entre : la valeur doit être comprise dans l'intervalle de données selon la règle de validation définie. pas entre : la valeur ne doit pas être comprise dans l'intervalle de données selon la règle de validation définie. est égal : la valeur dans la cellule doit être égale à la valeur définie par la règle de validation. n'est pas égal : la valeur dans la cellule ne doit pas être égale à la valeur définie par la règle de validation. supérieur à : la valeur doit être supérieure à la valeur définie par la règle de validation. inférieur à : la valeur doit être inférieure à la valeur définie par la règle de validation. est supérieur ou égal à : la valeur dans la cellule doit être supérieure ou égale à la valeur définie par la règle de validation. est inférieur ou égal à : la valeur dans la cellule doit être inférieure ou égale à la valeur définie par la règle de validation. créez une règle de validation en fonction du type de données autorisé : Condition de validation Règle de validation Description Disponibilité Entre / pas entre Minimum / Maximum Définir un intervalle de données Nombre entier / Décimal / Longueur du texte Date de début / Date limite Définir un intervalle de dates Date Heure de début / Heure de fin Définir un intervalle de temps Temps Est égal / n'est pas égal Comparer à Définir la valeur à comparer à Nombre entier / Décimal Date Définir la date à comparer à Date Temps écoulé Définir l'heure à comparer à Temps Longueur Définir la longueur à comparer à Longueur du texte Supérieur à / est supérieur ou égal à Minimum Définir la limite inférieure, Nombre entier / Décimal / Longueur du texte Date de début Définir la date de début Date Heure de début Définir l'heure de début Temps Inférieur à / est inférieur ou égal à Maximum Définir la limite supérieure, Nombre entier / Décimal / Longueur du texte Date limite Définir la date limite Date Heure de fin Définir l'heure de fin Temps Ainsi que : Source : spécifiez la source de données pour limiter les entrées à une sélection dans une liste déroulante. Formule : entrez la formule à personnaliser la règle de validation sous l'option d'autorisation Autre. Entrer le message La section Entrer le message permet de personnaliser le message qui s'affichera chez les utilisateurs lorsqu'ils feront glisser la souris sur la cellule. Saisissez le Titre et le texte du Message de saisie. Décochez Affichez un message de saisie lorsqu'une cellule est sélectionnée pour désactiver l'affichage du message de saisie. Lassez la case active pour affiche le message. Avertissement d'erreur La section Avertissement d'erreur permet de personnaliser le message d'erreur avertissant les utilisateurs que les données entrées ne sont pas valides. Style : choisissez le type d'alerte parmi les options disponibles : Arrêter, Alerte ou Message : Titre : saisissez le titre du message d'alerte. Message d'erreur : saisissez le texte du message d'alerte. Décochez Affichez un avertissement d'erreur lorsque les données invalides sont saisies pour désactiver l'affichage des alertes." }, { "id": "UsageInstructions/FontTypeSizeStyle.htm", "title": "Définir le type de police, la taille, le style et la couleur", - "body": "Dans Spreadsheet Editor, vous pouvez sélectionner le type de police et sa taille, appliquer l'un des styles de décoration et modifier les couleurs de police et fond en utilisant les icônes correspondantes situées sur barre d'outils supérieure. Remarque : si vous souhaitez appliquer la mise en forme aux données déjà présentes dans le classeur, sélectionnez-les avec la souris ou en utilisant le clavier et appliquez la mise en forme. Si vous souhaitez appliquer la mise en forme à plusieurs cellules ou plages non adjacentes, maintenez la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Nom de la police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante (les valeurs par défaut sont : 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police, puis d'appuyer sur Entrée. Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grosse chaque fois que vous cliquez sur l'icône. Réduire la taille de la police Sert à modifier la taille de la police en la rendant plus petite chaque fois que vous cliquez sur l'icône. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Indice/Exposant Permet de choisir l'option Exposant ou Indice. L'option Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, comme par exemple dans les fractions. L'option Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, comme par exemple dans les formules chimiques. Couleur de police Sert à changer la couleur des lettres et des caractères dans les cellules. Couleur de remplissage Sert à modifier la couleur d'arrière-plan de la cellule. La couleur de remplissage de la cellule peut également être modifiée à l'aide de la palette de couleur de remplissage dans l'onglet Paramètres de cellule de la barre latérale de droite. Modifier le jeu de couleurs Sert à modifier la palette de couleurs par défaut pour les éléments de classeur (police, arrière-plan, graphique et ses élements) en sélectionnant la palette disponible : New Office, Office, Niveaux de gris, Apex, Aspect, Civil, Rotonde, Capitaux, Flux, Fonderie, Médian, Métro, Module, Opulent, Oriel, Origine, Papier, Solstice, Technique, Promenade, Urbain, ou Verve. Remarque : il est également possible d'appliquer une des mises en forme prédéfinies en sélectionnant la cellule que vous voulez mettre en forme et en choisissant la mise en forme désirée de la liste sous l'onglet Accueil sur la barre d'outils supérieure : Pour modifier la couleur de police / de remplissage, sélectionnez les caractères / cellules avec la souris ou une feuille de calcul entière en utilisanst la combinaison de touches Ctrl+A, cliquez sur l'iсône correspondante sur la barre d'outils supérieure, sélectionnez une couleur dans les palettes disponibles Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée du classeur. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas la couleur recherchée dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB (RVB) en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel afin que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter : La couleur personnalisée sera appliquée au paragraphe et ajoutée à la palette Couleur personnalisée. Pour effacer une couleur d'arrière-plan d'une certaine cellule, sélectionnez une cellule, ou une plage de cellules avec la souris ou une feuille de calcul entière en utilisant la combinaison de touches Ctrl+A, cliquez sur l'icône Couleur de remplissage sous l'onglet Accueil sur la barre d'outils supérieure, sélectionnez l'icône ." + "body": "Dans le Tableur, vous pouvez sélectionner le type de police et sa taille, appliquer l'un des styles de décoration et modifier les couleurs de police et fond en utilisant les icônes correspondantes situées sur barre d'outils supérieure. Remarque : si vous souhaitez appliquer la mise en forme aux données déjà présentes dans le classeur, sélectionnez-les avec la souris ou en utilisant le clavier et appliquez la mise en forme. Si vous souhaitez appliquer la mise en forme à plusieurs cellules ou plages non adjacentes, maintenez la touche Ctrl enfoncée tout en sélectionnant les cellules/plages à l'aide de la souris. Nom de la police Sert à sélectionner l'une des polices disponibles dans la liste. Si une police requise n'est pas disponible dans la liste, vous pouvez la télécharger et l'installer sur votre système d'exploitation, après quoi la police sera disponible pour utilisation dans la version de bureau. Taille de la police Sert à sélectionner la taille de la police parmi les valeurs disponibles dans la liste déroulante (les valeurs par défaut sont : 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 et 96). Il est également possible d'entrer manuellement une valeur personnalisée dans le champ de taille de police, puis d'appuyer sur Entrée. Augmenter la taille de la police Sert à modifier la taille de la police en la rendant plus grosse chaque fois que vous cliquez sur l'icône. Réduire la taille de la police Sert à modifier la taille de la police en la rendant plus petite chaque fois que vous cliquez sur l'icône. Gras Sert à mettre la police en gras pour lui donner plus de poids. Italique Sert à mettre la police en italique pour lui donner une certaine inclinaison à droite. Souligné Sert à souligner le texte avec la ligne qui passe sous les lettres. Barré Sert à barrer le texte par la ligne passant par les lettres. Indice/Exposant Permet de choisir l'option Exposant ou Indice. L'option Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, comme par exemple dans les fractions. L'option Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, comme par exemple dans les formules chimiques. Couleur de police Sert à changer la couleur des lettres et des caractères dans les cellules. Couleur de remplissage Sert à modifier la couleur d'arrière-plan de la cellule. La couleur de remplissage de la cellule peut également être modifiée à l'aide de la palette de couleur de remplissage dans l'onglet Paramètres de cellule de la barre latérale de droite. Modifier le jeu de couleurs Sert à modifier la palette de couleurs par défaut pour les éléments de classeur (police, arrière-plan, graphique et ses élements) en sélectionnant la palette disponible : New Office, Office, Niveaux de gris, Apex, Aspect, Civil, Rotonde, Capitaux, Flux, Fonderie, Médian, Métro, Module, Opulent, Oriel, Origine, Papier, Solstice, Technique, Promenade, Urbain, ou Verve. Remarque : il est également possible d'appliquer une des mises en forme prédéfinies en sélectionnant la cellule que vous voulez mettre en forme et en choisissant la mise en forme désirée de la liste sous l'onglet Accueil sur la barre d'outils supérieure : Pour modifier la couleur de police / de remplissage, sélectionnez les caractères / cellules avec la souris ou une feuille de calcul entière en utilisanst la combinaison de touches Ctrl+A, cliquez sur l'iсône correspondante sur la barre d'outils supérieure, sélectionnez une couleur dans les palettes disponibles Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée du classeur. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas la couleur recherchée dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB (RVB) en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel afin que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter : La couleur personnalisée sera appliquée au paragraphe et ajoutée à la palette Couleur personnalisée. Pour effacer une couleur d'arrière-plan d'une certaine cellule, sélectionnez une cellule, ou une plage de cellules avec la souris ou une feuille de calcul entière en utilisant la combinaison de touches Ctrl+A, cliquez sur l'icône Couleur de remplissage sous l'onglet Accueil sur la barre d'outils supérieure, sélectionnez l'icône ." }, { "id": "UsageInstructions/FormattedTables.htm", "title": "Mettre sous forme de modèle de tableau", - "body": "Créer un nouveau tableau mis en forme Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Vous pouvez aussi appliquer un modèle de tableau en utilisant le bouton Tableau sous l'onglet Insérer. Dans ce cas, un modèle par défaut s'applique. Remarque: une fois que vous avez créé un nouveau tableau, un nom par défaut (Tableau1, Tableau2 etc.) lui sera automatiquement affecté. Vous pouvez changer ce nom pour le rendre plus significatif et l'utiliser pour d'autres travaux. Si vous entrez une nouvelle valeur dans une cellule sous la dernière ligne du tableau (si le tableau n'a pas la ligne Total) ou dans une cellule à droite de la dernière colonne du tableau, le tableau mis en forme sera automatiquement étendue pour inclure une nouvelle ligne ou colonne. Si vous ne souhaitez pas étendre le tableau, cliquez sur le bouton Coller qui s'affiche et sélectionnez l'option Annuler l'expansion automatique du tableau. Une fois cette action annulée, l'option Rétablir l’expansion automatique du tableau sera disponible dans ce menu. Remarque: Pour activer ou désactiver l'option de développent automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe et décochez la case Inclure nouvelles lignes et colonnes dans le tableau. Sélectionner les lignes et les colonnes Pour sélectionner la ligne entière, déplacez le curseur sur la bordure gauche de la ligne du tableau lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Pour sélectionner la colonne entière du tableau mis en forme, déplacez le curseur sur le bord inférieur de l'en-tête de la colonne lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Sur un clic unique toutes les données de la colonne sont sélectionnées (comme indiqué sur l'illustration ci-dessous); sur un double clic la colonne entière y compris l'en-tête est sélectionnée. Pour sélectionner le tableau entier, déplacez le curseur sur le coin supérieur gauche du tableau lorsque il se transforme en flèche noir en diagonale , puis cliquez sur le bouton gauche de la souris. éditer un tableau mis en forme d'après un modèle Certains paramètres du tableau peuvent être modifiés dans l'onglet Paramètres du tableau de la barre latérale droite qui s'ouvre si vous sélectionnez au moins une cellule du tableau avec la souris et cliquez sur l'icône Paramètres du tableau sur la droite. Les sections Lignes et Colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-tête - permet d'afficher la ligne d'en-tête. Total - ajoute la ligne Résumé en bas du tableau. Remarque: lorsque cette option est sélectionnée, on peut utiliser la fonction pour calculer le résumé des valeurs. Une fois la cellule pour la ligne Résumé sélectionnée, le bouton est disponible à droite de la cellule. Cliquez sur ce bouton et choisissez parmi les fonctions proposées dans la liste: Moyenne, Calculer, Max, Min, Somme, Ecartype ou Var. L'option Plus de fonctions permet d'ouvrir la fenêtre Insérer une fonction et de sélectionner une autre fonction. Si vous choisissez l'option Aucune le résumé des données de la colonne ne s'affiche pas dans la ligne Résumé. Bordé - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Bouton Filtre - permet d'afficher les flèches déroulantes dans les cellules de la ligne d'en-tête. Cette option est uniquement disponible lorsque l'option En-tête est sélectionnée. Première - accentue la colonne la plus à gauche du tableau avec un formatage spécial. Dernière - accentue la colonne la plus à droite du tableau avec un formatage spécial. Bordé - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires. La section Sélectionner à partir d'un modèle vous permet de choisir l'un des styles de tableaux prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections Lignes et/ou Colonnes ci-dessus, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché l'option En-tête dans la section Lignes et l'option Bordé dans la section Colonnes, la liste des modèles affichés inclura uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées: Si vous souhaitez effacer le style de tableau actuel (couleur d'arrière-plan, bordures, etc.) sans supprimer le tableau lui-même, appliquez le modèle Aucun à partir de la liste des modèles: La section Redimensionner le tableau vous permet de modifier la plage de cellules auxquelles la mise en forme du tableau est appliquée. Cliquez sur le bouton Sélectionner des données - une nouvelle fenêtre s'ouvrira. Modifiez le lien vers la plage de cellules dans le champ de saisie ou sélectionnez la plage de cellules nécessaire dans la feuille de calcul avec la souris et cliquez sur le bouton OK. Remarque: Les en-têtes doivent rester sur la même ligne et la plage de valeurs du tableau de résultat doit se superposer à la plage de valeur du tableau d'origine. La section Lignes et colonnes vous permet d'effectuer les opérations suivantes: Sélectionner une ligne, une colonne, toutes les données de colonnes à l'exclusion de la ligne d'en-tête ou la table entière incluant la ligne d'en-tête. Insérer une nouvelle ligne au-dessus ou en dessous de celle sélectionnée ainsi qu'une nouvelle colonne à gauche ou à droite de celle sélectionnée. Supprimer une ligne, une colonne (en fonction de la position du curseur ou de la sélection) ou la totalité du tableau. Remarque: les options de la section Lignes et colonnes sont également accessibles depuis le menu contextuel. L'option Supprimer les valeurs dupliquées vous permet de supprimer les valeurs en double dans le tableau mis en forme. Pour plus de détails sur suppression des doublons, veuillez vous référer à cette page. L'option Conversion en plage peut être utilisée si vous souhaitez transformer le tableau en une plage de données normale en supprimant le filtre tout en préservant le style de la table (c'est-à-dire les couleurs de cellule et de police, etc.). Une fois que vous avez appliqué cette option, l'onglet Paramètres du tableau dans la barre latérale droite serait indisponible. L'option Insérer un segment vous permet de créer un segment pour filtrer les données du tableau. Pour plus de détails sur utilisation des segments, veuillez vous référer à cette page. L'option Insérer un tableau croisé dynamique vous permet de créer un tableau croisé dynamique à base du tableau auquel la mise en forme est appliqué. Pour plus de détails sur utilisation des tableaux croisés dynamiques, veuillez vous référer à cette page. Configurer les paramètres du tableau Pour changer les paramètres avancés du tableau, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau - Paramètres avancés s'ouvre: L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau. Remarque: Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe. Utiliser la saisie automatique de formule pour ajouter des formules aux tableaux mis en forme d'après un modèle La liste de Saisie automatique de formule affiche des options disponibles pour des formules ajoutées aux tableaux mis en forme d'après un modèle. Vous pouvez faire un renvoi vers un tableau dans votre formules à l'intérieur ou en dehors du tableau. Les titres des colonnes et des éléments sont utilisés en tant que références au lieu des adresses de cellule. L'exemple ci-dessous illustre un renvoi vers le tableau dans la fonction SUM. Sélectionnez une cellule et commencez à saisir une formule qui commence par un signe égal, sélectionnez la fonction nécessaire dans la liste de Saisie automatique de formule. Après la parenthèse ouvrante, commencez à saisir le nom du tableau et sélectionnez-le dans la liste Saisie automatique de formule. Ensuite, saisissez le crochet ouvrant [ pour ouvrir la liste déroulante des colonnes et des éléments qu'on peut utiliser dans la formule. Une info-bulle avec la description de la référence s'affiche lorsque vous placez le pointeur de la souris sur la référence dans la liste. Remarque: Chaque référence doit comprendre un crochet ouvrant et un crochet fermant. Veuillez vérifier la syntaxe de la formule." + "body": "Créer un nouveau tableau mis en forme Pour faciliter le travail avec vos données, Tableur vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Vous pouvez aussi appliquer un modèle de tableau en utilisant le bouton Tableau sous l'onglet Insérer. Dans ce cas, un modèle par défaut s'applique. Remarque : une fois que vous avez créé un nouveau tableau, un nom par défaut (Tableau1, Tableau2 etc.) lui sera automatiquement affecté. Vous pouvez changer ce nom pour le rendre plus significatif et l'utiliser pour d'autres travaux. Si vous entrez une nouvelle valeur dans une cellule sous la dernière ligne du tableau (si le tableau n'a pas la ligne Total) ou dans une cellule à droite de la dernière colonne du tableau, le tableau mis en forme sera automatiquement étendue pour inclure une nouvelle ligne ou colonne. Si vous ne souhaitez pas étendre le tableau, cliquez sur le bouton Coller qui s'affiche et sélectionnez l'option Annuler l'expansion automatique du tableau. Une fois cette action annulée, l'option Rétablir l’expansion automatique du tableau sera disponible dans ce menu. Remarque : Pour activer ou désactiver l'option de développent automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe et décochez la case Inclure nouvelles lignes et colonnes dans le tableau. Sélectionner les lignes et les colonnes Pour sélectionner la ligne entière, déplacez le curseur sur la bordure gauche de la ligne du tableau lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Pour sélectionner la colonne entière du tableau mis en forme, déplacez le curseur sur le bord inférieur de l'en-tête de la colonne lorsque il se transforme en flèche noir , puis cliquez sur le bouton gauche de la souris. Sur un clic unique toutes les données de la colonne sont sélectionnées (comme indiqué sur l'illustration ci-dessous); sur un double clic la colonne entière y compris l'en-tête est sélectionnée. Pour sélectionner le tableau entier, déplacez le curseur sur le coin supérieur gauche du tableau lorsque il se transforme en flèche noir en diagonale , puis cliquez sur le bouton gauche de la souris. éditer un tableau mis en forme d'après un modèle Certains paramètres du tableau peuvent être modifiés dans l'onglet Paramètres du tableau de la barre latérale droite qui s'ouvre si vous sélectionnez au moins une cellule du tableau avec la souris et cliquez sur l'icône Paramètres du tableau sur la droite. Les sections Lignes et Colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles : En-tête - permet d'afficher la ligne d'en-tête. Total - ajoute la ligne Résumé en bas du tableau. Remarque : lorsque cette option est sélectionnée, on peut utiliser la fonction pour calculer le résumé des valeurs. Une fois la cellule pour la ligne Résumé sélectionnée, le bouton est disponible à droite de la cellule. Cliquez sur ce bouton et choisissez parmi les fonctions proposées dans la liste : Moyenne, Calculer, Max, Min, Somme, Ecartype ou Var. L'option Plus de fonctions permet d'ouvrir la fenêtre Insérer une fonction et de sélectionner une autre fonction. Si vous choisissez l'option Aucune le résumé des données de la colonne ne s'affiche pas dans la ligne Résumé. Bordé - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Bouton Filtre - permet d'afficher les flèches déroulantes dans les cellules de la ligne d'en-tête. Cette option est uniquement disponible lorsque l'option En-tête est sélectionnée. Première - accentue la colonne la plus à gauche du tableau avec un formatage spécial. Dernière - accentue la colonne la plus à droite du tableau avec un formatage spécial. Bordé - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires. La section Sélectionner à partir d'un modèle vous permet de choisir l'un des styles de tableaux prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections Lignes et/ou Colonnes ci-dessus, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché l'option En-tête dans la section Lignes et l'option Bordé dans la section Colonnes, la liste des modèles affichés inclura uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées : Si vous souhaitez effacer le style de tableau actuel (couleur d'arrière-plan, bordures, etc.) sans supprimer le tableau lui-même, appliquez le modèle Aucun à partir de la liste des modèles : La section Redimensionner le tableau vous permet de modifier la plage de cellules auxquelles la mise en forme du tableau est appliquée. Cliquez sur le bouton Sélectionner des données - une nouvelle fenêtre s'ouvrira. Modifiez le lien vers la plage de cellules dans le champ de saisie ou sélectionnez la plage de cellules nécessaire dans la feuille de calcul avec la souris et cliquez sur le bouton OK. Remarque : Les en-têtes doivent rester sur la même ligne et la plage de valeurs du tableau de résultat doit se superposer à la plage de valeur du tableau d'origine. La section Lignes et colonnes vous permet d'effectuer les opérations suivantes : Sélectionner une ligne, une colonne, toutes les données de colonnes à l'exclusion de la ligne d'en-tête ou la table entière incluant la ligne d'en-tête. Insérer une nouvelle ligne au-dessus ou en dessous de celle sélectionnée ainsi qu'une nouvelle colonne à gauche ou à droite de celle sélectionnée. Supprimer une ligne, une colonne (en fonction de la position du curseur ou de la sélection) ou la totalité du tableau. Remarque : les options de la section Lignes et colonnes sont également accessibles depuis le menu contextuel. L'option Supprimer les valeurs dupliquées vous permet de supprimer les valeurs en double dans le tableau mis en forme. Pour plus de détails sur suppression des doublons, veuillez vous référer à cette page. L'option Conversion en plage peut être utilisée si vous souhaitez transformer le tableau en une plage de données normale en supprimant le filtre tout en préservant le style de la table (c'est-à-dire les couleurs de cellule et de police, etc.). Une fois que vous avez appliqué cette option, l'onglet Paramètres du tableau dans la barre latérale droite serait indisponible. L'option Insérer un segment vous permet de créer un segment pour filtrer les données du tableau. Pour plus de détails sur utilisation des segments, veuillez vous référer à cette page. L'option Insérer un tableau croisé dynamique vous permet de créer un tableau croisé dynamique à base du tableau auquel la mise en forme est appliqué. Pour plus de détails sur utilisation des tableaux croisés dynamiques, veuillez vous référer à cette page. Configurer les paramètres du tableau Pour changer les paramètres avancés du tableau, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau - Paramètres avancés s'ouvre : L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau. Remarque : Pour activer ou désactiver l'option d'expansion automatique du tableau, accédez à Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Options de correction automatique -> Mise en forme automatique au cours de la frappe. Utiliser la saisie automatique de formule pour ajouter des formules aux tableaux mis en forme d'après un modèle La liste de Saisie automatique de formule affiche des options disponibles pour des formules ajoutées aux tableaux mis en forme d'après un modèle. Vous pouvez faire un renvoi vers un tableau dans votre formules à l'intérieur ou en dehors du tableau. Les titres des colonnes et des éléments sont utilisés en tant que références au lieu des adresses de cellule. L'exemple ci-dessous illustre un renvoi vers le tableau dans la fonction SUM. Sélectionnez une cellule et commencez à saisir une formule qui commence par un signe égal, sélectionnez la fonction nécessaire dans la liste de Saisie automatique de formule. Après la parenthèse ouvrante, commencez à saisir le nom du tableau et sélectionnez-le dans la liste Saisie automatique de formule. Ensuite, saisissez le crochet ouvrant [ pour ouvrir la liste déroulante des colonnes et des éléments qu'on peut utiliser dans la formule. Une info-bulle avec la description de la référence s'affiche lorsque vous placez le pointeur de la souris sur la référence dans la liste. Remarque : Chaque référence doit comprendre un crochet ouvrant et un crochet fermant. Veuillez vérifier la syntaxe de la formule." }, { "id": "UsageInstructions/GroupData.htm", "title": "Grouper des données", - "body": "La possibilité de regrouper les lignes et les colonnes ainsi que de créer un plan vous permet de travailler plus facilement avec une feuille de calcul contenant une grande quantité de données. Dans Spreadsheet Editor, vous pouvez réduire ou agrandir les lignes et les colonnes groupées pour afficher uniquement les données nécessaires. Il est également possible de créer une structure à plusieurs niveaux des lignes /colonnes groupées. Lorsque c’est nécessaire, vous pouvez dissocier les lignes/colonnes précédemment groupées. Grouper les lignes et colonnes Pour grouper les lignes et colonnes: Sélectionnez la rangée de cellules que vous voulez regrouper. Basculez vers l’onglet de Données et utilisez l’une des options nécessaires dans la barre d’outils supérieure: cliquez sur le bouton Grouper puis choisissez l’option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez OK, cliquez sur la flèche vers le bas sous le bouton Grouper et choisissez l’option Grouper les lignes depuis le menu, cliquez sur la flèche vers le bas sous le bouton Grouper et choisissez l’option Grouper les colonnes depuis le menu. Les lignes et colonnes sélectionnées seront regroupées et le plan créé sera affiché à gauche des lignes et au-dessus des colonnes. Pour masquer les lignes/colonnes, cliquez sur l’icône Réduire. Pour afficher les lignes/colonnes réduites, cliquez sur l’icône Agrandir. Changer le plan Pour modifier le plan des lignes ou colonnes groupées, vous pouvez utiliser les options du menu déroulant Grouper. Les option Lignes de synthèse sous les lignes de détail et les Colonnes de synthèse à droite des colonnes de détail sont choisies par défaut. Elles permettent de modifier l’emplacement du bouton Réduire et du bouton Agrandir buttons: Décrochez l’option Lignes de synthèse sous les lignes de détail si vous souhaitez afficher les lignes de synthèse au-dessus des lignes de détail. Décrochez l’option Colonnes de synthèse à droite des colonnes de détail si vous souhaitez afficher les colonnes de synthèse à gauches des colonnes de détail. Créer des groupes à plusieurs niveaux Pour créer une structure à plusieurs niveaux, sélectionnez une plage de celle-ci dans le groupe de lignes/ colonnes précédemment créé et regrouper la nouvelles plage sélectionnée comme décrit ci-dessus. Après cela, vous pouvez masquer et afficher les groupes par niveau en utilisant les icônes avec le numéro de niveau: . Par exemple, si vous créez un groupe imbriqué dans le groupe parent, trois niveaux seront disponibles. Il est possible de créer jusqu’à 8 niveaux. Cliquez sur la première icône de niveau pour passer au niveau qui masque toutes les données groupées: Cliquez sur la deuxième icône de niveau pour passer au niveau qui affiche les détails du groupe parent, mais masque les données du groupe imbriqué: Cliquez sur la troisième icône de niveau pour passer au niveau qui affiche tous les détails: Il est possible d’utiliser les icônes Réduire et Agrandir dans le plan pour afficher ou masquer les données correspondant à un certain niveau. Dissocier des lignes et des colonnes précédemment groupées Pour dissocier des lignes ou des colonnes précédemment groupées: Sélectionnez la plage de cellules groupées pour dissocier. Basculez vers l’onglet de Données et utilisez l’une des options nécessaires sur la barre d’outils supérieure: cliquez sur le bouton Dissocier puis choisissez l’option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez sur OK, cliquez sur la flèche vers le bas sous le bouton de Dissocier puis choisissez l’option Dissocier les lignes et Effacer le plan, cliquez sur la flèche vers le bas sous le bouton Dissocier et choisissez l’option Dissocier les colonnes depuis le menu pour dissocier les colonnes et effacer le plan de colonnes, cliquez sur la flèche vers le bas sous le bouton Dissocier et choisissez l’option Effacer le plan depuis le menu pour effacer le plan des lignes et des colonnes sans supprimer les groupes existants." + "body": "La possibilité de regrouper les lignes et les colonnes ainsi que de créer un plan vous permet de travailler plus facilement avec une feuille de calcul contenant une grande quantité de données. Dans le Tableur, vous pouvez réduire ou agrandir les lignes et les colonnes groupées pour afficher uniquement les données nécessaires. Il est également possible de créer une structure à plusieurs niveaux des lignes /colonnes groupées. Lorsque c'est nécessaire, vous pouvez dissocier les lignes/colonnes précédemment groupées. Grouper les lignes et colonnes Pour grouper les lignes et colonnes : Sélectionnez la rangée de cellules que vous voulez regrouper. Basculez vers l'onglet de Données et utilisez l'une des options nécessaires dans la barre d'outils supérieure : cliquez sur le bouton Grouper puis choisissez l'option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez OK, cliquez sur la flèche vers le bas sous le bouton Grouper et choisissez l'option Grouper les lignes depuis le menu, cliquez sur la flèche vers le bas sous le bouton Grouper et choisissez l'option Grouper les colonnes depuis le menu. Les lignes et colonnes sélectionnées seront regroupées et le plan créé sera affiché à gauche des lignes et au-dessus des colonnes. Pour masquer les lignes/colonnes, cliquez sur l'icône Réduire. Pour afficher les lignes/colonnes réduites, cliquez sur l'icône Agrandir. Changer le plan Pour modifier le plan des lignes ou colonnes groupées, vous pouvez utiliser les options du menu déroulant Grouper. Les option Lignes de synthèse sous les lignes de détail et les Colonnes de synthèse à droite des colonnes de détail sont choisies par défaut. Elles permettent de modifier l'emplacement du bouton Réduire et du bouton Agrandir : Décrochez l'option Lignes de synthèse sous les lignes de détail si vous souhaitez afficher les lignes de synthèse au-dessus des lignes de détail. Décrochez l'option Colonnes de synthèse à droite des colonnes de détail si vous souhaitez afficher les colonnes de synthèse à gauches des colonnes de détail. Créer des groupes à plusieurs niveaux Pour créer une structure à plusieurs niveaux, sélectionnez une plage de celle-ci dans le groupe de lignes/ colonnes précédemment créé et regrouper la nouvelles plage sélectionnée comme décrit ci-dessus. Après cela, vous pouvez masquer et afficher les groupes par niveau en utilisant les icônes avec le numéro de niveau : . Par exemple, si vous créez un groupe imbriqué dans le groupe parent, trois niveaux seront disponibles. Il est possible de créer jusqu'à 8 niveaux. Cliquez sur la première icône de niveau pour passer au niveau qui masque toutes les données groupées : Cliquez sur la deuxième icône de niveau pour passer au niveau qui affiche les détails du groupe parent, mais masque les données du groupe imbriqué : Cliquez sur la troisième icône de niveau pour passer au niveau qui affiche tous les détails : Il est possible d'utiliser les icônes Réduire et Agrandir dans le plan pour afficher ou masquer les données correspondant à un certain niveau. Dissocier des lignes et des colonnes précédemment groupées Pour dissocier des lignes ou des colonnes précédemment groupées : Sélectionnez la plage de cellules groupées pour dissocier. Basculez vers l'onglet de Données et utilisez l'une des options nécessaires sur la barre d'outils supérieure : cliquez sur le bouton Dissocier puis choisissez l'option Lignes ou Colonnes dans la fenêtre Grouper qui apparaît et cliquez sur OK, cliquez sur la flèche vers le bas sous le bouton de Dissocier puis choisissez l'option Dissocier les lignes et Effacer le plan, cliquez sur la flèche vers le bas sous le bouton Dissocier et choisissez l'option Dissocier les colonnes depuis le menu pour dissocier les colonnes et effacer le plan de colonnes, cliquez sur la flèche vers le bas sous le bouton Dissocier et choisissez l'option Effacer le plan depuis le menu pour effacer le plan des lignes et des colonnes sans supprimer les groupes existants." }, { "id": "UsageInstructions/HighlightedCode.htm", "title": "Insérer le code en surbrillance", - "body": "Dans Spreadsheet Editor, vous pouvez intégrer votre code mis en surbrillance auquel le style est déjà appliqué à correspondre avec le langage de programmation et le style de coloration dans le programme choisi. Accédez à votre feuille de calcul et placez le curseur à l'endroit où le code doit être inséré. Passez à l'onglet Modules complémentaires et choisissez Code en surbrillance. Spécifiez la Langue de programmation. Choisissez le Style du code pour qu'il apparaisse de manière à sembler celui dans le programme. Spécifiez si on va remplacer les tabulations par des espaces. Choisissez la Couleur de fond. Pour le faire manuellement, déplacez le curseur sur la palette de couleurs ou passez la valeur de type RBG/HSL/HEX. Cliquez sur OK pour insérer le code." + "body": "Dans le Tableur, vous pouvez intégrer votre code mis en surbrillance auquel le style est déjà appliqué à correspondre avec le langage de programmation et le style de coloration dans le programme choisi. Accédez à votre feuille de calcul et placez le curseur à l'endroit où le code doit être inséré. Passez à l'onglet Modules complémentaires et choisissez Code en surbrillance. Spécifiez la Langue de programmation. Choisissez le Style du code pour qu'il apparaisse de manière à sembler celui dans le programme. Spécifiez si on va remplacer les tabulations par des espaces. Choisissez la Couleur de fond. Pour le faire manuellement, déplacez le curseur sur la palette de couleurs ou passez la valeur de type RBG/HSL/HEX. Cliquez sur OK pour insérer le code." + }, + { + "id": "UsageInstructions/InsertArrayFormulas.htm", + "title": "Insérer des formules de tableau", + "body": "Tableur permet d'utiliser les formules de tableau. Les formules de tableau assurent la cohérence entre les formules dans une feuille de calcul, puisque vous pouvez saisir une seule formule au lieu de plusieurs formules habituelles, elles simplifient le travail avec une grande quantité de données et permettent de remplir une feuille avec des données, etc. Vous pouvez saisir des formules et des fonctions incorporées en tant que formules de tableau pour : effectuer plusieurs calculs à la fois et afficher un seul résultat, ou renvoyer une plage de valeurs affichées dans plusieurs lignes et/ou colonnes. Il existe également des fonctions désignées qui peuvent renvoyer plusieurs valeurs. Si vous les saisissez en appuyant sur Enter, elles renvoient une seule valeur. Si vous sélectionnez une plage de sortie de cellules pour afficher les résultats, ensuite saisissez une fonction en appuyant sur Ctrl + Shift + Enter, une plage de valeurs sera renvoiée (le nombre de valeurs renvoyées dépend de la taille de la plage de sortie précédemment sélectionnée). La liste ci-dessous contient des liens vers les descriptions détaillées de ces fonctions. Fonctions de tableau CELLULE COLONNE FORMULETEXTE FREQUENCE CROISSANCE LIEN_HYPERTEXTE INDIRECT INDEX ESTFORMULE DROITEREG LOGREG INVERSEMAT PRODUITMAT MATRICE.UNITAIRE DECALER TABLEAU.ALEAT LIGNE TRANSPOSE TREND UNIQUE XLOOKUP Insérer des formules de tableau Pour insérer une formule de tableau, Sélectionnez une plage de cellules où vous souhaitez afficher les résultats. Saisissez la formule que vous souhaitez utiliser dans la barre de formule, en spécifiant les arguments nécessaires entre parenthèses (). Appuyez sur la combinaison de touches Ctrl + Shift + Enter. Les résultats seront affichés dans la plage de cellules sélectionnée, et la formule dans la barre de formule sera automatiquement placée entre accolades { } pour indiquer qu'il s'agit d'une formule de tableau. Par exemple, {=UNIQUE(B2:D6)}. Les accolades ne peuvent pas être saisies manuellement. Créer des formules de tableau à une seule cellule L'exemple qui suit permet de montrer le résultat de la formule de tableau affiché dans une seule cellule. Sélectionnez une cellule, saisissez =SOMME(C2:C11*D2:D11) et appyuez sur Ctrl + Shift + Enter. Créer des formules de tableau plusieurs cellules L'exemple qui suit permet de montrer le résultat de la formule de tableau affiché dans une plage de cellules. Sélectionnez une plage de cellules, saisissez =C2:C11*D2:D11 et appyuez sur Ctrl + Shift + Enter. Modifier des formules de tableau Chaque fois que vous modifiez une formule de tableau saisie (par exemple, modifiez les arguments), vous avez besoin d'utiliser la combinaison de touches Ctrl + Shift + Enter afin d'enregistrer les modifications. L'exemple qui suit explique comment développer une formule de tableau plusieurs cellules lorsque vous ajoutez de nouvelles données. Sélectionnez toutes les cellules qui contiennent une formule de tableau, ainsi que les cellules vides à côté des nouvelles données, modifiez les arguments dans la barre de formule afin qu'ils incluent les nouvelles données, ensuite appyuez sur Ctrl + Shift + Enter. Si vous souhaitez appliquer une formule de tableau plusieurs cellules à une plage de cellules plus petite, il vous faut supprimer la formule de tableau actuelle, puis saisir une nouvelle formule de tableau. Une partie de matrice ne peut pas être modifiée ou supprimée. Si vous essayez de modifier, déplacer ou supprimer une seule cellule dans le tableau ou d'insérer une nouvelle cellule dans le tableau, vous obtenez l'avertissement : Impossible de modifier une partie de matrice. Afin de supprimer une formule de tableau, sélectionnez toutes les cellules avec la formule de tableau et cliquez sur Supprimer. Ou sélectionnez la formule de tableau dans la barre de formules, cliquez sur Supprimer et ensuite appyuez sur Ctrl + Shift + Enter. Exemples d'utilisation de formules de tableau Cette section présente quelques exemples d'utilisation des formules de tableau pour accomplir certaines tâches : Compter le nombre de caractères dans une plage de cellules Vous pouvez utiliser la formule de tableau suivante, en remplaçant la plage de cellules dans l'argument par votre propre plage : =SOMME(NBCAR(B2:B11)). La fonction NBCAR calcule la longueur de chaque chaîne de texte dans la plage de cellules. La fonction SOMME additionne les valeurs. Pour obtenir le nombre moyen de caractères, remplacez SOMME par MOYENNE. Trouver la chaîne la plus longue dans une plage de cellules Vous pouvez utiliser la formule de tableau suivante, en remplaçant la plage de cellules dans l'argument par votre propre plage : =INDEX(B2:B11,EQUIV(MAX(NBCAR(B2:B11)),NBCAR(B2:B11),0),1). La fonction NBCAR calcule la longueur de chaque chaîne de texte dans la plage de cellules. La fonction MAX calcule la plus grande valeur. La fonction EQUIV trouve l'adresse de la cellule avec la chaîne la plus longue. La fonction INDEX retourne la valeur de la cellule trouvée. Pour trouver la chaîne la plus courte, remplacez MAX par MIN. Faire la somme des valeurs à base des conditions Pour faire la somme des valeurs supérieures à un nombre spécifié (2 dans cet exemple), vous pouvez utiliser la formule de tableau suivante, en remplaçant les plages de cellules dans les arguments par vos propres plages : =SOMME(IF(C2:C11>2,C2:C11)). La fonction SI crée un tableau de valeurs vraies et fausses. La fonction SOMME ignore les fausses valeurs et additionne les valeurs vraies." }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Insérer et mettre en forme des formes automatiques", - "body": "Insérer une forme automatique Pour ajouter une forme automatique à Spreadsheet Editor, 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 dans la Galerie des formes: Récemment utilisé, 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, une fois que la forme automatique est ajoutée vous pouvez modifier sa taille et sa position aussi bien que ses propriétés. Régler les paramètres de la forme automatique Certains paramètres de la forme automatique peuvent être modifiés dans l'onglet Paramètres de la forme de la barre latérale droite qui s'ouvre si vous sélectionnez la forme automatique avec la souris et cliquez sur l'icône Paramètres de la forme . 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 de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la forme. 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: Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à la forme automatique et sera ajoutée dans la palette Couleur personnalisée du menu. Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Personnaliser votre dégradé sans aucune contrainte. Cliquez sur Paramètres de la forme pour ouvrir le menu Remplissage de la barre latérale droite: Les options disponibles du menu: Style - choisissez Linéaire or Radial: Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. La fenêtre d'aperçu Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. Utilisez les paramètres Angle pour définir un angle précis du dégradé. Radial sert à remplir par un dégradé de forme circulaire entre le point de départ et le point d'arrivée. Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Utilisez le bouton Supprimer un point de dégradé pour supprimer un certain point de dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez cliquez sur Sélectionnez l'image et ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou A partir de l'espace de stockage à l'aide du gestionnaire de fichiers ONLYOFFICE, 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 nécessaire. 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 ou diapositive, vous pouvez profiter d'une des options Prolonger ou Tuile depuis la liste déroulante. L'option Prolonger 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 Tuile 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 ou de la diapositive 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 Prolonger, 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 pour remplir l'espace intérieur de la forme. 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 un remplissage. Opacité sert à 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%. Celle-ci correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Ligne - sert à régler la taille, la couleur et le type du contour de la forme. Pour modifier la largeur du ligne, 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 ligne. 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). Rotation permet de faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre ou dans le sens inverse des aiguilles d'une montre, ainsi que de retourner l'image horizontalement ou verticalement. Cliquez sur l'un des boutons: pour faire pivoter la forme de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre pour retourner la forme horizontalement (de gauche à droite) pour retourner la forme verticalement (à l'envers) Modifier la forme automatique sert à remplacer la forme actuelle par une autre en la sélectionnant de la liste déroulante. Ajouter une ombre activez cette option pour ajouter une ombre portée à une forme. Configurer les paramètres avancés de la forme Pour configurer les paramètres avancés de la forme automatique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Forme - Paramètres avancés s'ouvre: L'onglet Taille comporte les paramètres suivants: Largeur et Hauteur  utilisez ces options pour changer la largeur et/ou la hauteur de la forme. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme suit) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. L'onglet Rotation comporte les paramètres suivants: Angle - utilisez cette option pour faire pivoter la forme d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner la forme horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Poids et flèches contient les paramètres suivants: Style de ligne - ce groupe d'options vous permet de spécifier les paramètres suivants: Type de lettrine - cette option permet de définir le style de la fin de la ligne, ainsi 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. Plaque - le coin sera coupé d'une manière angulaire. Onglet - l'angle sera aiguisé. Bien adapté pour les formes à angles vifs. 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 Zone de texte vous permet de Redimensionner la forme pour contenir la texte, Autoriser le texte à sortir de la forme ou 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 tu texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. L'onglet Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer la forme derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), la forme se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de la forme s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé la forme derrière la cellule mais d'empêcher sa redimensionnement. Quand une cellule se déplace, la forme se déplace aussi, mais si vous redimensionnez la cellule, la forme demeure inchangée. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de la forme si la position ou la dimension de la cellule restent inchangées. 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. Insérer et mettre en forme du texte dans la forme automatique Pour insérer un texte dans la forme automatique, sélectionnez la forme avec la souris et commencez à taper votre 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). Toutes les options de mise en forme que vous pouvez appliquer au texte dans la forme automatique sont listées ici. Joindre des formes automatiques à l'aide de connecteurs Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour ce faire, cliquez sur l'icône Forme dans l'onglet Insérer de la barre d'outils supérieure, sélectionnez le groupe Lignes dans le menu, cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre), passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions apparaissant sur le contour, faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour. Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles. Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion. Affecter une macro à une forme Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une forme. Une fois la macro affectée, la forme apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur la forme et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." + "body": "Insérer une forme automatique Pour ajouter une forme automatique au Tableur, 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 dans la Galerie des formes : Récemment utilisé, 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, une fois que la forme automatique est ajoutée vous pouvez modifier sa taille et sa position aussi bien que ses propriétés. Régler les paramètres de la forme automatique Certains paramètres de la forme automatique peuvent être modifiés dans l'onglet Paramètres de la forme de la barre latérale droite qui s'ouvre si vous sélectionnez la forme automatique avec la souris et cliquez sur l'icône Paramètres de la forme . 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 de remplissage - sélectionnez cette option pour spécifier la couleur unie à utiliser pour remplir l'espace intérieur de la forme. 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 : Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter : La couleur personnalisée sera appliquée à la forme automatique et sera ajoutée dans la palette Couleur personnalisée du menu. Remplissage en dégradé - sélectionnez cette option pour spécifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Personnaliser votre dégradé sans aucune contrainte. Cliquez sur Paramètres de la forme pour ouvrir le menu Remplissage de la barre latérale droite : Les options disponibles du menu : Style - choisissez Linéaire or Radial : Linéaire sert à remplir par un dégradé de gauche à droite, de bas en haut ou sous l'angle partant en direction définie. La fenêtre d'aperçu Direction affiche la couleur de dégradé sélectionnée, cliquez sur la flèche pour définir la direction du dégradé. Utilisez les paramètres Angle pour définir un angle précis du dégradé. Radial sert à remplir par un dégradé de forme circulaire entre le point de départ et le point d'arrivée. Point de dégradé est le point d'arrêt de d'une couleur et de la transition entre les couleurs. Utilisez le bouton Ajouter un point de dégradé ou le curseur de dégradé pour ajouter un point de dégradé. Vous pouvez ajouter 10 points de dégradé. Le nouveau arrêt de couleur n'affecte pas l'aspect actuel du dégradé. Utilisez le bouton Supprimer un point de dégradé pour supprimer un certain point de dégradé. Faites glisser le curseur de déragé pour changer l'emplacement des points de dégradé ou spécifiez la Position en pourcentage pour l'emplacement plus précis. Pour choisir la couleur au dégradé, cliquez sur l'arrêt concerné sur le curseur de dégradé, ensuite cliquez sur Couleur pour sélectionner la couleur appropriée. Image ou Texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que l'arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez cliquez sur Sélectionnez l'image et ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou A partir de l'espace de stockage à l'aide du gestionnaire de fichiers ONLYOFFICE, 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 nécessaire. 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 ou diapositive, vous pouvez profiter d'une des options Prolonger ou Tuile depuis la liste déroulante. L'option Prolonger 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 Tuile 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 ou de la diapositive 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 Prolonger, 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 pour remplir l'espace intérieur de la forme. 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 un remplissage. Opacité sert à 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%. Celle-ci correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Ligne - sert à régler la taille, la couleur et le type du contour de la forme. Pour modifier la largeur du ligne, 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 ligne. 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). Rotation permet de faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre ou dans le sens inverse des aiguilles d'une montre, ainsi que de retourner l'image horizontalement ou verticalement. Cliquez sur l'un des boutons : pour faire pivoter la forme de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter la forme de 90 degrés dans le sens des aiguilles d'une montre pour retourner la forme horizontalement (de gauche à droite) pour retourner la forme verticalement (à l'envers) Modifier la forme automatique sert à remplacer la forme actuelle par une autre en la sélectionnant de la liste déroulante. Ajouter une ombre activez cette option pour ajouter une ombre portée à une forme. Configurer les paramètres avancés de la forme Pour configurer les paramètres avancés de la forme automatique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Forme - Paramètres avancés s'ouvre : L'onglet Taille comporte les paramètres suivants : Largeur et Hauteur  utilisez ces options pour changer la largeur et/ou la hauteur de la forme. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme suit) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. L'onglet Rotation comporte les paramètres suivants : Angle - utilisez cette option pour faire pivoter la forme d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner la forme horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Poids et flèches contient les paramètres suivants : Style de ligne - ce groupe d'options vous permet de spécifier les paramètres suivants : Type de lettrine - cette option permet de définir le style de la fin de la ligne, ainsi 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. Plaque - le coin sera coupé d'une manière angulaire. Onglet - l'angle sera aiguisé. Bien adapté pour les formes à angles vifs. 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 Zone de texte vous permet de Redimensionner la forme pour contenir la texte, Autoriser le texte à sortir de la forme ou 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 tu texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. L'onglet Colonnes permet d'ajouter des colonnes de texte dans la forme automatique en spécifiant le Nombre de colonnes nécessaires (jusqu'à 16) et l'Espacement entre les colonnes. Une fois que vous avez cliqué sur OK, le texte qui existe déjà ou tout autre texte que vous entrez dans la forme automatique apparaîtra dans les colonnes et circulera d'une colonne à l'autre. L'onglet Alignement dans une cellule comprend les options suivantes : Déplacer et dimensionner avec des cellules - cette option permet de placer la forme derrière la cellule. Quand une cellule se déplace (par exemple : insertion ou suppression des lignes/colonnes), la forme se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de la forme s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé la forme derrière la cellule mais d'empêcher sa redimensionnement. Quand une cellule se déplace, la forme se déplace aussi, mais si vous redimensionnez la cellule, la forme demeure inchangée. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de la forme si la position ou la dimension de la cellule restent inchangées. 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. Insérer et mettre en forme du texte dans la forme automatique Pour insérer un texte dans la forme automatique, sélectionnez la forme avec la souris et commencez à taper votre 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). Toutes les options de mise en forme que vous pouvez appliquer au texte dans la forme automatique sont listées ici. Joindre des formes automatiques à l'aide de connecteurs Vous pouvez connecter des formes automatiques à l'aide de lignes munies de points de connexion pour démontrer les dépendances entre les objets (par exemple, si vous souhaitez créer un diagramme). Pour ce faire, cliquez sur l'icône Forme dans l'onglet Insérer de la barre d'outils supérieure, sélectionnez le groupe Lignes dans le menu, cliquez sur la forme souhaitée dans le groupe sélectionné (à l'exception des trois dernières formes qui ne sont pas des connecteurs, à savoir les formes Courbe, Dessin à main levée et Forme libre), passez le curseur de la souris sur la première forme automatique et cliquez sur l'un des points de connexions apparaissant sur le contour, faites glisser le curseur de la souris vers la deuxième forme automatique et cliquez sur le point de connexion voulu sur son contour. Si vous déplacez les formes automatiques jointes, le connecteur reste attaché aux formes et se déplace avec elles. Vous pouvez également détacher le connecteur des formes, puis l'attacher à d'autres points de connexion. Affecter une macro à une forme Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une forme. Une fois la macro affectée, la forme apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro : Cliquer avec le bouton droit de la souris sur la forme et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." }, { "id": "UsageInstructions/InsertChart.htm", "title": "Insérer des graphiques", - "body": "Insérer un graphique Pour insérer un graphique dans Spreadsheet Editor, sélectionnez la plage de cellules qui contiennent les données que vous souhaitez utiliser pour le graphique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié: Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - lignes Histogramme groupé - ligne sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée Remarque: ONLYOFFICE Spreadsheet Editor prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier. Après cela, le graphique sera ajouté à la feuille de calcul. Régler les paramètres du graphique Vous pouvez maintenant modifier les propriétés du graphique inséré: Pour modifier le type de graphique, sélectionnez le graphique avec la souris, cliquez sur l'icône Paramètres du graphique sur la barre latérale droite, ouvrez la liste déroulante Style et sélectionnez le style qui vous convient le mieux. ouvrez la liste déroulante Modifier le type et sélectionnez le type approprié. Le type et le style de graphique sélectionnés seront modifiés. Pour modifier les données du graphiques: Cliquez sur le bouton Sélectionner des données sur le panneau latéral droit. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur Afficher les paramètres avancés pour modifier paramètres tels que Disposition, Axe vertical, Second axe vertical, Axe horizontal, Second axe horizontal, Alignement dans une cellule et Texte de remplacement. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante: Rien pour ne pas afficher de légende, En bas pour afficher la légende et l'aligner au bas de la zone de tracé, En haut pour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données): spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes: Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes: Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes: Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur d'étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque: les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque: les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante: Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante: Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque: Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante: Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante: Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés: Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants: Type principal/secondaire est utilisé pour spécifier les options de placement suivantes: Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal: Sélectionnez l'option souhaitée dans la liste déroulante: Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles: Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Modifier les éléments de graphique Pour modifier le Titre du graphique, sélectionnez le texte par défaut à l'aide de la souris et saisissez le vôtre à la place. Pour modifier la mise en forme de la police dans les éléments de texte, tels que le titre du graphique, les titres des axes, les entrées de légende, les étiquettes de données, etc., sélectionnez l'élément de texte nécessaire en cliquant dessus. Utilisez ensuite les icônes de l'onglet Accueil de la barre d'outils supérieure pour modifier le type de police, la taille, la couleur. Une fois le graphique sélectionné, l'icône Paramètres de la forme est aussi disponible à la droite car une forme est utilisé en arrière plan du graphique. Vous pouvez appuyer sur cette icône pour accéder l'onglet Paramètres de la forme dans la barre latérale droite et configurer le Remplissage et le Trait. Veuillez noter qu'on ne peut pas modifier le type de la forme. Sous l'onglet Paramètres de la forme dans le panneau droit, vous pouvez configurer la zone du graphique là-même aussi que les éléments du graphique tels que la zone de tracé, la série de données, le titre du graphique, la légende et les autres et ajouter les différents types de remplissage. Sélectionnez l'élément du graphique nécessaire en cliquant sur le bouton gauche de la souris et choisissez le type de remplissage approprié: couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme: couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à cet page. Remarque: l'option Ajouter un ombre est aussi disponible sous l'onglet Paramètres de la forme, mais elle est désactivée pour les éléments du graphique. Si vous voulez redimensionner les éléments du graphique, sélectionnez l'élément nécessaire en cliquant sur le bouton gauche de la souris et faites glisser un des huit carreaux blancs le long du périmètre de l'élément. Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, , maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité. Pour supprimer un élément de graphique, sélectionnez-le en cliquant sur le bouton gauche et appuyez sur la touche Suppr. Vous pouvez également faire pivoter les graphiques 3D à l'aide de la souris. Faites un clic gauche dans la zone de tracé et maintenez le bouton de la souris enfoncé. Faites glisser le curseur sans relâcher le bouton de la souris pour modifier l'orientation du graphique 3D. Si nécessaire, vous pouvez modifier la taille et la position du graphique. Pour supprimer un graphique inséré, cliquez sur celui-ci et appuyez sur la touche Suppr. Affecter une macro à un graphique Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à un graphique. Une fois la macro affectée, le graphique apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur le graphique et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK. Une fois la macro affectée, vous pouvez toujours sélectionner le graphique pour effectuer d'autres opérations en cliquant avec le bouton gauche de la souris sur le graphique. Utiliser des graphiques sparkline ONLYOFFICE Spreadsheet Editor prend en charge des Graphiques sparkline. Un graphique sparkline est un graphique tout petit qui s'adapte à la taille de la cellule et est un excellent outil de représentation visuelle des données. Pour en savoir plus sur la création, la modification et mise en forme des graphiques sparkline, veuillez consulter des instructions Insérer des graphiques sparkline." + "body": "Insérer un graphique Pour insérer un graphique dans le Tableur, sélectionnez la plage de cellules qui contiennent les données que vous souhaitez utiliser pour le graphique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Graphique de la barre d'outils supérieure, choisissez le type de graphique approprié : Graphique à colonnes Histogramme groupé Histogramme empilé Histogramme empilé 100 % Histogramme groupé en 3D Histogramme empilé en 3D Histogramme empilé 100 % en 3D Histogrammes en 3D Graphiques en ligne Ligne Lignes empilées Lignes empilées 100 % Lignes avec marques de données Lignes empilées avec marques de données Lignes empilées 100 % avec des marques de données Lignes 3D Graphiques en secteurs Secteurs Donut Camembert 3D Graphiques à barres Barres groupées Barres empilées Barres empilées 100 % Barres groupées en 3D Barres empilées en 3D Barres empilées 100 % en 3D Graphiques en aires Aires Aires empilées Aires empilées 100 % Graphiques boursiers Nuage de points (XY) Disperser Barres empilées Disperser avec lignes lissées et marqueurs Disperser avec lignes lissées Disperser avec des lignes droites et marqueurs Disperser avec des lignes droites Graphiques Combo Histogramme groupé - lignes Histogramme groupé - ligne sur un axe secondaire Aires empilées - histogramme groupé Combinaison personnalisée Après cela, le graphique sera ajouté à la feuille de calcul. Remarque : Éditeur de feuilles de calcul ONLYOFFICE prend en charge des graphiques en pyramides, à barres (pyramides), horizontal/vertical à cylindre, horizontal/vertical à cônes qui étaient créés avec d’autres applications. Vous pouvez ouvrir le fichier comportant un tel graphique et le modifier. Régler les paramètres du graphique Vous pouvez maintenant modifier les propriétés du graphique inséré : Pour modifier le type de graphique, sélectionnez le graphique avec la souris, cliquez sur l'icône Paramètres du graphique sur la barre latérale droite, ouvrez la liste déroulante Style et sélectionnez le style qui vous convient le mieux. ouvrez la liste déroulante Modifier le type et sélectionnez le type approprié. cliquez sur l'option Changer de ligne ou de colonne afin de modifier le positionnement des lignes et des colonnes de graphique. Le type et le style de graphique sélectionnés seront modifiés. Pour modifier les données du graphiques : Cliquez sur le bouton Sélectionner des données sur le panneau latéral droit. Utiliser la boîte de dialogue Données du graphique pour gérer la Plage de données du graphique, la Série de la légende, le Nom de l'axe horizontal, et Changer de ligne ou de colonne. Plage de données du graphique - sélectionnez les données pour votre graphique. Cliquez sur l'icône à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. Série de la légende - ajouter, modifier ou supprimer les entrées de légende. Tapez ou sélectionnez le nom de série des entrées de légende. Dans la Série de la légende, cliquez sur le bouton Ajouter. Dans la fenêtre Modifier la série saisissez une nouvelle entrée de légende ou cliquez sur l'icône à droite de la boîte Nom de la série. Nom de l'axe horizontal - modifier le texte de l'étiquette de l'axe Dans la fenêtre Nom de l'axe horizontal cliquez sur Modifier. Dans la fenêtre Étiquette de l'axe, saisissez les étiquettes que vous souhaitez ajouter ou cliquez sur l'icône à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. Changer de ligne ou de colonne - modifier le façon de traçage des données dans la feuille de calcul. Changer de ligne ou de colonne pour afficher des données sur un autre axe. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Cliquez sur Afficher les paramètres avancés pour modifier paramètres tels que Disposition, Axe vertical, Second axe vertical, Axe horizontal, Second axe horizontal, Alignement dans une cellule et Texte de remplacement. L'onglet Disposition vous permet de modifier la disposition des éléments de graphique. Spécifiez la position du Titre du graphique sur votre graphique en sélectionnant l'option voulue dans la liste déroulante : Rien pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Sans superposition pour afficher le titre au-dessus de la zone de tracé. Spécifiez la position de la Légende sur votre graphique en sélectionnant l'option voulue dans la liste déroulante : Rien pour ne pas afficher de légende, En bas pour afficher la légende et l'aligner au bas de la zone de tracé, En haut pour afficher la légende et l'aligner en haut de la zone de tracé, À droite pour afficher la légende et l'aligner à droite de la zone de tracé, À gauche pour afficher la légende et l'aligner à gauche de la zone de tracé, Superposition à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposition à droite pour superposer et centrer la légende à droite de la zone de tracé. Spécifiez les paramètres des Étiquettes de données (c'est-à-dire les étiquettes de texte représentant les valeurs exactes des points de données) : spécifiez la position des Étiquettes de données par rapport aux points de données en sélectionnant l'option nécessaire dans la liste déroulante. Les options disponibles varient en fonction du type de graphique sélectionné. Pour les graphiques en Colonnes/Barres, vous pouvez choisir les options suivantes : Rien, Au centre, En haut à l'intérieur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes : Rien, Au centre, À gauche, À droite, En haut, En bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes : Rien, Au centre, Ajuster à la largeur, En haut à l'intérieur, En haut à l'extérieur. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, Ligne, Barres et Combo vous pouvez choisir les options suivantes : Rien, Au centre. sélectionnez les données que vous souhaitez inclure dans vos étiquettes en cochant les cases correspondantes : Nom de la série, Nom de la catégorie, Valeur, entrez un caractère (virgule, point-virgule, etc.) que vous souhaitez utiliser pour séparer plusieurs étiquettes dans le champ de saisie Séparateur d'étiquettes de données. Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes : Droit pour utiliser des lignes droites entre les points de données, Lisse pour utiliser des courbes lisses entre les points de données, ou Rien pour ne pas afficher les lignes. Marqueurs - est utilisé pour spécifier si les marqueurs doivent être affichés (si la case est cochée) ou non (si la case n'est pas cochée) pour les graphiques Ligne/Nuage de points (XY). Remarque : les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et Ligne/Nuage de points (XY). L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelés axe des valeurs ou axe y, qui affiche des valeurs numériques. Notez que l'axe vertical sera l'axe des catégories qui affiche des étiquettes de texte pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe vertical correspondront à celles décrites dans la section suivante. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. Remarque : les sections Paramètres des axes et Quadrillage seront désactivées pour les Graphiques à secteurs, car les graphiques de ce type n'ont ni axes ni lignes de quadrillage. sélectionnez Masquer l'axe pour masquer l'axe vertical du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante : Rien pour ne pas afficher le titre de l'axe vertical Incliné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. Valeur minimale sert à définir la valeur la plus basse à afficher au début de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur minimale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale sert à définir la valeur la plus élevée à afficher à la fin de l'axe vertical. L'option Auto est sélectionnée par défaut, dans ce cas la valeur maximale est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Fixé dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Axes croisés - est utilisé pour spécifier un point sur l'axe vertical où l'axe horizontal doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum sur l'axe vertical. Unités d'affichage - est utilisé pour déterminer la représentation des valeurs numériques le long de l'axe vertical. Cette option peut être utile si vous travaillez avec de grands nombres et souhaitez que les valeurs sur l'axe soient affichées de manière plus compacte et plus lisible (par exemple, vous pouvez représenter 50 000 comme 50 en utilisant les unités d'affichage de Milliers). Sélectionnez les unités souhaitées dans la liste déroulante : Centaines, Milliers, 10 000, 100 000, Millions, 10 000 000, 100 000 000, Milliards, Billions, ou choisissez l'option Rien pour retourner aux unités par défaut. Valeurs dans l'ordre inverse - est utilisé pour afficher les valeurs dans la direction opposée. Lorsque la case n'est pas cochée, la valeur la plus basse est en bas et la valeur la plus haute est en haut de l'axe. Lorsque la case est cochée, les valeurs sont triées de haut en bas. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations du type secondaire sont les subdivisions d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Les listes déroulantes Type principal/secondaire contiennent les options de placement suivantes : Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes de graduations du type principal qui affichent des valeurs. Pour spécifier la Position de l'étiquette par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante : Rien pour ne pas afficher les étiquettes de graduations, En bas pour afficher les étiquettes de graduations à gauche de la zone de tracé, En haut pour afficher les étiquettes de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les étiquettes de graduations à côté de l'axe. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles : Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. Remarque : Les axes secondaires sont disponibles sur les graphiques Combo uniquement. Axes secondaires sont utiles pour des graphiques Combo lorsque les nombres varient considérablement, ou lorsque des types de données mixtes sont utilisés pour créer un graphique. Avec des axes secondaires on peut lire et comprendre un graphique combiné plus facilement. L'onglet Second axe vertical/horizontal s'affiche lorsque vous choisissez une série de données appropriée pour votre graphique combiné. Les options et les paramètres disponibles sous l'onglet Second axe vertical/horizontal sont les mêmes que ceux sous l'onglet Axe vertical/horizontal. Pour une description détaillée des options disponibles sous l'onglet Axe vertical/horizontal, veuillez consulter les sections appropriées ci-dessus/ci-dessous. L'onglet Axe horizontal vous permet de modifier les paramètres de l'axe horizontal, également appelés axe des catégories ou axe x, qui affiche des étiquettes textuels. Notez que l'axe horizontal sera l'axe des valeurs qui affiche des valeurs numériques pour les Graphiques à barres. Dans ce cas, les options de l'onglet Axe horizontal correspondent à celles décrites dans la section précédente. Pour les Graphiques Nuage de points (XY), les deux axes sont des axes de valeur. sélectionnez Masquer l'axe pour masquer l'axe horizontal du graphique, laissez cette option décochée pour afficher l'axe. définissez l'orientation du Titre en choisissant l'option appropriée de la liste déroulante : Rien pour ne pas afficher le titre de l'axe horizontal. Sans superposition pour afficher le titre en-dessous de l'axe horizontal. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante : Rien, Principaux, Secondaires ou Principaux et secondaires. . Intersection de l'axe est utilisé pour spécifier un point sur l'axe horizontal où l'axe vertical doit le traverser. L'option Auto est sélectionnée par défaut, dans ce cas la valeur du point d'intersection est calculée automatiquement en fonction de la plage de données sélectionnée. Vous pouvez sélectionner l'option Valeur dans la liste déroulante et spécifier une valeur différente dans le champ de saisie à droite, ou définir le point d'intersection des axes à la Valeur minimum/maximum (correspondant à la première et la dernière catégorie) sur l'axe vertical. Position de l'étiquette - est utilisé pour spécifier où les étiquettes de l'axe doivent être placés : Graduation ou Entre graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case est désactivée, les valeurs sont affichées de gauche à droite. Lorsque la case est activée, les valeurs sont affichées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations du type principal sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs de catégorie. Les graduations du type mineure sont les divisions à moins grande d'échelle qui sont placées entre les graduations principales et n'ont pas d'étiquettes. Les graduations définissent également l'endroit où le quadrillage peut être affiché, si l'option correspondante est définie dans l'onglet Disposition. Vous pouvez ajuster les paramètres de graduation suivants : Type principal/secondaire est utilisé pour spécifier les options de placement suivantes : Rien pour ne pas afficher les graduations principales/secondaires, Sur l'axe pour afficher les graduations principales/secondaires des deux côtés de l'axe, Dans pour afficher les graduations principales/secondaires dans l'axe, A l'extérieur pour afficher les graduations principales/secondaires à l'extérieur de l'axe. Intervalle entre les marques - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options d'étiquettes permet d'ajuster l'apparence des étiquettes qui affichent des catégories. Position de l'étiquette est utilisé pour spécifier où les étiquettes de l'axe doivent être placés par rapport à l'axe horizontal : Sélectionnez l'option souhaitée dans la liste déroulante : Rien pour ne pas afficher les étiquettes de catégorie, En bas pour afficher les étiquettes de catégorie au bas de la zone de tracé, En haut pour afficher les étiquettes de catégorie en haut de la zone de tracé, À côté de l'axe pour afficher les étiquettes de catégorie à côté de l'axe. Distance de l'étiquette de l'axe - est utilisé pour spécifier la distance entre les étiquettes et l'axe. Spécifiez la valeur nécessaire dans le champ situé à droite. Plus la valeur que vous définissez est élevée, plus la distance entre l'axe et les étiquettes est grande. Intervalle entre les étiquettes - est utilisé pour spécifier la fréquence à laquelle les étiquettes doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les étiquettes sont affichés pour chaque catégorie. Vous pouvez sélectionner l'option Manuel dans la liste déroulante et spécifier la valeur voulue dans le champ de saisie sur la droite. Par exemple, entrez 2 pour afficher les étiquettes pour une catégorie sur deux. Pour définir le Format d'étiquette cliquez sur le bouton format d'étiquette et choisissez la catégorie appropriée. Les catégories du format d'étiquette disponibles : Général Numérique Scientifique Comptabilité Monétaire Date Heure Pourcentage Fraction Texte Personnalisé Les options du format d'étiquette varient en fonction de la catégorie sélectionné. Pour en savoir plus sur la modification du format de nombre, veuillez consulter cette page. Activez Lié à la source pour conserver la représentation de nombre de la source de données du graphique. L'onglet Alignement dans une cellule comprend les options suivantes : Déplacer et dimensionner avec des cellules - cette option permet de placer le graphique derrière la cellule. Quand une cellule se déplace (par exemple : insertion ou suppression des lignes/colonnes), le graphique se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du graphique s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placer le graphique derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le graphique se déplace aussi, mais si vous redimensionnez la cellule, le graphique demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du graphique si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique. Modifier les éléments de graphique Pour modifier le Titre du graphique, sélectionnez le texte par défaut à l'aide de la souris et saisissez le vôtre à la place. Pour modifier la mise en forme de la police dans les éléments de texte, tels que le titre du graphique, les titres des axes, les entrées de légende, les étiquettes de données, etc., sélectionnez l'élément de texte nécessaire en cliquant dessus. Utilisez ensuite les icônes de l'onglet Accueil de la barre d'outils supérieure pour modifier le type de police, la taille, la couleur. Une fois le graphique sélectionné, l'icône Paramètres de la forme est aussi disponible à la droite car une forme est utilisé en arrière plan du graphique. Vous pouvez appuyer sur cette icône pour accéder l'onglet Paramètres de la forme dans la barre latérale droite et configurer le Remplissage et le Trait. Veuillez noter qu'on ne peut pas modifier le type de la forme. Sous l'onglet Paramètres de la forme dans le panneau droit, vous pouvez configurer la zone du graphique là-même aussi que les éléments du graphique tels que la zone de tracé, la série de données, le titre du graphique, la légende et les autres et ajouter les différents types de remplissage. Sélectionnez l'élément du graphique nécessaire en cliquant sur le bouton gauche de la souris et choisissez le type de remplissage approprié : couleur de remplissage, remplissage en dégradé, image ou texture, modèle. Configurez les paramètres du remplissage et spécifier le niveau d'opacité si nécessaire. Lorsque vous sélectionnez l'axe vertical ou horizontal ou le quadrillage, vous pouvez configurer le paramètres du trait seulement sous l'onglet Paramètres de la forme : couleur, taille et type. Pour plus de détails sur utilisation des couleurs de la forme, du remplissage et du trait veuillez accéder à cet page. Remarque : l'option Ajouter un ombre est aussi disponible sous l'onglet Paramètres de la forme, mais elle est désactivée pour les éléments du graphique. Si vous voulez redimensionner les éléments du graphique, sélectionnez l'élément nécessaire en cliquant sur le bouton gauche de la souris et faites glisser un des huit carreaux blancs le long du périmètre de l'élément. Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, , maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité. Pour supprimer un élément de graphique, sélectionnez-le en cliquant sur le bouton gauche et appuyez sur la touche Suppr. Vous pouvez également faire pivoter les graphiques 3D à l'aide de la souris. Faites un clic gauche dans la zone de tracé et maintenez le bouton de la souris enfoncé. Faites glisser le curseur sans relâcher le bouton de la souris pour modifier l'orientation du graphique 3D. Si nécessaire, vous pouvez modifier la taille et la position du graphique. Pour supprimer un graphique inséré, cliquez sur celui-ci et appuyez sur la touche Suppr. Affecter une macro à un graphique Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à un graphique. Une fois la macro affectée, le graphique apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro : Cliquer avec le bouton droit de la souris sur le graphique et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK. Une fois la macro affectée, vous pouvez toujours sélectionner le graphique pour effectuer d'autres opérations en cliquant avec le bouton gauche de la souris sur le graphique. Utiliser des graphiques sparkline Éditeur de feuilles de calcul ONLYOFFICE prend en charge des Graphiques sparkline. Un graphique sparkline est un graphique tout petit qui s'adapte à la taille de la cellule et est un excellent outil de représentation visuelle des données. Pour en savoir plus sur la création, la modification et mise en forme des graphiques sparkline, veuillez consulter des instructions Insérer des graphiques sparkline." }, { "id": "UsageInstructions/InsertDeleteCells.htm", "title": "Insérer ou supprimer des cellules, des lignes et des colonnes", - "body": "Dans Spreadsheet Editor, vous pouvez insérer des cellules vides au-dessus ou à gauche de la cellule sélectionnée dans une feuille de calcul. Vous pouvez également insérer une ligne entière au-dessus de la ligne sélectionnée ou une colonne à gauche de la colonne sélectionnée. Pour faciliter la visualisation d'une grande quantité d'informations, vous pouvez masquer certaines lignes ou colonnes et les afficher à nouveau. Il est également possible de spécifier une certaine hauteur de ligne et largeur de colonne. Insérer une cellule, une ligne ou une colonne Pour insérer une cellule vide à gauche de la cellule sélectionnée: cliquez avec le bouton droit sur la cellule à gauche de laquelle vous souhaitez insérer une nouvelle cellule, cliquez sur l'icône Insérer des cellules située dans l'onglet Accueil de la barre d'outils supérieure ou sélectionnez l'élément Insérer dans le menu contextuel et utilisez l'option Décaler les cellules vers la droite. Le programme déplacera la cellule sélectionnée vers la droite pour insérer une cellule vide. Pour insérer une cellule vide au-dessus de la cellule sélectionnée: cliquez avec le bouton droit sur la cellule au-dessus de laquelle vous souhaitez insérer une nouvelle cellule, cliquez sur l'icône Insérer des cellules située dans l'onglet Accueil de la barre d'outils supérieure ou sélectionnez l'élément Insérer dans le menu contextuel et utilisez l'option Décaler les cellules vers le bas. Le programme déplacera la cellule sélectionnée vers le bas pour insérer une cellule vide. Pour insérer une ligne entière: sélectionnez une ligne entière ou une cellule de la ligne au-dessus de laquelle vous souhaitez insérer une nouvelle ligne, Remarque: pour insérer plusieurs lignes, sélectionnez le même nombre de lignes que vous souhaitez insérer. cliquez sur l'icône Insérer les cellules située dans l'onglet Accueil de la barre d'outils supérieure et utilisez l'option Ligne entière, ou cliquez avec le bouton droit sur la cellule sélectionnée, sélectionnez l'élément Insérer dans le menu contextuel, puis choisissez l'option Ligne entière, ou cliquez avec le bouton droit sur la(les) ligne(s) sélectionnée(s) et utilisez l'option Insérer haut du menu contextuel. Le programme déplacera la ligne sélectionnée vers le bas pour insérer une cellule vide. Pour insérer une colonne entière: cliquez avec le bouton droit sur la colonne à gauche de laquelle vous souhaitez insérer une nouvelle colonne, Remarque: pour insérer plusieurs colonnes, sélectionnez le même nombre de colonnes que vous souhaitez insérer. cliquez sur l'icône Insérer les cellules située dans l'onglet Accueil de la barre d'outils supérieure et utilisez l'option Colonne entière, ou cliquez avec le bouton droit sur la cellule sélectionnée, sélectionnez l'élément Insérer dans le menu contextuel, puis choisissez l'option Colonne entière, ou cliquez avec le bouton droit sur la(les) ligne(s) sélectionnée(s) et utilisez l'option Insérer à gauche du menu contextuel. Le programme déplacera la colonne sélectionnée vers la droite pour insérer une cellule vide. Vous pouvez également utiliser le raccourci Ctrl+Shift+= pour ouvrir la boîte de dialogue pour insérer de nouvelles cellules, sélectionnez Décaler les cellules vers la droite, Décaler les cellules vers le bas, Ligne entière, Colonne entière, et cliquez sur OK. Masquer et afficher les lignes et les colonnes Pour masquer une ligne ou une colonne: sélectionnez les lignes ou les colonnes que vous souhaitez masquer, Cliquez avec le bouton droit sur les lignes ou les colonnes sélectionnées et utilisez l'option Masquer dans le menu contextuel. Pour afficher les lignes ou colonnes masquées, sélectionnez les lignes visibles au-dessus et en dessous des lignes cachées ou des colonnes visibles à gauche et à droite des colonnes masquées, cliquez dessus avec le bouton droit de la souris et utilisez l'option Afficher dans le menu contextuel. Changer la largeur de colonne et la hauteur de ligne La largeur de colonne détermine le nombre de caractères avec une mise en forme par défaut qui peuvent être affichés dans une cellule de la colonne. La valeur par défaut est de 8,43 symboles. Pour la changer: sélectionnez les colonnes que vous souhaitez modifier, cliquez avec le bouton droit sur les colonnes sélectionnées et utilisez l'option Définir la largeur de colonne dans le menu contextuel, Style - choisissez une des options disponibles : sélectionnez l'option Ajuster automatiquement la largeur de colonne pour ajuster automatiquement la largeur de chaque colonne en fonction de son contenu, ou sélectionnez l'option Largeur de colonne personnalisée et spécifiez une nouvelle valeur comprise entre 0 et 255 dans la fenêtre Largeur de colonne personnalisée, puis cliquez sur OK. Pour modifier manuellement la largeur d'une seule colonne, déplacez le curseur de la souris sur la bordure droite de l'en-tête de la colonne afin que le curseur devienne la flèche bidirectionnelle . Faites glisser la bordure vers la gauche ou la droite pour définir une largeur personnalisée ou double-cliquez sur la souris pour modifier automatiquement la largeur de la colonne en fonction de son contenu. La valeur de hauteur de ligne par défaut est 14,25 points. Pour la changer: sélectionnez les lignes que vous souhaitez modifier, cliquez avec le bouton droit sur les lignes sélectionnées et utilisez l'option Définir la hauteur de ligne dans le menu contextuel, Style - choisissez une des options disponibles : sélectionnez l'option Ajuster automatiquement la hauteur de ligne pour ajuster automatiquement la hauteur de chaque ligne en fonction de son contenu, ou sélectionnez l'option Hauteur de ligne personnalisée et spécifiez une nouvelle valeur comprise entre 0 et 408,75 dans la fenêtre Hauteur de ligne personnalisée, puis cliquez sur OK. Pour modifier manuellement la hauteur d'une seule ligne, faites glisser la bordure inférieure de l'en-tête de ligne. Supprimer une cellule, une ligne ou une colonne Pour supprimer une cellule, une ligne ou une colonne: sélectionnez les cellules, les lignes et les colonnes à supprimer cliquez sur l'icône Supprimer les cellules située dans l'onglet Accueil de la barre d'outils supérieure ou sélectionnez l'élément Supprimer dans le menu contextuel et sélectionnez l'option appropriée: si vous utilisez l'option Déplacer les cellules vers la gauche une cellule à droite de la cellule supprimée sera déplacée vers la gauche; si vous utilisez l'option Décaler les cellules vers le haut une cellule au-dessous de la cellule supprimée sera déplacée vers le haut; si vous utilisez l'option Ligne entière une ligne au-dessous de la ligne sélectionnée sera déplacée vers le haut; si vous utilisez l'option Colonne entière une colonne à droite de la colonne sélectionnée sera déplacée vers la gauche; Vous pouvez également utiliser le raccourci Ctrl+Shift+= pour ouvrir la boîte de dialogue pour supprimer des cellules, sélectionnez Décaler les cellules vers la gauche, Décaler les cellules vers le haut, Ligne entière, Colonne entière, et cliquez sur OK. Vous pouvez toujours restaurer les données supprimées en utilisant l'icône Annuler située sur la barre d'outils supérieure." + "body": "Dans le Tableur, vous pouvez insérer des cellules vides au-dessus ou à gauche de la cellule sélectionnée dans une feuille de calcul. Vous pouvez également insérer une ligne entière au-dessus de la ligne sélectionnée ou une colonne à gauche de la colonne sélectionnée. Pour faciliter la visualisation d'une grande quantité d'informations, vous pouvez masquer certaines lignes ou colonnes et les afficher à nouveau. Il est également possible de spécifier une certaine hauteur de ligne et largeur de colonne. Insérer une cellule, une ligne ou une colonne Pour insérer une cellule vide à gauche de la cellule sélectionnée : cliquez avec le bouton droit sur la cellule à gauche de laquelle vous souhaitez insérer une nouvelle cellule, cliquez sur l'icône Insérer des cellules située dans l'onglet Accueil de la barre d'outils supérieure ou sélectionnez l'élément Insérer dans le menu contextuel et utilisez l'option Décaler les cellules vers la droite. Le programme déplacera la cellule sélectionnée vers la droite pour insérer une cellule vide. Pour insérer une cellule vide au-dessus de la cellule sélectionnée : cliquez avec le bouton droit sur la cellule au-dessus de laquelle vous souhaitez insérer une nouvelle cellule, cliquez sur l'icône Insérer des cellules située dans l'onglet Accueil de la barre d'outils supérieure ou sélectionnez l'élément Insérer dans le menu contextuel et utilisez l'option Décaler les cellules vers le bas. Le programme déplacera la cellule sélectionnée vers le bas pour insérer une cellule vide. Pour insérer une ligne entière : sélectionnez une ligne entière ou une cellule de la ligne au-dessus de laquelle vous souhaitez insérer une nouvelle ligne, Remarque : pour insérer plusieurs lignes, sélectionnez le même nombre de lignes que vous souhaitez insérer. cliquez sur l'icône Insérer les cellules située dans l'onglet Accueil de la barre d'outils supérieure et utilisez l'option Ligne entière, ou cliquez avec le bouton droit sur la cellule sélectionnée, sélectionnez l'élément Insérer dans le menu contextuel, puis choisissez l'option Ligne entière, ou cliquez avec le bouton droit sur la(les) ligne(s) sélectionnée(s) et utilisez l'option Insérer haut du menu contextuel. Le programme déplacera la ligne sélectionnée vers le bas pour insérer une cellule vide. Pour insérer une colonne entière : cliquez avec le bouton droit sur la colonne à gauche de laquelle vous souhaitez insérer une nouvelle colonne, Remarque : pour insérer plusieurs colonnes, sélectionnez le même nombre de colonnes que vous souhaitez insérer. cliquez sur l'icône Insérer les cellules située dans l'onglet Accueil de la barre d'outils supérieure et utilisez l'option Colonne entière, ou cliquez avec le bouton droit sur la cellule sélectionnée, sélectionnez l'élément Insérer dans le menu contextuel, puis choisissez l'option Colonne entière, ou cliquez avec le bouton droit sur la(les) ligne(s) sélectionnée(s) et utilisez l'option Insérer à gauche du menu contextuel. Le programme déplacera la colonne sélectionnée vers la droite pour insérer une cellule vide. Vous pouvez également utiliser le raccourci Ctrl+Shift+= pour ouvrir la boîte de dialogue pour insérer de nouvelles cellules, sélectionnez Décaler les cellules vers la droite, Décaler les cellules vers le bas, Ligne entière, Colonne entière, et cliquez sur OK. Masquer et afficher les lignes et les colonnes Pour masquer une ligne ou une colonne : sélectionnez les lignes ou les colonnes que vous souhaitez masquer, Cliquez avec le bouton droit sur les lignes ou les colonnes sélectionnées et utilisez l'option Masquer dans le menu contextuel. Pour afficher les lignes ou colonnes masquées, sélectionnez les lignes visibles au-dessus et en dessous des lignes cachées ou des colonnes visibles à gauche et à droite des colonnes masquées, cliquez dessus avec le bouton droit de la souris et utilisez l'option Afficher dans le menu contextuel. Changer la largeur de colonne et la hauteur de ligne La largeur de colonne détermine le nombre de caractères avec une mise en forme par défaut qui peuvent être affichés dans une cellule de la colonne. La valeur par défaut est de 8,43 symboles. Pour la changer : sélectionnez les colonnes que vous souhaitez modifier, cliquez avec le bouton droit sur les colonnes sélectionnées et utilisez l'option Définir la largeur de colonne dans le menu contextuel, Style - choisissez une des options disponibles : sélectionnez l'option Ajuster automatiquement la largeur de colonne pour ajuster automatiquement la largeur de chaque colonne en fonction de son contenu, ou sélectionnez l'option Largeur de colonne personnalisée et spécifiez une nouvelle valeur comprise entre 0 et 255 dans la fenêtre Largeur de colonne personnalisée, puis cliquez sur OK. Pour modifier manuellement la largeur d'une seule colonne, déplacez le curseur de la souris sur la bordure droite de l'en-tête de la colonne afin que le curseur devienne la flèche bidirectionnelle . Faites glisser la bordure vers la gauche ou la droite pour définir une largeur personnalisée ou double-cliquez sur la souris pour modifier automatiquement la largeur de la colonne en fonction de son contenu. La valeur de hauteur de ligne par défaut est 14,25 points. Pour la changer : sélectionnez les lignes que vous souhaitez modifier, cliquez avec le bouton droit sur les lignes sélectionnées et utilisez l'option Définir la hauteur de ligne dans le menu contextuel, Style - choisissez une des options disponibles : sélectionnez l'option Ajuster automatiquement la hauteur de ligne pour ajuster automatiquement la hauteur de chaque ligne en fonction de son contenu, ou sélectionnez l'option Hauteur de ligne personnalisée et spécifiez une nouvelle valeur comprise entre 0 et 408,75 dans la fenêtre Hauteur de ligne personnalisée, puis cliquez sur OK. Pour modifier manuellement la hauteur d'une seule ligne, faites glisser la bordure inférieure de l'en-tête de ligne. Supprimer une cellule, une ligne ou une colonne Pour supprimer une cellule, une ligne ou une colonne : sélectionnez les cellules, les lignes et les colonnes à supprimer cliquez sur l'icône Supprimer les cellules située dans l'onglet Accueil de la barre d'outils supérieure ou sélectionnez l'élément Supprimer dans le menu contextuel et sélectionnez l'option appropriée : si vous utilisez l'option Déplacer les cellules vers la gauche une cellule à droite de la cellule supprimée sera déplacée vers la gauche ; si vous utilisez l'option Décaler les cellules vers le haut une cellule au-dessous de la cellule supprimée sera déplacée vers le haut ; si vous utilisez l'option Ligne entière une ligne au-dessous de la ligne sélectionnée sera déplacée vers le haut ; si vous utilisez l'option Colonne entière une colonne à droite de la colonne sélectionnée sera déplacée vers la gauche ; Vous pouvez également utiliser le raccourci Ctrl+Shift+= pour ouvrir la boîte de dialogue pour supprimer des cellules, sélectionnez Décaler les cellules vers la gauche, Décaler les cellules vers le haut, Ligne entière, Colonne entière, et cliquez sur OK. Vous pouvez toujours restaurer les données supprimées en utilisant l'icône Annuler située sur la barre d'outils supérieure." }, { "id": "UsageInstructions/InsertEquation.htm", "title": "Insérer des équations", - "body": "Spreadsheet Editor vous permet de créer des équations à l'aide des modèles intégrés, de les éditer, d'insérer des caractères spéciaux (y compris des opérateurs mathématiques, des lettres grecques, des accents, etc.). Ajouter une nouvelle équation Pour insérer une nouvelle équation depuis la galerie, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur la flèche à côté de l'icône Équation dans la barre d'outils supérieure, sélectionnez la catégorie d'équation voulue dans la liste déroulante. Les catégories suivantes sont actuellement disponibles : Symboles, Fractions, Scripts, Radicaux, Intégrales, Grands opérateurs, Crochets, Fonctions, Accentuations, Limites et Logarithmes, Opérateurs, Matrices, cliquez sur le symbole/l'équation dans l'ensemble de modèles correspondant. Le symbole/l'équation sera ajouté(e) à la feuille de calcul.Le coin supérieur gauche de la boîte d'équation coïncidera avec le coin supérieur gauche de la cellule actuellement sélectionnée mais la boîte d'équation peut être librement déplacée, redimensionnée ou pivotée sur la feuille de calcul. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez les poignées correspondantes. Chaque modèle d'équation représente un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé espace réservé) a un contour en pointillé . Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires. Entrer des valeurs Le point d'insertion spécifie où le prochain caractère que vous entrez apparaîtra. Pour positionner le point d'insertion avec précision, cliquez dans un espace réservé et utilisez les flèches du clavier pour déplacer le point d'insertion d'un caractère vers la gauche/droite.Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé : entrer la valeur numérique/littérale souhaitée à l'aide du clavier, insérer un caractère spécial à l'aide de la palette Symboles dans le menu BÉquation sous l'onglet Insertion de la barre d'outils supérieure ou saisissez les à l'aide du clavier (consultez la description de l'option AutoMaths ), ajoutez un autre modèle d'équation à partir de la palette pour créer une équation imbriquée complexe. La taille de l'équation primaire sera automatiquement ajustée pour s'adapter à son contenu. La taille des éléments de l'équation imbriquée dépend de la taille de l'espace réservé de l'équation primaire, mais elle ne peut pas être inférieure à la taille de sous-indice. Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour ajouter un nouvel argument avant ou après celui existant dans les Crochets, vous pouvez cliquer avec le bouton droit sur l'argument existant et sélectionner l'option Insérer un argument avant/après dans le menu. Pour ajouter une nouvelle équation dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé vide ou une équation entrée et sélectionner l'option Insérer une équation avant/après dans le menu. Pour ajouter une nouvelle ligne ou une colonne dans une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé, sélectionner l'option Insérer dans le menu, puis sélectionner Ligne au-dessus/en dessous ou Colonne à gauche/à droite. Remarque : actuellement, les équations ne peuvent pas être entrées en utilisant le format linéaire, c'est-à-dire \\sqrt(4&x^3). Lorsque vous entrez les valeurs des expressions mathématiques, vous n'avez pas besoin d'utiliser la Barre d'espace car les espaces entre les caractères et les signes des opérations sont définis automatiquement. Si l'équation est trop longue et ne tient pas en une seule ligne, le saut de ligne automatique se produit pendant que vous tapez. Vous pouvez également insérer un saut de ligne à une position spécifique en cliquant avec le bouton droit sur un opérateur mathématique et en sélectionnant l'option Insérer un saut manuel dans le menu. L'opérateur sélectionné va commencer une nouvelle ligne. Pour supprimer le saut de ligne manuel ajouté, cliquez avec le bouton droit sur l'opérateur mathématique qui commence une nouvelle ligne et sélectionnez l'option Supprimer un saut manuel. Mise en forme des équations Par défaut, l'équation dans la zone de texte est centrée horizontalement et alignée verticalement au haut de la zone de texte. Pour modifier son alignement horizontal/vertical, placez le curseur dans la boîte d'équation (les bordures de la zone de texte seront affichées en pointillés) et utilisez les icônes correspondantes de la barre d'outils supérieure. Pour augmenter ou diminuer la taille de la police d'équation, cliquez n'importe où dans la boîte d'équation et utilisez les boutons et de l'onglet Accueil de la barre d'outils supérieure ou sélectionnez la taille de police nécessaire dans la liste. Tous les éléments d'équation changeront en conséquence. Les lettres de l'équation sont en italique par défaut. Si nécessaire, vous pouvez changer le style de police (gras, italique, barré) ou la couleur pour une équation entière ou une portion. Le style souligné peut être appliqué uniquement à l'équation entière et non aux caractères individuels. Sélectionnez la partie de l'équation voulue en cliquant et en faisant glisser. La partie sélectionnée sera surlignée en bleu. Utilisez ensuite les boutons nécessaires dans l'onglet Accueil de la barre d'outils supérieure pour formater la sélection. Par exemple, vous pouvez supprimer le format italique pour les mots ordinaires qui ne sont pas des variables ou des constantes.Pour modifier des éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour modifier le format des Fractions, vous pouvez cliquer sur une fraction avec le bouton droit de la souris et sélectionner l'option Changer en fraction en biais/linéaire/empilée dans le menu (les options disponibles varient en fonction du type de fraction sélectionné). Pour modifier la position des Scripts par rapport au texte, vous pouvez faire un clic droit sur l'équation contenant des scripts et sélectionner l'option Scripts avant/après le texte dans le menu. Pour modifier la taille des arguments pour Scripts, Radicaux, Intégrales, Grands opérateurs, Limites et Logarithmes, Opérateurs ainsi que pour les accolades supérieures/inférieures et les modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'argument que vous souhaitez modifier et sélectionnez l'option Augmenter/Diminuer la taille de l'argument dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour un Radical, vous pouvez cliquer avec le bouton droit de la souris sur le radical et sélectionner l'option Masquer/Afficher le degré dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour une Intégrale ou un Grand opérateur, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Masquer/Afficher la limite supérieure/inférieure dans le menu. Pour modifier la position des limites relative au signe d'intégrale ou d'opérateur pour les Intégrales ou les Grands opérateurs, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Modifier l'emplacement des limites dans le menu. Les limites peuvent être affichées à droite du signe de l'opérateur (sous forme d'indices et d'exposants) ou directement au-dessus et au-dessous du signe de l'opérateur. Pour modifier la position des limites par rapport au texte des Limites et des Logarithmes et des modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Limites sur/sous le texte dans le menu. Pour choisir lequel des Crochets doit être affiché, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qui s'y trouve et sélectionner l'option Masquer/Afficher les parenthèses ouvrantes/fermantes dans le menu. Pour contrôler la taille des Crochets, vous pouvez cliquer avec le bouton droit sur l'expression qui s'y trouve. L'option Étirer les parenthèses est sélectionnée par défaut afin que les parenthèses puissent croître en fonction de l'expression qu'elles contiennent, mais vous pouvez désélectionner cette option pour empêcher l'étirement des parenthèses. Lorsque cette option est activée, vous pouvez également utiliser l'option Faire correspondre les crochets à la hauteur de l'argument. Pour modifier la position du caractère par rapport au texte des accolades ou des barres supérieures/inférieures du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur le modèle et sélectionner l'option Caractère/Barre sur/sous le texte dans le menu. Pour choisir les bordures à afficher pour une Formule encadrée du groupe Accentuations, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Propriétés de bordure dans le menu, puis sélectionner Masquer/Afficher bordure supérieure/inférieure/gauche/droite ou Ajouter/Masquer ligne horizontale/verticale/diagonale. Pour spécifier si un espace réservé vide doit être affiché ou non pour une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur celle-ci et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu. Pour aligner des éléments d'équation, vous pouvez utiliser les options du menu contextuel : Pour aligner des équations dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur une équation, sélectionner l'option Alignement dans le menu, puis sélectionnez le type d'alignement : Haut, Centre ou Bas. Pour aligner une Matrice verticalement, vous pouvez cliquer avec le bouton droit sur la matrice, sélectionner l'option Alignement de matrice dans le menu, puis sélectionner le type d'alignement : Haut, Centre ou Bas. Pour aligner les éléments d'une colonne de Matrice horizontalement, vous pouvez cliquer avec le bouton droit sur la colonne, sélectionner l'option Alignement de colonne dans le menu, puis sélectionner le type d'alignement : Gauche, Centre ou Droite. Supprimer les éléments d'une équation Pour supprimer une partie de l'équation, sélectionnez la partie que vous souhaitez supprimer en faisant glisser la souris ou en maintenant la touche Maj enfoncée et en utilisant les boutons fléchés, puis appuyez sur la touche Suppr du clavier. Un emplacement ne peut être supprimé qu'avec le modèle auquel il appartient. Pour supprimer toute l'équation, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait continu) et appuyez sur la touche Suppr du clavier.Pour supprimer certains éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour supprimer un Radical, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer radical dans le menu. Pour supprimer un Indice et/ou un Exposant, vous pouvez cliquer avec le bouton droit sur l'expression qui les contient et sélectionner l'option Supprimer indice/exposant dans le menu. Si l'expression contient des scripts qui viennent avant le texte, l'option Supprimer les scripts est disponible. Pour supprimer des Crochets, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qu'ils contiennent et sélectionner l'option Supprimer les caractères englobants ou Supprimer les caractères englobants et séparateurs dans le menu. Si l'expression contenue dans les Crochets comprend plus d'un argument, vous pouvez cliquer avec le bouton droit de la souris sur l'argument que vous voulez supprimer et sélectionner l'option Supprimer l'argument dans le menu. Si les Crochets contiennent plus d'une équation (c'est-à-dire des Cas avec plusieurs conditions), vous pouvez cliquer avec le bouton droit sur l'équation que vous souhaitez supprimer et sélectionner l'option Supprimer l'équation dans le menu. Pour supprimer une Limite, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer limite dans le menu. Pour supprimer une Accentuation, vous pouvez cliquer avec le bouton droit de la souris et sélectionner l'option Supprimer le caractère d'accentuation, Supprimer le caractère ou Supprimer la barre dans le menu (les options disponibles varient en fonction de l'accent sélectionné). Pour supprimer une ligne ou une colonne d'une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur l'espace réservé dans la ligne/colonne à supprimer, sélectionner l'option Supprimer dans le menu, puis sélectionner Supprimer la ligne/colonne. Conversion des équations Si vous disposez d'un document contenant des équations créées avec l'éditeur d'équations dans les versions plus anciennes (par exemple, avec MS Office version antérieure à 2007) vous devez convertir toutes les équations au format Office Math ML pour pouvoir les modifier. Faites un double-clic sur l'équation pour la convertir. La fenêtre d'avertissement s'affiche: Pour ne convertir que l'équation sélectionnée, cliquez sur OK dans la fenêtre d'avertissement. Pour convertir toutes les équations du document, activez la case Appliquer à toutes les équations et cliquez sur OK. Une fois converti, l'équation peut être modifiée." + "body": "Tableur vous permet de créer des équations à l'aide des modèles intégrés, de les éditer, d'insérer des caractères spéciaux (y compris des opérateurs mathématiques, des lettres grecques, des accents, etc.). Ajouter une nouvelle équation Pour insérer une nouvelle équation depuis la galerie, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur la flèche à côté de l'icône Équation dans la barre d'outils supérieure, sélectionnez la catégorie d'équation voulue dans la liste déroulante. Les catégories suivantes sont actuellement disponibles : Symboles, Fractions, Scripts, Radicaux, Intégrales, Grands opérateurs, Crochets, Fonctions, Accentuations, Limites et Logarithmes, Opérateurs, Matrices, cliquez sur le symbole/l'équation dans l'ensemble de modèles correspondant. Le symbole/l'équation sera ajouté(e) à la feuille de calcul. Le coin supérieur gauche de la boîte d'équation coïncidera avec le coin supérieur gauche de la cellule actuellement sélectionnée mais la boîte d'équation peut être librement déplacée, redimensionnée ou pivotée sur la feuille de calcul. Pour ce faire, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait plein) et utilisez les poignées correspondantes. Chaque modèle d'équation représente un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé espace réservé) a un contour en pointillé . Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires. Entrer des valeurs Le point d'insertion spécifie où le prochain caractère que vous entrez apparaîtra. Pour positionner le point d'insertion avec précision, cliquez dans un espace réservé et utilisez les flèches du clavier pour déplacer le point d'insertion d'un caractère vers la gauche/droite. Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé : entrer la valeur numérique/littérale souhaitée à l'aide du clavier, insérer un caractère spécial à l'aide de la palette Symboles dans le menu BÉquation sous l'onglet Insertion de la barre d'outils supérieure ou saisissez les à l'aide du clavier (consultez la description de l'option AutoMaths ), ajoutez un autre modèle d'équation à partir de la palette pour créer une équation imbriquée complexe. La taille de l'équation primaire sera automatiquement ajustée pour s'adapter à son contenu. La taille des éléments de l'équation imbriquée dépend de la taille de l'espace réservé de l'équation primaire, mais elle ne peut pas être inférieure à la taille de sous-indice. Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour ajouter un nouvel argument avant ou après celui existant dans les Crochets, vous pouvez cliquer avec le bouton droit sur l'argument existant et sélectionner l'option Insérer un argument avant/après dans le menu. Pour ajouter une nouvelle équation dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé vide ou une équation entrée et sélectionner l'option Insérer une équation avant/après dans le menu. Pour ajouter une nouvelle ligne ou une colonne dans une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur un espace réservé, sélectionner l'option Insérer dans le menu, puis sélectionner Ligne au-dessus/en dessous ou Colonne à gauche/à droite. Remarque : actuellement, les équations ne peuvent pas être entrées en utilisant le format linéaire, c'est-à-dire \\sqrt(4&x^3). Lorsque vous entrez les valeurs des expressions mathématiques, vous n'avez pas besoin d'utiliser la Barre d'espace car les espaces entre les caractères et les signes des opérations sont définis automatiquement. Si l'équation est trop longue et ne tient pas en une seule ligne, le saut de ligne automatique se produit pendant que vous tapez. Vous pouvez également insérer un saut de ligne à une position spécifique en cliquant avec le bouton droit sur un opérateur mathématique et en sélectionnant l'option Insérer un saut manuel dans le menu. L'opérateur sélectionné va commencer une nouvelle ligne. Pour supprimer le saut de ligne manuel ajouté, cliquez avec le bouton droit sur l'opérateur mathématique qui commence une nouvelle ligne et sélectionnez l'option Supprimer un saut manuel. Mise en forme des équations Par défaut, l'équation dans la zone de texte est centrée horizontalement et alignée verticalement au haut de la zone de texte. Pour modifier son alignement horizontal/vertical, placez le curseur dans la boîte d'équation (les bordures de la zone de texte seront affichées en pointillés) et utilisez les icônes correspondantes de la barre d'outils supérieure. Pour augmenter ou diminuer la taille de la police d'équation, cliquez n'importe où dans la boîte d'équation et utilisez les boutons et de l'onglet Accueil de la barre d'outils supérieure ou sélectionnez la taille de police nécessaire dans la liste. Tous les éléments d'équation changeront en conséquence. Les lettres de l'équation sont en italique par défaut. Si nécessaire, vous pouvez changer le style de police (gras, italique, barré) ou la couleur pour une équation entière ou une portion. Le style souligné peut être appliqué uniquement à l'équation entière et non aux caractères individuels. Sélectionnez la partie de l'équation voulue en cliquant et en faisant glisser. La partie sélectionnée sera surlignée en bleu. Utilisez ensuite les boutons nécessaires dans l'onglet Accueil de la barre d'outils supérieure pour formater la sélection. Par exemple, vous pouvez supprimer le format italique pour les mots ordinaires qui ne sont pas des variables ou des constantes. Pour modifier des éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour modifier le format des Fractions, vous pouvez cliquer sur une fraction avec le bouton droit de la souris et sélectionner l'option Changer en fraction en biais/linéaire/empilée dans le menu (les options disponibles varient en fonction du type de fraction sélectionné). Pour modifier la position des Scripts par rapport au texte, vous pouvez faire un clic droit sur l'équation contenant des scripts et sélectionner l'option Scripts avant/après le texte dans le menu. Pour modifier la taille des arguments pour Scripts, Radicaux, Intégrales, Grands opérateurs, Limites et Logarithmes, Opérateurs ainsi que pour les accolades supérieures/inférieures et les modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'argument que vous souhaitez modifier et sélectionnez l'option Augmenter/Diminuer la taille de l'argument dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour un Radical, vous pouvez cliquer avec le bouton droit de la souris sur le radical et sélectionner l'option Masquer/Afficher le degré dans le menu. Pour spécifier si un espace libre vide doit être affiché ou non pour une Intégrale ou un Grand opérateur, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Masquer/Afficher la limite supérieure/inférieure dans le menu. Pour modifier la position des limites relative au signe d'intégrale ou d'opérateur pour les Intégrales ou les Grands opérateurs, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Modifier l'emplacement des limites dans le menu. Les limites peuvent être affichées à droite du signe de l'opérateur (sous forme d'indices et d'exposants) ou directement au-dessus et au-dessous du signe de l'opérateur. Pour modifier la position des limites par rapport au texte des Limites et des Logarithmes et des modèles avec des caractères de regroupement du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur l'équation et sélectionner l'option Limites sur/sous le texte dans le menu. Pour choisir lequel des Crochets doit être affiché, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qui s'y trouve et sélectionner l'option Masquer/Afficher les parenthèses ouvrantes/fermantes dans le menu. Pour contrôler la taille des Crochets, vous pouvez cliquer avec le bouton droit sur l'expression qui s'y trouve. L'option Étirer les parenthèses est sélectionnée par défaut afin que les parenthèses puissent croître en fonction de l'expression qu'elles contiennent, mais vous pouvez désélectionner cette option pour empêcher l'étirement des parenthèses. Lorsque cette option est activée, vous pouvez également utiliser l'option Faire correspondre les crochets à la hauteur de l'argument. Pour modifier la position du caractère par rapport au texte des accolades ou des barres supérieures/inférieures du groupe Accentuations, vous pouvez cliquer avec le bouton droit sur le modèle et sélectionner l'option Caractère/Barre sur/sous le texte dans le menu. Pour choisir les bordures à afficher pour une Formule encadrée du groupe Accentuations, vous pouvez cliquer sur l'équation avec le bouton droit de la souris et sélectionner l'option Propriétés de bordure dans le menu, puis sélectionner Masquer/Afficher bordure supérieure/inférieure/gauche/droite ou Ajouter/Masquer ligne horizontale/verticale/diagonale. Pour spécifier si un espace réservé vide doit être affiché ou non pour une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur celle-ci et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu. Pour aligner des éléments d'équation, vous pouvez utiliser les options du menu contextuel : Pour aligner des équations dans les Cas avec plusieurs conditions du groupe Crochets, vous pouvez cliquer avec le bouton droit de la souris sur une équation, sélectionner l'option Alignement dans le menu, puis sélectionnez le type d'alignement : Haut, Centre ou Bas. Pour aligner une Matrice verticalement, vous pouvez cliquer avec le bouton droit sur la matrice, sélectionner l'option Alignement de matrice dans le menu, puis sélectionner le type d'alignement : Haut, Centre ou Bas. Pour aligner les éléments d'une colonne de Matrice horizontalement, vous pouvez cliquer avec le bouton droit sur la colonne, sélectionner l'option Alignement de colonne dans le menu, puis sélectionner le type d'alignement : Gauche, Centre ou Droite. Supprimer les éléments d'une équation Pour supprimer une partie de l'équation, sélectionnez la partie que vous souhaitez supprimer en faisant glisser la souris ou en maintenant la touche Shift enfoncée et en utilisant les boutons fléchés, puis appuyez sur la touche Suppr du clavier. Un emplacement ne peut être supprimé qu'avec le modèle auquel il appartient. Pour supprimer toute l'équation, cliquez sur la bordure de la boîte d'équation (elle sera affichée en trait continu) et appuyez sur la touche Suppr du clavier. Pour supprimer certains éléments d'équation, vous pouvez également utiliser les options du menu contextuel : Pour supprimer un Radical, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer radical dans le menu. Pour supprimer un Indice et/ou un Exposant, vous pouvez cliquer avec le bouton droit sur l'expression qui les contient et sélectionner l'option Supprimer indice/exposant dans le menu. Si l'expression contient des scripts qui viennent avant le texte, l'option Supprimer les scripts est disponible. Pour supprimer des Crochets, vous pouvez cliquer avec le bouton droit de la souris sur l'expression qu'ils contiennent et sélectionner l'option Supprimer les caractères englobants ou Supprimer les caractères englobants et séparateurs dans le menu. Si l'expression contenue dans les Crochets comprend plus d'un argument, vous pouvez cliquer avec le bouton droit de la souris sur l'argument que vous voulez supprimer et sélectionner l'option Supprimer l'argument dans le menu. Si les Crochets contiennent plus d'une équation (c'est-à-dire des Cas avec plusieurs conditions), vous pouvez cliquer avec le bouton droit sur l'équation que vous souhaitez supprimer et sélectionner l'option Supprimer l'équation dans le menu. Pour supprimer une Limite, vous pouvez faire un clic droit dessus et sélectionner l'option Supprimer limite dans le menu. Pour supprimer une Accentuation, vous pouvez cliquer avec le bouton droit de la souris et sélectionner l'option Supprimer le caractère d'accentuation, Supprimer le caractère ou Supprimer la barre dans le menu (les options disponibles varient en fonction de l'accent sélectionné). Pour supprimer une ligne ou une colonne d'une Matrice, vous pouvez cliquer avec le bouton droit de la souris sur l'espace réservé dans la ligne/colonne à supprimer, sélectionner l'option Supprimer dans le menu, puis sélectionner Supprimer la ligne/colonne. Conversion des équations Si vous disposez d'un document contenant des équations créées avec l'éditeur d'équations dans les versions plus anciennes (par exemple, avec MS Office version antérieure à 2007) vous devez convertir toutes les équations au format Office Math ML pour pouvoir les modifier. Faites un double-clic sur l'équation pour la convertir. La fenêtre d'avertissement s'affiche : Pour ne convertir que l'équation sélectionnée, cliquez sur OK dans la fenêtre d'avertissement. Pour convertir toutes les équations du document, activez la case Appliquer à toutes les équations et cliquez sur OK. Une fois converti, l'équation peut être modifiée." }, { "id": "UsageInstructions/InsertFunction.htm", "title": "Insérer des fonctions", - "body": "La possibilité d'accomplir les opérations de calcul de base est la raison principale d'utiliserSpreadsheet Editor. Certaines d'entre elles sont exécutées automatiquement lorsque vous sélectionnez une plage de cellules dans votre feuille de calcul: MOYENNE est utilisée pour analyser la plage de données et trouver la valeur moyenne. NB est utilisée pour compter le nombre de cellules sélectionnées qui contiennent des nombres en ignorant les cellules vides. MIN est utilisée pour analyser la plage de données et de trouver le plus petit nombre. MAX est utilisée pour analyser la plage de données et trouver le plus grand nombre. SOMME est utilisée pour ajouter tous les nombres dans la plage sélectionnée en ignorant les cellules vides ou celles contenant du texte. Les résultats de ces calculs sont affichés dans le coin inférieur droit de la barre d'état. Pour personnaliser la barre d'état et choisir quelles fonctions sont visibles, cliquant avec le bouton droit de la souris sur la barre d'état. Pour effectuer les autres opérations de calcul, vous pouvez insérer une formule nécessaire à la main en utilisant des opérateurs mathématiques appropriés ou insérer une formule prédéfinie - Fonction. On peut accéder aux Fonctions et les utiliser sous l'onglet Accueil aussi que sous l'onglet Formule, ou en appuyant sur le raccourci Shift+F3. Vous pouvez utiliser le bouton Insérer une fonction sous l'onglet Accueil pour ajouter une des fonctions d'usage courant (SOMME, MIN, MAX, NB) ou ouvrez la fenêtre Insérer une fonction où on peut trouver toutes les fonctions disponibles classées en catégories, Utilisez la barre de recherche pour faire une recherche précise par nom de la fonction. Sous l'onglet Formule vous pouvez utiliser les boutons suivants: Fonction sert à ouvrir la fenêtre Insérer une fonction où on peut trouver toutes les fonctions disponibles classées en catégories. Somme automatique fournit un accès rapide aux fonctions SOMME, MIN, MAX, NB. Lorsque vous choisissez les fonctions de ce groupe, le calcul se produit automatiquement dans toutes les cellules de la colonne au-dessus de la cellule sélectionnée et on n'a pas besoin de saisir les arguments. Récemment utilisées fournit un accès rapide aux 10 fonctions récentes. Financier, Logique, Texte et données, Date et heure, Recherche et référence, Maths et trigonométrie fournit un accès rapide aux fonctions de ces catégories. Plus de fonctions fournit un accès aux fonctions des catégories suivantes: Base de données, Ingénierie, Information, Statistiques. Plages nommées sert à afficher le Gestionnaire de noms ou à définir un nom nouveau, ou coller un nom tels que l'argument d'une fonction. Pour en savoir plus, veiller consulter cette page. Calcul sert à forcer le recalcul sur toutes les fonctions. Pour insérer une fonction, sélectionnez une cellule dans laquelle vous voulez insérer une fonction, Procédez de l'une des façons suivantes: passez à l'onglet Formule et accédez à la fonction du groupe approprié en utilisant les boutons disponibles sur la barre d'outils supérieure, ensuite cliquez sur la fonction appropriée pour ouvrir l'assistant Argument de formule. Vous pouvez aussi utiliser l'option Supplémentaire du menu ou cliquez sur le bouton Fonction de la barre d'outils supérieure pour ouvrir la fenêtre Insérer une fonction. passez à l'onglet Accueil, cliquez sur l'icône Insérer une fonction , sélectionnez une des fonctions d'usage courant (SOMME, MIN, MAX, NB) ou cliquez sur l'option Supplémentaire pour ouvrir la fenêtre Insérer une fonction. faites un clic droit sur la cellule sélectionnée et utilisez l'option Insérer une fonction depuis le menu contextuel. cliquez sur l'icône qui se trouve devant la barre de formule. Dans la fenêtre Insérer une fonction qui s'affiche, saisissez le nom dans la barre de recherche ou sélectionnez le groupe de fonctions souhaité, puis choisissez la fonction dont vous avez besoin dans la liste et cliquez sur OK. Lorsque vous cliquez sur la fonction appropriée, la fenêtre Argument de formule s'affiche: Dans la fenêtre Argument de formule qui s'affiche, saisissez les valeurs de chaque argument. Vous pouvez saisir les arguments de la fonction manuellement ou sélectionnez une plage de cellules à inclure en tant que argument en cliquant sur l'icône . Remarque: en règle générale, les valeurs numériques, les valeurs logiques (TRUE, FALSE), les valeurs de texte (entre guillemets), les références de cellules, les références de plage de cellules, les plages nommées et autres fonctions peuvent être utilisés comme arguments d'une fonction. Le résultat de fonction s'affiche au-dessous. Lorsque tous les arguments sont introduits, cliquez sur OK dans la fenêtre Arguments de la fonction. Pour entrer manuellement une fonction à l'aide du clavier, sélectionner une cellule, entrez le signe égal (=) Chaque formule doit commencer par le signe égal (=). entrez le nom de la fonction Une fois que vous avez tapé les lettres initiales, la liste Autocomplétion de formule sera affichée. Au fur et à mesure que vous tapez, les éléments (formules et noms) correspondant aux caractères saisis sont affichés. Si vous passez le pointeur de la souris sur une formule, une info-bulle avec la description de la formule s'affiche. Vous pouvez sélectionner la formule nécessaire dans la liste et l'insérer en cliquant dessus ou en appuyant sur la touche Tabulation. Saisissez les arguments de la fonction manuellement ou en faisant glisser le curseur pour sélectionner une plage de cellules à inclure en tant que argument. Si la fonction nécessite plusieurs arguments, ils doivent être séparés par des virgules. Les arguments doivent être mis entre parenthèses. La parenthèse ouvrante '(' est ajoutée automatiquement si vous sélectionnez une fonction dans la liste. Lorsque vous saisissez des arguments, une infobulle contenant la syntaxe de la formule s'affiche également. Lorsque tous les arguments sont spécifiés, entrer la parenthèse fermante ')' et appuyer sur Entrée. Lorsque vous saisissez de nouveaux données ou modifiez les valeurs des arguments, par défaut le recalcul sur les fonctions se produit automatiquement. Il est possible de forcer le recalcul sur les fonctions à l'aide du bouton Calcul sous l'onglet Formule. Cliquez sur le bouton Calcul pour recalculer le classeur entier ou cliquez sur la flèche au)dessous du bouton et choisissez l'option appropriées dans le menu: Calculer le classeur ou Calculer la feuille courante. Vous pouvez également clavier comme suit: F9 à recalculer le classeur, Maj + F9 à recalculer la feuille courante. Voici la liste des fonctions disponibles regroupées par catégories: Catégorie de fonctions Description Fonctions Fonctions de données et texte Servent à afficher correctement les données de texte dans votre classeur. ASC; CAR; EPURAGE; CODE; CONCATENER; CONCAT; DEVISE; EXACT; TROUVE; TROUVERB; CTXT; GAUCHE; GAUCHEB; NBCAR; LENB; MINUSCULE; STXT; MIDB; VALEURNOMBRE; NOMPROPRE; REMPLACER; REMPLACERB; REPT; DROITE; DROITEB; CHERCHE; CHERCHERB; SUBSTITUE; T; TEXTE; JOINDRE.TEXTE; SUPPRESPACE; UNICAR; UNICODE; MAJUSCULE; VALEUR Fonctions statistiques Servent à analyser les données: trouver la valeur moyenne, les valeurs plus grandes ou plus petites dans une plage de cellules. ECART.MOYEN; MOYENNE; AVERAGEA; MOYENNE.SI; MOYENNE.SI.ENS; LOI.BETA; LOI.BETA.N; BETA.INVERSE.N; BETA.INVERSE; LOI.BINOMIALE; LOI.BINOMIALE.N; LOI.BINOMIALE.SERIE; LOI.BINOMIALE.INVERSE; LOI.KHIDEUX; KHIDEUX.INVERSE; LOI.KHIDEUX.N; LOI.KHIDEUX.DROITE; LOI.KHIDEUX.INVERSE; LOI.KHIDEUX.INVERSE.DROITE; TEST.KHIDEUX; CHISQ.TEST; INTERVALLE.CONFIANCE; INTERVALLE.CONFIANCE.NORMAL; INTERVALLE.CONFIANCE.STUDENT; COEFFICIENT.CORRELATION; NB; NBVAL; NB.VIDE; NB.SI; NB.SI.ENS; COVARIANCE; COVARIANCE.PEARSON; COVARIANCE.STANDARD; CRITERE.LOI.BINOMIALE; SOMME.CARRES.ECARTS; LOI.EXPONENTIELLE.N; LOI.EXPONENTIELLE; LOI.F.N; LOI.F; LOI.F.DROITE; INVERSE.LOI.F.N; INVERSE.LOI.F; INVERSE.LOI.F.DROITE; FISHER; FISHER.INVERSE; PREVISION; PREVISION.ETS; PREVISION.ETS.CONFINT; PREVISION.ETS.CARACTERESAISONNIER; PREVISION.ETS.STAT; PREVISION.LINEAIRE; FREQUENCE; TEST.F; F.TEST; GAMMA; LOI.GAMMA.N; LOI.GAMMA; LOI.GAMMA.INVERSE.N; LOI.GAMMA.INVERSE; LNGAMMA; LNGAMMA.PRECIS; GAUSS; MOYENNE.GEOMETRIQUE; CROISSANCE; MOYENNE.HARMONIQUE; LOI.HYPERGEOMETRIQUE; LOI.HYPERGEOMETRIQUE.N; ORDONNEE.ORIGINE; KURTOSIS; GRANDE.VALEUR; DROITEREG; LOGREG; LOI.LOGNORMALE.INVERSE; LOI.LOGNORMALE.N; LOI.LOGNORMALE.INVERSE.N; LOI.LOGNORMALE; MAX; MAXA; MAX.SI.ENS; MEDIANE; MIN; MINA; MIN.SI.ENS; MODE; MODE.MULTIPLE; MODE.SIMPLE; LOI.BINOMIALE.NEG; LOI.BINOMIALE.NEG.N; LOI.NORMALE; LOI.NORMALE.N; LOI.NORMALE.INVERSE; LOI.NORMALE.INVERSE.N; LOI.NORMALE.STANDARD; LOI.NORMALE.STANDARD.N; LOI.NORMALE.STANDARD.INVERSE; LOI.NORMALE.STANDARD.INVERSE.N; PEARSON; CENTILE; CENTILE.EXCLURE; CENTILE.INCLURE; RANG.POURCENTAGE; RANG.POURCENTAGE.EXCLURE; RANG.POURCENTAGE.INCLURE; PERMUTATION; PERMUTATIONA; PHI; LOI.POISSON; LOI.POISSON.N; PROBABILITE; QUARTILE; QUARTILE.EXCLURE; QUARTILE.INCLURE; RANG; MOYENNE.RANG; EQUATION.RANG; COEFFICIENT.DETERMINATION; COEFFICIENT.ASYMETRIE; COEFFICIENT.ASYMETRIE.P; PENTE; PETITE.VALEUR; CENTREE.REDUITE; ECARTYPE; ECARTYPE.STANDARD; STDEVA; ECARTYPEP; ECARTYPE.PEARSON; STDEVPA; ERREUR.TYPE.XY; LOI.STUDENT; LOI.STUDENT.N; LOI.STUDENT.BILATERALE; LOI.STUDENT.DROITE; LOI.STUDENT.INVERSE.N; LOI.STUDENT.INVERSE.BILATERALE; LOI.STUDENT.INVERSE; TENDANCE, MOYENNE.REDUITE; TEST.STUDENT; T.TEST; VAR; VARA; VAR.P; VAR.P.N; VAR.S; VARPA; LOI.WEIBULL; LOI.WEIBULL.N; TEST.Z; Z.TEST Fonctions mathématiques et trigonométriques Servent à effectuer des opérations mathématiques et trigonométriques telles que l'ajout, la multiplication, la division, l'arrondissement, etc. ABS; ACOS; ACOSH; ACOT; ACOTH; AGREGAT; CHIFFRE.ARABE; ASIN; ASINH; ATAN; ATAN2; ATANH; BASE; PLAFOND; PLAFOND.MATH; PLAFOND.PRECIS; COMBIN; COMBINA; COS; COSH; COT; COTH; CSC; CSCH; DECIMAL; DEGRES; ECMA.PLAFOND; PAIR; EXP; FACT; FACTDOUBLE; PLANCHER; PLANCHER.PRECIS; PLANCHER.MATH; PGCD; ENT; ISO.PLAFOND; PPCM; LN; LOG; LOG10; DETERMAT; INVERSEMAT; PRODUITMAT; MOD; ARRONDI.AU.MULTIPLE; MULTINOMIALE; MATRICE.UNITAIRE; IMPAIR; PI; PUISSANCE; PRODUIT; QUOTIENT; RADIANS; ALEA; TABLEAU.ALEAT; ALEA.ENTRE.BORNES; ROMAIN; ARRONDI; ARRONDI.INF; ARRONDI.SUP; SEC; SECH; SOMME.SERIES; SIGNE; SIN; SINH; RACINE; RACINE.PI; SOUS.TOTAL; SOMME; SOMME.SI; SOMME.SI.ENS; SOMMEPROD; SOMME.CARRES; SOMME.X2MY2; SOMME.X2PY2; SOMME.XMY2; TAN; TANH; TRONQUE Fonctions Date et Heure Servent à afficher correctement la date et l'heure dans votre classeur. DATE; DATEDIF; DATEVAL; JOUR; JOURS; JOURS360; MOIS.DECALER; FIN.MOIS; HEURE; NO.SEMAINE.ISO; MINUTE; MOIS; NB.JOURS.OUVRES; NB.JOURS.OUVRES.INTL; MAINTENANT; SECONDE; TEMPS; TEMPSVAL; AUJOURDHUI; JOURSEM; NO.SEMAINE; SERIE.JOUR.OUVRE; SERIE.JOUR.OUVRE.INTL; ANNEE; FRACTION.ANNEE Fonctions d'ingénierie Sont utilisés pour effectuer des calculs d'ingénierie: conversion entre différentes bases, recherche de nombres complexes, etc. BESSELI; BESSELJ; BESSELK; BESSELY; BINDEC; BINHEX; BINOCT; BITET; BITDECALG; BITOU; BITDECALD; BITOUEXCLUSIF; COMPLEXE; CONVERT; DECBIN; DECHEX; DECOCT; DELTA; ERF; ERF.PRECIS; ERFC; ERFC.PRECIS; SUP.SEUIL; HEXBIN; HEXDEC; HEXOCT; COMPLEXE.MODULE; COMPLEXE.IMAGINAIRE; COMPLEXE.ARGUMENT; COMPLEXE.CONJUGUE; COMPLEXE.COS; COMPLEXE.COSH; COMPLEXE.COT; COMPLEXE.CSC; COMPLEXE.CSCH; COMPLEXE.DIV; COMPLEXE.EXP; COMPLEXE.LN; COMPLEXE.LOG10; COMPLEXE.LOG2; COMPLEXE.PUISSANCE; COMPLEXE.PRODUIT; COMPLEXE.REEL; COMPLEXE.SEC; COMPLEXE.SECH; COMPLEXE.SIN; COMPLEXE.SINH; COMPLEXE.RACINE; COMPLEXE.DIFFERENCE; COMPLEXE.SOMME; COMPLEXE.TAN; OCTBIN; OCTDEC; OCTHEX Fonctions de base de données Sont utilisés pour effectuer des calculs sur les valeurs dans un certain champ de la base de données qui correspondent aux critères spécifiés. BDMOYENNE; BCOMPTE; BDNBVAL; BDLIRE; BDMAX; BDMIN; BDPRODUIT; BDECARTYPE; BDECARTYPEP; BDSOMME; BDVAR; BDVARP Fonctions financières Servent à effectuer certaines opérations financières, calculer la valeur nette actuelle, les paiements etc... INTERET.ACC; INTERET.ACC.MAT; AMORDEGRC; AMORLINC; NB.JOURS.COUPON.PREC; NB.JOURS.COUPONS; NB.JOURS.COUPON.SUIV; DATE.COUPON.SUIV; NB.COUPONSv; DATE.COUPON.PREC; CUMUL.INTER; CUMUL.PRINCPER; DB; DDB; TAUX.ESCOMPTE; PRIX.DEC; PRIX.FRAC; DUREE; TAUX.EFFECTIF; VC; VC.PAIEMENTS; TAUX.INTERET; INTPER; TRI; ISPMT; DUREE.MODIFIEE; TRIM; TAUX.NOMINAL; PM; VAN; PRIX.PCOUPON.IRREG; REND.PCOUPON.IRREG; PRIX.DCOUPON.IRREG; REND.DCOUPON.IRREG; PDUREE; VPM; PRINCPER; PRIX.TITRE; VALEUR.ENCAISSEMENT; PRIX.TITRE.ECHEANCE; VA; TAUX; VALEUR.NOMINALE; TAUX.INT.EQUIV; AMORLIN; AMORANN; TAUX.ESCOMPTE.R; PRIX.BON.TRESOR; RENDEMENT.BON.TRESOR; VDB; TRI.PAIEMENTS; VAN.PAIEMENTS; RENDEMENT.TITRE; RENDEMENT.SIMPLE; RENDEMENT.TITRE.ECHEANCE Fonctions de recherche et de référence Servent à trouver facilement les informations dans la liste de données. ADRESSE; CHOISIR; COLONNE; COLONNES; FORMULETEXTE; RECHERCHEH; LIEN_HYPERTEXTE; INDEX; INDIRECT; RECHERCHE; EQUIV; DECALER; LIGNE; LIGNES; TRANSPOSE; UNIQUE; RECHERCHEV; XLOOKUP Fonctions d'information Servent à vous donner les informations sur les données de la cellule sélectionnée ou une plage de cellules. CELLULE; TYPE.ERREUR; ESTVIDE; ESTERR; ESTERREUR; EST.PAIR; ESTFORMULE; ESTLOGIQUE; ESTNA; ESTNONTEXTE; ESTNUM; EST.IMPAIR; ESTREF; ESTTEXTE; N; NA; FEUILLE; FEUILLES; TYPE Fonctions logiques Servent uniquement à vous donner une réponse VRAI ou FAUX. ET; FAUX; SI; SIERREUR; SI.NON.DISP; SI.CONDITIONS; PAS; OU; SI.MULTIPLE; VRAI; OUX" + "body": "La possibilité d'accomplir les opérations de calcul de base est la raison principale d'utiliser le Tableur. Certaines d'entre elles sont exécutées automatiquement lorsque vous sélectionnez une plage de cellules dans votre feuille de calcul : MOYENNE est utilisée pour analyser la plage de données et trouver la valeur moyenne. NB est utilisée pour compter le nombre de cellules sélectionnées qui contiennent des nombres en ignorant les cellules vides. MIN est utilisée pour analyser la plage de données et de trouver le plus petit nombre. MAX est utilisée pour analyser la plage de données et trouver le plus grand nombre. SOMME est utilisée pour ajouter tous les nombres dans la plage sélectionnée en ignorant les cellules vides ou celles contenant du texte. Les résultats de ces calculs sont affichés dans le coin inférieur droit de la barre d'état. Pour personnaliser la barre d'état et choisir quelles fonctions sont visibles, cliquant avec le bouton droit de la souris sur la barre d'état. Pour effectuer les autres opérations de calcul, vous pouvez insérer une formule nécessaire à la main en utilisant des opérateurs mathématiques appropriés ou insérer une formule prédéfinie - Fonction. On peut accéder aux Fonctions et les utiliser sous l'onglet Accueil aussi que sous l'onglet Formule, ou en appuyant sur le raccourci Shift+F3. Vous pouvez utiliser le bouton Insérer une fonction sous l'onglet Accueil pour ajouter une des fonctions d'usage courant (SOMME, MIN, MAX, NB) ou ouvrez la fenêtre Insérer une fonction où on peut trouver toutes les fonctions disponibles classées en catégories, Utilisez la barre de recherche pour faire une recherche précise par nom de la fonction. Sous l'onglet Formule vous pouvez utiliser les boutons suivants : Fonction sert à ouvrir la fenêtre Insérer une fonction où on peut trouver toutes les fonctions disponibles classées en catégories. Somme automatique fournit un accès rapide aux fonctions SOMME, MIN, MAX, NB. Lorsque vous choisissez les fonctions de ce groupe, le calcul se produit automatiquement dans toutes les cellules de la colonne au-dessus de la cellule sélectionnée et on n'a pas besoin de saisir les arguments. Récemment utilisées fournit un accès rapide aux 10 fonctions récentes. Financier, Logique, Texte et données, Date et heure, Recherche et référence, Maths et trigonométrie fournit un accès rapide aux fonctions de ces catégories. Plus de fonctions fournit un accès aux fonctions des catégories suivantes : Base de données, Ingénierie, Information, Statistiques. Plages nommées sert à afficher le Gestionnaire de noms ou à définir un nom nouveau, ou coller un nom tels que l'argument d'une fonction. Pour en savoir plus, veiller consulter cette page. Calcul sert à forcer le recalcul sur toutes les fonctions. Pour insérer une fonction, sélectionnez une cellule dans laquelle vous voulez insérer une fonction, Procédez de l'une des façons suivantes : passez à l'onglet Formule et accédez à la fonction du groupe approprié en utilisant les boutons disponibles sur la barre d'outils supérieure, ensuite cliquez sur la fonction appropriée pour ouvrir l'assistant Argument de formule. Vous pouvez aussi utiliser l'option Supplémentaire du menu ou cliquez sur le bouton Fonction de la barre d'outils supérieure pour ouvrir la fenêtre Insérer une fonction. passez à l'onglet Accueil, cliquez sur l'icône Insérer une fonction , sélectionnez une des fonctions d'usage courant (SOMME, MIN, MAX, NB) ou cliquez sur l'option Supplémentaire pour ouvrir la fenêtre Insérer une fonction. faites un clic droit sur la cellule sélectionnée et utilisez l'option Insérer une fonction depuis le menu contextuel. cliquez sur l'icône qui se trouve devant la barre de formule. Dans la fenêtre Insérer une fonction qui s'affiche, saisissez le nom dans la barre de recherche ou sélectionnez le groupe de fonctions souhaité, puis choisissez la fonction dont vous avez besoin dans la liste et cliquez sur OK. Lorsque vous cliquez sur la fonction appropriée, la fenêtre Argument de formule s'affiche : Dans la fenêtre Argument de formule qui s'affiche, saisissez les valeurs de chaque argument. Vous pouvez saisir les arguments de la fonction manuellement ou sélectionnez une plage de cellules à inclure en tant que argument en cliquant sur l'icône . Remarque : en règle générale, les valeurs numériques, les valeurs logiques (TRUE, FALSE), les valeurs de texte (entre guillemets), les références de cellules, les références de plage de cellules, les plages nommées et autres fonctions peuvent être utilisés comme arguments d'une fonction. Le résultat de fonction s'affiche au-dessous. Lorsque tous les arguments sont introduits, cliquez sur OK dans la fenêtre Arguments de la fonction. Pour entrer manuellement une fonction à l'aide du clavier, sélectionner une cellule, entrez le signe égal (=) Chaque formule doit commencer par le signe égal (=). entrez le nom de la fonction Une fois que vous avez tapé les lettres initiales, la liste Autocomplétion de formule sera affichée. Au fur et à mesure que vous tapez, les éléments (formules et noms) correspondant aux caractères saisis sont affichés. Si vous passez le pointeur de la souris sur une formule, une info-bulle avec la description de la formule s'affiche. Vous pouvez sélectionner la formule nécessaire dans la liste et l'insérer en cliquant dessus ou en appuyant sur la touche Tabulation. Saisissez les arguments de la fonction manuellement ou en faisant glisser le curseur pour sélectionner une plage de cellules à inclure en tant que argument. Si la fonction nécessite plusieurs arguments, ils doivent être séparés par des virgules. Les arguments doivent être mis entre parenthèses. La parenthèse ouvrante '(' est ajoutée automatiquement si vous sélectionnez une fonction dans la liste. Lorsque vous saisissez des arguments, une infobulle contenant la syntaxe de la formule s'affiche également. Lorsque tous les arguments sont spécifiés, entrer la parenthèse fermante ')' et appuyer sur Entrée. Lorsque vous saisissez de nouveaux données ou modifiez les valeurs des arguments, par défaut le recalcul sur les fonctions se produit automatiquement. Il est possible de forcer le recalcul sur les fonctions à l'aide du bouton Calcul sous l'onglet Formule. Cliquez sur le bouton Calcul pour recalculer le classeur entier ou cliquez sur la flèche au)dessous du bouton et choisissez l'option appropriées dans le menu : Calculer le classeur ou Calculer la feuille courante. Vous pouvez également clavier comme suit : F9 à recalculer le classeur, Shift + F9 à recalculer la feuille courante. Voici la liste des fonctions disponibles regroupées par catégories : Catégorie de fonctions Description Fonctions Fonctions de données et texte Servent à afficher correctement les données de texte dans votre classeur. ASC; CAR; EPURAGE; CODE; CONCATENER; CONCAT; DEVISE; EXACT; TROUVE; TROUVERB; CTXT; GAUCHE; GAUCHEB; NBCAR; LENB; MINUSCULE; STXT; MIDB; VALEURNOMBRE; NOMPROPRE; REMPLACER; REMPLACERB; REPT; DROITE; DROITEB; CHERCHE; CHERCHERB; SUBSTITUE; T; TEXTE; JOINDRE.TEXTE; SUPPRESPACE; UNICAR; UNICODE; MAJUSCULE; VALEUR Fonctions statistiques Servent à analyser les données : trouver la valeur moyenne, les valeurs plus grandes ou plus petites dans une plage de cellules. ECART.MOYEN; MOYENNE; AVERAGEA; MOYENNE.SI; MOYENNE.SI.ENS; LOI.BETA; LOI.BETA.N; BETA.INVERSE.N; BETA.INVERSE; LOI.BINOMIALE; LOI.BINOMIALE.N; LOI.BINOMIALE.SERIE; LOI.BINOMIALE.INVERSE; LOI.KHIDEUX; KHIDEUX.INVERSE; LOI.KHIDEUX.N; LOI.KHIDEUX.DROITE; LOI.KHIDEUX.INVERSE; LOI.KHIDEUX.INVERSE.DROITE; TEST.KHIDEUX; CHISQ.TEST; INTERVALLE.CONFIANCE; INTERVALLE.CONFIANCE.NORMAL; INTERVALLE.CONFIANCE.STUDENT; COEFFICIENT.CORRELATION; NB; NBVAL; NB.VIDE; NB.SI; NB.SI.ENS; COVARIANCE; COVARIANCE.PEARSON; COVARIANCE.STANDARD; CRITERE.LOI.BINOMIALE; SOMME.CARRES.ECARTS; LOI.EXPONENTIELLE.N; LOI.EXPONENTIELLE; LOI.F.N; LOI.F; LOI.F.DROITE; INVERSE.LOI.F.N; INVERSE.LOI.F; INVERSE.LOI.F.DROITE; FISHER; FISHER.INVERSE; PREVISION; PREVISION.ETS; PREVISION.ETS.CONFINT; PREVISION.ETS.CARACTERESAISONNIER; PREVISION.ETS.STAT; PREVISION.LINEAIRE; FREQUENCE; TEST.F; F.TEST; GAMMA; LOI.GAMMA.N; LOI.GAMMA; LOI.GAMMA.INVERSE.N; LOI.GAMMA.INVERSE; LNGAMMA; LNGAMMA.PRECIS; GAUSS; MOYENNE.GEOMETRIQUE; CROISSANCE; MOYENNE.HARMONIQUE; LOI.HYPERGEOMETRIQUE; LOI.HYPERGEOMETRIQUE.N; ORDONNEE.ORIGINE; KURTOSIS; GRANDE.VALEUR; DROITEREG; LOGREG; LOI.LOGNORMALE.INVERSE; LOI.LOGNORMALE.N; LOI.LOGNORMALE.INVERSE.N; LOI.LOGNORMALE; MAX; MAXA; MAX.SI.ENS; MEDIANE; MIN; MINA; MIN.SI.ENS; MODE; MODE.MULTIPLE; MODE.SIMPLE; LOI.BINOMIALE.NEG; LOI.BINOMIALE.NEG.N; LOI.NORMALE; LOI.NORMALE.N; LOI.NORMALE.INVERSE; LOI.NORMALE.INVERSE.N; LOI.NORMALE.STANDARD; LOI.NORMALE.STANDARD.N; LOI.NORMALE.STANDARD.INVERSE; LOI.NORMALE.STANDARD.INVERSE.N; PEARSON; CENTILE; CENTILE.EXCLURE; CENTILE.INCLURE; RANG.POURCENTAGE; RANG.POURCENTAGE.EXCLURE; RANG.POURCENTAGE.INCLURE; PERMUTATION; PERMUTATIONA; PHI; LOI.POISSON; LOI.POISSON.N; PROBABILITE; QUARTILE; QUARTILE.EXCLURE; QUARTILE.INCLURE; RANG; MOYENNE.RANG; EQUATION.RANG; COEFFICIENT.DETERMINATION; COEFFICIENT.ASYMETRIE; COEFFICIENT.ASYMETRIE.P; PENTE; PETITE.VALEUR; CENTREE.REDUITE; ECARTYPE; ECARTYPE.STANDARD; STDEVA; ECARTYPEP; ECARTYPE.PEARSON; STDEVPA; ERREUR.TYPE.XY; LOI.STUDENT; LOI.STUDENT.N; LOI.STUDENT.BILATERALE; LOI.STUDENT.DROITE; LOI.STUDENT.INVERSE.N; LOI.STUDENT.INVERSE.BILATERALE; LOI.STUDENT.INVERSE; TENDANCE, MOYENNE.REDUITE; TEST.STUDENT; T.TEST; VAR; VARA; VAR.P; VAR.P.N; VAR.S; VARPA; LOI.WEIBULL; LOI.WEIBULL.N; TEST.Z; Z.TEST Fonctions mathématiques et trigonométriques Servent à effectuer des opérations mathématiques et trigonométriques telles que l'ajout, la multiplication, la division, l'arrondissement, etc. ABS; ACOS; ACOSH; ACOT; ACOTH; AGREGAT; CHIFFRE.ARABE; ASIN; ASINH; ATAN; ATAN2; ATANH; BASE; PLAFOND; PLAFOND.MATH; PLAFOND.PRECIS; COMBIN; COMBINA; COS; COSH; COT; COTH; CSC; CSCH; DECIMAL; DEGRES; ECMA.PLAFOND; PAIR; EXP; FACT; FACTDOUBLE; PLANCHER; PLANCHER.PRECIS; PLANCHER.MATH; PGCD; ENT; ISO.PLAFOND; PPCM; LN; LOG; LOG10; DETERMAT; INVERSEMAT; PRODUITMAT; MOD; ARRONDI.AU.MULTIPLE; MULTINOMIALE; MATRICE.UNITAIRE; IMPAIR; PI; PUISSANCE; PRODUIT; QUOTIENT; RADIANS; ALEA; TABLEAU.ALEAT; ALEA.ENTRE.BORNES; ROMAIN; ARRONDI; ARRONDI.INF; ARRONDI.SUP; SEC; SECH; SOMME.SERIES; SIGNE; SIN; SINH; RACINE; RACINE.PI; SOUS.TOTAL; SOMME; SOMME.SI; SOMME.SI.ENS; SOMMEPROD; SOMME.CARRES; SOMME.X2MY2; SOMME.X2PY2; SOMME.XMY2; TAN; TANH; TRONQUE Fonctions Date et Heure Servent à afficher correctement la date et l'heure dans votre feuille de calcul. DATE; DATEDIF; DATEVAL; JOUR; JOURS; JOURS360; MOIS.DECALER; FIN.MOIS; HEURE; NO.SEMAINE.ISO; MINUTE; MOIS; NB.JOURS.OUVRES; NB.JOURS.OUVRES.INTL; MAINTENANT; SECONDE; TEMPS; TEMPSVAL; AUJOURDHUI; JOURSEM; NO.SEMAINE; SERIE.JOUR.OUVRE; SERIE.JOUR.OUVRE.INTL; ANNEE; FRACTION.ANNEE Fonctions d'ingénierie Sont utilisés pour effectuer des calculs d'ingénierie : conversion entre différentes bases, recherche de nombres complexes, etc. BESSELI; BESSELJ; BESSELK; BESSELY; BINDEC; BINHEX; BINOCT; BITET; BITDECALG; BITOU; BITDECALD; BITOUEXCLUSIF; COMPLEXE; CONVERT; DECBIN; DECHEX; DECOCT; DELTA; ERF; ERF.PRECIS; ERFC; ERFC.PRECIS; SUP.SEUIL; HEXBIN; HEXDEC; HEXOCT; COMPLEXE.MODULE; COMPLEXE.IMAGINAIRE; COMPLEXE.ARGUMENT; COMPLEXE.CONJUGUE; COMPLEXE.COS; COMPLEXE.COSH; COMPLEXE.COT; COMPLEXE.CSC; COMPLEXE.CSCH; COMPLEXE.DIV; COMPLEXE.EXP; COMPLEXE.LN; COMPLEXE.LOG10; COMPLEXE.LOG2; COMPLEXE.PUISSANCE; COMPLEXE.PRODUIT; COMPLEXE.REEL; COMPLEXE.SEC; COMPLEXE.SECH; COMPLEXE.SIN; COMPLEXE.SINH; COMPLEXE.RACINE; COMPLEXE.DIFFERENCE; COMPLEXE.SOMME; COMPLEXE.TAN; OCTBIN; OCTDEC; OCTHEX Fonctions de base de données Sont utilisés pour effectuer des calculs sur les valeurs dans un certain champ de la base de données qui correspondent aux critères spécifiés. BDMOYENNE; BCOMPTE; BDNBVAL; BDLIRE; BDMAX; BDMIN; BDPRODUIT; BDECARTYPE; BDECARTYPEP; BDSOMME; BDVAR; BDVARP Fonctions financières Servent à effectuer certaines opérations financières, calculer la valeur nette actuelle, les paiements etc... INTERET.ACC; INTERET.ACC.MAT; AMORDEGRC; AMORLINC; NB.JOURS.COUPON.PREC; NB.JOURS.COUPONS; NB.JOURS.COUPON.SUIV; DATE.COUPON.SUIV; NB.COUPONSv; DATE.COUPON.PREC; CUMUL.INTER; CUMUL.PRINCPER; DB; DDB; TAUX.ESCOMPTE; PRIX.DEC; PRIX.FRAC; DUREE; TAUX.EFFECTIF; VC; VC.PAIEMENTS; TAUX.INTERET; INTPER; TRI; ISPMT; DUREE.MODIFIEE; TRIM; TAUX.NOMINAL; PM; VAN; PRIX.PCOUPON.IRREG; REND.PCOUPON.IRREG; PRIX.DCOUPON.IRREG; REND.DCOUPON.IRREG; PDUREE; VPM; PRINCPER; PRIX.TITRE; VALEUR.ENCAISSEMENT; PRIX.TITRE.ECHEANCE; VA; TAUX; VALEUR.NOMINALE; TAUX.INT.EQUIV; AMORLIN; AMORANN; TAUX.ESCOMPTE.R; PRIX.BON.TRESOR; RENDEMENT.BON.TRESOR; VDB; TRI.PAIEMENTS; VAN.PAIEMENTS; RENDEMENT.TITRE; RENDEMENT.SIMPLE; RENDEMENT.TITRE.ECHEANCE Fonctions de recherche et de référence Servent à trouver facilement les informations dans la liste de données. ADRESSE; CHOISIR; COLONNE; COLONNES; FORMULETEXTE; RECHERCHEH; LIEN_HYPERTEXTE; INDEX; INDIRECT; RECHERCHE; EQUIV; DECALER; LIGNE; LIGNES; TRANSPOSE; UNIQUE; RECHERCHEV; XLOOKUP Fonctions d'information Servent à vous donner les informations sur les données de la cellule sélectionnée ou une plage de cellules. CELLULE; TYPE.ERREUR; ESTVIDE; ESTERR; ESTERREUR; EST.PAIR; ESTFORMULE; ESTLOGIQUE; ESTNA; ESTNONTEXTE; ESTNUM; EST.IMPAIR; ESTREF; ESTTEXTE; N; NA; FEUILLE; FEUILLES; TYPE Fonctions logiques Servent uniquement à vous donner une réponse VRAI ou FAUX. ET; FAUX; SI; SIERREUR; SI.NON.DISP; SI.CONDITIONS; PAS; OU; SI.MULTIPLE; VRAI; OUX" }, { "id": "UsageInstructions/InsertHeadersFooters.htm", "title": "Insérer des en-têtes et pieds de page", - "body": "Insérer des en-têtes et des pieds de page Les en-têtes et pieds de page permettent d’ajouter des informations supplémentaires sur une feuille de calcul imprimée, telles que la date et l’heure, le numéro de page, le nom de la feuille, etc. Les en-têtes et pieds de pages sont affichés dans la version imprimée d’une feuille de calcul. Pour insérer un en-tête et un pied de page dans Spreadsheet Editor: basculez vers l’onglet Insérer ou Mise en page, cliquez sur le bouton En-tête/Pied de page sur la barre d’outils supérieure, la fenêtre des Paramètres des en-têtes/pieds de page s’ouvrira, où vous pouvez régler les paramètres suivants: cochez la case Première page différente si vous voulez appliquer un en-tête ou un pied de page différent à toute première page ou au cas où vous ne voulez y ajouter du tout d’en-tête ou pied de page. L’onglet Première page apparaîtra ci-dessous. cochez la case Pages paires et impaires différentes pour ajouter un en-tête/pied de page différent pour les pages paires et impaires. Les onglets Page paire et Page impaire apparaîtront ci-dessous. l’option Mettre à l’échelle du document permet de mettre à l’échelle l’en-tête et pied de page avec la feuille de calcul. Ce paramètre est activé par défaut. l’option Aligner avec les marges de page permet d’aligner l’en-tête/pied de page gauche sur la marge gauche et l’en-tête/pied de page droit sur la marge droite. Cette option est activée par défaut. insérez les données nécessaires selon les options sélectionnées, vous pouvez ajuster les paramètres pour Toutes les pages ou configurer l’en-tête/pied de page pour la première ainsi que pour les pages paires et impaires individuellement. Passez à l’onglet nécessaire et ajustez les paramètres disponibles. Vous pouvez utiliser l’un des préréglages prêts à l’emploi ou insérer manuellement les données nécessaires dans les champs d’en-tête/pied de page gauche, central et droit: choisissez l’un des Préréglages disponibles de la liste des préréglages: Page 1; Page 1 de ?; Feuille 1; Confidentiel, jj/mm/aaaa, Page 1; Nom de la feuille de calcul.xlsx; Sheet1, Page 1; Sheet1, Confidential, Page 1; Nom de la feuille de calcul.xlsx, Page 1; Page 1, Feuille 1; Page 1, Nom de la feuille de calcul.xlsx; Auteur, Page 1, jj/mm/aaaa; préparé par Auteur jj/mm/aaaa, Page 1. Les variables correspondantes seront ajoutées. placez le curseur dans le champ gauche, central ou droit de l’en-tête/pied de page et utilisez la liste d’insertion pour ajouter le numéro de pages, la date, l’heure, le fichier, le nom, le nom de la feuille. mettez en forme le texte de l’en-tête/pied de page à l’aide des commandes correspondantes. Vous pouvez changer la police par défaut, sa forme, couleur, appliquer certains styles de police, tels que gras, italique, souligné, barré, utiliser des caractères en exposant ou en indice. lorsque vous êtes prêts, cliquez sur le bouton OK pour appliquer les modifications. Pour modifier les en-têtes/pieds de page ajoutés, cliquez sur le bouton Modifier l’en-tête/pied de page sur la barre d’outils supérieure, effectuez les modifications nécessaires dans la fenêtre Paramètre des en-têtes/pieds de page puis cliquez sur OK pour enregistrer les modifications. L’en-tête et / ou le pied de page seront affichés dans la version imprimée de la feuille de calcul." + "body": "Insérer des en-têtes et des pieds de page Les en-têtes et pieds de page permettent d'ajouter des informations supplémentaires sur une feuille de calcul imprimée, telles que la date et l'heure, le numéro de page, le nom de la feuille, etc. Les en-têtes et pieds de pages sont affichés dans la version imprimée d'une feuille de calcul. Pour insérer un en-tête et un pied de page dans le Tableur : basculez vers l'onglet Insérer ou Mise en page, cliquez sur le bouton En-tête/Pied de page sur la barre d'outils supérieure, la fenêtre des Paramètres des en-têtes/pieds de page s'ouvrira, où vous pouvez régler les paramètres suivants : cochez la case Première page différente si vous voulez appliquer un en-tête ou un pied de page différent à toute première page ou au cas où vous ne voulez y ajouter du tout d'en-tête ou pied de page. L'onglet Première page apparaîtra ci-dessous. cochez la case Pages paires et impaires différentes pour ajouter un en-tête/pied de page différent pour les pages paires et impaires. Les onglets Page paire et Page impaire apparaîtront ci-dessous. l'option Mettre à l'échelle du document permet de mettre à l'échelle l'en-tête et pied de page avec la feuille de calcul. Ce paramètre est activé par défaut. l'option Aligner avec les marges de page permet d'aligner l'en-tête/pied de page gauche sur la marge gauche et l'en-tête/pied de page droit sur la marge droite. Cette option est activée par défaut. insérez les données nécessaires selon les options sélectionnées, vous pouvez ajuster les paramètres pour Toutes les pages ou configurer l'en-tête/pied de page pour la première ainsi que pour les pages paires et impaires individuellement. Passez à l'onglet nécessaire et ajustez les paramètres disponibles. Vous pouvez utiliser l'un des préréglages prêts à l'emploi ou insérer manuellement les données nécessaires dans les champs d'en-tête/pied de page gauche, central et droit : choisissez l'un des Préréglages disponibles de la liste des préréglages : Page 1 ; Page 1 de ? ; Feuille 1 ; Confidentiel, jj/mm/aaaa, Page 1 ; Nom de la feuille de calcul.xlsx ; Sheet1, Page 1 ; Sheet1, Confidential, Page 1 ; Nom de la feuille de calcul.xlsx, Page 1 ; Page 1, Feuille 1 ; Page 1, Nom de la feuille de calcul.xlsx ; Auteur, Page 1, jj/mm/aaaa ; préparé par Auteur jj/mm/aaaa, Page 1. Les variables correspondantes seront ajoutées. placez le curseur dans le champ gauche, central ou droit de l'en-tête/pied de page et utilisez la liste d'insertion pour ajouter le numéro de pages, la date, l'heure, le fichier, le nom, le nom de la feuille. mettez en forme le texte de l'en-tête/pied de page à l'aide des commandes correspondantes. Vous pouvez changer la police par défaut, sa forme, couleur, appliquer certains styles de police, tels que gras, italique, souligné, barré, utiliser des caractères en exposant ou en indice. lorsque vous êtes prêts, cliquez sur le bouton OK pour appliquer les modifications. Pour modifier les en-têtes/pieds de page ajoutés, cliquez sur le bouton Modifier l'en-tête/pied de page sur la barre d'outils supérieure, effectuez les modifications nécessaires dans la fenêtre Paramètre des en-têtes/pieds de page puis cliquez sur OK pour enregistrer les modifications. L'en-tête et / ou le pied de page seront affichés dans la version imprimée de la feuille de calcul." }, { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer des images", - "body": "Spreadsheet 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 la feuille de calcul, 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 Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. 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 l'option Image provenant du stockage ouvrira la fenêtre Sélectionner la source de données. Sélectionnez une image stockée sur votre portail et cliquez sur le bouton OK Après cela, l'image sera ajoutée à la feuille de calcul. Régler les paramètres de l'image une fois l'image ajoutée, vous pouvez modifier sa taille et sa position. Pour spécifier les dimensions exactes de l'image : sélectionnez l'image que vous voulez redimensionner avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, Dans la section Taille, définissez les valeurs Largeur et Hauteur requises. 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. Pour rogner l'image : Cliquez sur le bouton Rogner pour activer les poignées de recadrage qui apparaissent sur les coins de l'image et au milieu de chaque côté. Faites glisser manuellement les poignées pour définir la zone de recadrage. Vous pouvez déplacer le curseur de la souris sur la bordure de la zone de recadrage pour qu'il se transforme en icône et faire glisser la zone. Pour rogner un seul côté, faites glisser la poignée située au milieu de ce côté. Pour rogner simultanément deux côtés adjacents, faites glisser l'une des poignées d'angle. Pour rogner également deux côtés opposés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser la poignée au milieu de l'un de ces côtés. Pour rogner également tous les côtés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser l'une des poignées d'angle. Lorsque la zone de recadrage est définie, cliquez à nouveau sur le bouton Rogner, ou appuyez sur la touche Echap, ou cliquez n'importe où à l'extérieur de la zone de recadrage pour appliquer les modifications. Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix: Si vous sélectionnez l'option Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme. Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées. Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent apparaître dans la zone de recadrage sélectionnée. Pour faire pivoter l'image : sélectionnez l'image que vous souhaitez faire pivoter avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Rotation, cliquez sur l'un des boutons : pour faire pivoter l’image de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’image de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’image horizontalement (de gauche à droite) pour retourner l’image verticalement (à l'envers) Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Faire pivoter dans le menu contextuel. Pour remplacer l'image insérée, sélectionnez l'image insérée avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Remplacer l'image cliquez sur le bouton approprié : D'un fichier ou D'une URL et sélectionnez l'image désirée.Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Remplacer l'image dans le menu contextuel. L'image sélectionnée sera remplacée. Lorsque l'image est sélectionnée, l'icône 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 la forme dans la barre latérale droite et ajuster le type du Ligne sa taille et sa 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. Sous l'onglet Paramètres de la forme, vous pouvez utiliser l'option Ajouter une ombre pour créer une zone ombrée autour de l'image. Ajuster les paramètres avancés de l'image 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 de l'image du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher les paramètres avancés. La fenêtre paramètres de l'image s'ouvre: L'onglet Rotation comporte les paramètres suivants: Angle - utilisez cette option pour faire pivoter l'image d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner l'image horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placer l'image derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), l'image se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de l'image s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé l'image derrière la cellule mais d'empêcher le redimensionnement. Quand une cellule se déplace, l'image se déplace aussi, mais si vous redimensionnez la cellule, l'image demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de l'image si la position ou la dimension de la cellule restent inchangées. 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 l'image insérée, cliquez sur celle-ci et appuyez sur la touche Suppr. Affecter une macro à une image Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une image. Une fois la macro affectée, l'image apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur l'image et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." + "body": "Tableur 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 la feuille de calcul, 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 Dans l’éditeur en ligne, vous pouvez sélectionner plusieurs images à la fois. 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 l'option Image provenant du stockage ouvrira la fenêtre Sélectionner la source de données. Sélectionnez une image stockée sur votre portail et cliquez sur le bouton OK Après cela, l'image sera ajoutée à la feuille de calcul. Régler les paramètres de l'image une fois l'image ajoutée, vous pouvez modifier sa taille et sa position. Pour spécifier les dimensions exactes de l'image : sélectionnez l'image que vous voulez redimensionner avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, Dans la section Taille, définissez les valeurs Largeur et Hauteur requises. 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. Pour rogner l'image : Cliquez sur le bouton Rogner pour activer les poignées de recadrage qui apparaissent sur les coins de l'image et au milieu de chaque côté. Faites glisser manuellement les poignées pour définir la zone de recadrage. Vous pouvez déplacer le curseur de la souris sur la bordure de la zone de recadrage pour qu'il se transforme en icône et faire glisser la zone. Pour rogner un seul côté, faites glisser la poignée située au milieu de ce côté. Pour rogner simultanément deux côtés adjacents, faites glisser l'une des poignées d'angle. Pour rogner également deux côtés opposés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser la poignée au milieu de l'un de ces côtés. Pour rogner également tous les côtés de l'image, maintenez la touche Ctrl enfoncée lorsque vous faites glisser l'une des poignées d'angle. Lorsque la zone de recadrage est définie, cliquez à nouveau sur le bouton Rogner, ou appuyez sur la touche Echap, ou cliquez n'importe où à l'extérieur de la zone de recadrage pour appliquer les modifications. Une fois la zone de recadrage sélectionnée, il est également possible d'utiliser les options Rogner à la forme, Remplir ou Ajuster disponibles dans le menu déroulant Rogner. Cliquez de nouveau sur le bouton Rogner et sélectionnez l'option de votre choix : Si vous sélectionnez l'option Rogner à la forme, l'image va s'ajuster à une certaine forme. Vous pouvez sélectionner la forme appropriée dans la galerie qui s'affiche lorsque vous placez le poiunteur de la soiris sur l'option Rogner à la forme. Vous pouvez toujours utiliser les options Remplir et Ajuster pour choisir le façon d'ajuster votre image à la forme. Si vous sélectionnez l'option Remplir, la partie centrale de l'image originale sera conservée et utilisée pour remplir la zone de cadrage sélectionnée, tandis que les autres parties de l'image seront supprimées. Si vous sélectionnez l'option Ajuster, l'image sera redimensionnée pour correspondre à la hauteur ou à la largeur de la zone de recadrage. Aucune partie de l'image originale ne sera supprimée, mais des espaces vides peuvent apparaître dans la zone de recadrage sélectionnée. Pour faire pivoter l'image : sélectionnez l'image que vous souhaitez faire pivoter avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, dans la section Rotation, cliquez sur l'un des boutons : pour faire pivoter l’image de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’image de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’image horizontalement (de gauche à droite) pour retourner l’image verticalement (à l'envers) Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Faire pivoter dans le menu contextuel. Pour remplacer l'image insérée, sélectionnez l'image insérée avec la souris, cliquez sur l'icône Paramètres de l'image sur la barre latérale droite, cliquez sur le bouton Remplacer l'image, choisissez l'option nécessaire : D'un fichier ou D'une URL et sélectionnez l'image désirée. Remarque : vous pouvez également cliquer avec le bouton droit sur l'image et utiliser l'option Remplacer l'image dans le menu contextuel. L'image sélectionnée sera remplacée. Lorsque l'image est sélectionnée, l'icône 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 la forme dans la barre latérale droite et ajuster le type du Ligne sa taille et sa 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. Sous l'onglet Paramètres de la forme, vous pouvez utiliser l'option Ajouter une ombre pour créer une zone ombrée autour de l'image. Ajuster les paramètres avancés de l'image 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 de l'image du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher les paramètres avancés. La fenêtre paramètres de l'image s'ouvre : L'onglet Rotation comporte les paramètres suivants : Angle - utilisez cette option pour faire pivoter l'image d'un angle exactement spécifié. Entrez la valeur souhaitée mesurée en degrés dans le champ ou réglez-la à l'aide des flèches situées à droite. Retourné - cochez la case Horizontalement pour retourner l'image horizontalement (de gauche à droite) ou la case Verticalement pour retourner l'image verticalement (à l'envers). L'onglet Alignement dans une cellule comprend les options suivantes : Déplacer et dimensionner avec des cellules - cette option permet de placer l'image derrière la cellule. Quand une cellule se déplace (par exemple : insertion ou suppression des lignes/colonnes), l'image se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension de l'image s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé l'image derrière la cellule mais d'empêcher le redimensionnement. Quand une cellule se déplace, l'image se déplace aussi, mais si vous redimensionnez la cellule, l'image demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement de l'image si la position ou la dimension de la cellule restent inchangées. 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 l'image insérée, cliquez sur celle-ci et appuyez sur la touche Suppr. Affecter une macro à une image Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une image. Une fois la macro affectée, l'image apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro : Cliquer avec le bouton droit de la souris sur l'image et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK." }, { "id": "UsageInstructions/InsertSparklines.htm", "title": "Insérer des graphiques sparkline", - "body": "Utiliser des graphiques sparkline Un graphique sparkline est un graphique tout petit qui s'adapte à la taille de la cellule et représente des tendances ou des variations des données. Les fonctionnalités des graphiques sparkline sont limitées par comparaison avec des graphiques habituels mais c'est un excellent outil d'analyse rapide des données et de représentation visuelle compacte. La taille d'un graphique sparkline dépend de la taille de la cellule, ajustez la largeur et la longueur de la cellule pour paramétrer la taille du graphique sparkline. Une fois le graphique sparkline ajouté, il est possible de saisir du texte ou appliquer une mise en forme conditionnelle dans la même cellule. ONLYOFFICE Spreadsheet Editor vous propose trois types de graphiques sparkline: Colonne est similaire à un Graphique à colonnes ordinaire. Ligne est similaire à un Graphique à lignes ordinaire. Gain/Perte ce type est approprié pour représenter des données qui incluent à la fois des valeurs positives et négatives. Insérer des graphiques sparkline Pour insérer un Graphique sparkline, sélectionnez une plage de données à inclure dans le graphique sparkline ou cliquez sur une cellule vide où vous souhaitez placer le graphique sparkline, passez à l'onglet Insertion et cliquez sur le bouton Graphique sparkline de la barre d'outils supérieure. Choisissez le graphique sparkline selon vos besoins. La fenêtre Créer des graphiques sparkline s'affiche, cliquez sur l'icône Sélectionner des données pour définir une plage de données et l'emplacement du graphique sparkline, cliquez sur OK pour valider. Modifier et mettre en forme un graphique sparkline Une fois le graphique sparkline inséré, vous pouvez le personnaliser et modifier. Cliquez sur la cellule comprenant un graphique sparkline pour activer l'onglet Paramètres du graphique sparkline sur la barre latérale droite. Dans la section Type, vous pouvez sélectionner l'un des types de graphiques sparkline disponibles dans la liste déroulante: Colonne - ce type est similaire à un Graphique à colonnes ordinaire. Ligne - ce type est similaire à un Graphique à lignes ordinaire. Gain/Perte - ce type est approprié pour représenter des données qui incluent à la fois des valeurs positives et négatives. Dans la section Style, vous pouvez sélectionner le style qui vous convient le mieux dans la liste déroulante Modèle , la Couleur appropriée pour le graphique sparkline et Épaisseur de trait (disponible uniquement pour les graphiques sparklines en Ligne) Dans la section Afficher, vous pouvez mettre en surbrillance ou marquer les données dans un graphique sparkline: Point élevé - pour mettre en évidence les points qui représentent des valeurs maximales. Point bas - pour mettre en évidence les points qui représentent des valeurs maximales. Point négatif - pour mettre en évidence les points qui représentent des valeurs négatives, Premier point - pour mettre en évidence le point qui représente la première valeur. Dernier point - pour mettre en évidence le point qui représente la dernière valeur. Marqueurs est disponible uniquement pour des graphiques sparkline en Ligne pour mettre en surbrillance toutes les valeurs. Cliquez sur la flèche en bas dans la zone de couleur pour sélectionnez une couleur pour chaque valeur. Pour rendre votre graphique sparkline plus précis et facile à comprendre, cliquez sur l'option Afficher les paramètres avancés pour accéder à la fenêtre Graphique sparkline - Paramètres avancés. L'onglet Type et données vous permet de modifier le Type et le Style du graphique sparkline, ainsi que de spécifier les paramètres d'affichage des Cellules masquées et vides: Afficher les cellules vides comme - cette option permet de contrôler l'affichage des graphiques sparklines si certaines cellules d'une plage de données sont vides. Sélectionnez l'option souhaitée dans la liste: Vides - pour afficher le graphique sparkline avec des vides à la place des données manquantes, Zéro - pour afficher le graphique sparkline comme si la valeur dans une cellule vide était nulle, Connecter les points de données avec la ligne (disponible uniquement pour le type Ligne) - pour ignorer les cellules vides et afficher une ligne de connexion entre les points de données. Afficher les données dans les lignes et les colonnes masquées - cochez cette case si vous souhaitez inclure des valeurs provenant des cellules masquées dans les graphiques sparklines. L'onglet Options de l'axe vous permet de spécifier les paramètres d'Axe horizontal/vertical suivants: Dans la section Axe horizontal, les paramètres suivants sont disponibles: Afficher l'axe - cochez cette case pour afficher l'axe horizontal. Si les données source contiennent des valeurs négatives, cette option permet de les afficher plus clairement. Inverser l'ordre - cochez cette case pour afficher les données dans l'ordre inverse. Dans la section Axe vertical, les paramètres suivants sont disponibles pour définir la Valeur minimale/maximale: Valeur minimale/maximale Automatique pour chaque - cette option est sélectionnée par défaut. Elle permet d'utiliser des valeurs minimum/maximum propres pour chaque graphique sparkline. Les valeurs minimum/maximum sont extraites des séries de données séparées qui sont utilisées pour tracer chaque graphique sparkline. La valeur maximale pour chaque graphique sparkline sera située en haut de la cellule, et la valeur minimale sera en bas. La même pour tous - cette option permet d'utiliser la même valeur minimum/maximum pour tout le groupe de graphiques sparklines. Les valeurs minimum/maximum sont extraites de toute la plage de données et utilisées pour tracer toutes les graphiques sparklines. Les valeurs maximum/minimum pour chaque sparkline seront mises à l'échelle par rapport à la valeur la plus haute/la plus basse dans la plage. Si vous sélectionnez cette option, il sera plus facile de comparer plusieurs graphiques sparklines. Fixé - cette option permet de définir une valeur minimale/maximale personnalisée. Les valeurs inférieures ou supérieures à celles spécifiées ne sont pas affichées dans le graphique sparkline. Supprimer les graphiques sparkline Pour supprimer les graphiques sparkline, sélectionnez une ou plusieurs cellules comprenant des graphiques sparkline que vous souhaitez supprimer et cliquez avec le bouton droit de la souris. Sélectionnez Graphiques sparkline dans le menu déroulant et cliquez sur Supprimer les graphiques sparkline sélectionnés ou Supprimer les groupes de graphiques sparkline sélectionnés." + "body": "Utiliser des graphiques sparkline Un graphique sparkline est un graphique tout petit qui s'adapte à la taille de la cellule et représente des tendances ou des variations des données. Les fonctionnalités des graphiques sparkline sont limitées par comparaison avec des graphiques habituels mais c'est un excellent outil d'analyse rapide des données et de représentation visuelle compacte. La taille d'un graphique sparkline dépend de la taille de la cellule, ajustez la largeur et la longueur de la cellule pour paramétrer la taille du graphique sparkline. Une fois le graphique sparkline ajouté, il est possible de saisir du texte ou appliquer une mise en forme conditionnelle dans la même cellule. Éditeur de feuilles de calcul ONLYOFFICE vous propose trois types de graphiques sparkline : Colonne est similaire à un Graphique à colonnes ordinaire. Ligne est similaire à un Graphique à lignes ordinaire. Gain/Perte ce type est approprié pour représenter des données qui incluent à la fois des valeurs positives et négatives. Insérer des graphiques sparkline Pour insérer un Graphique sparkline, sélectionnez une plage de données à inclure dans le graphique sparkline ou cliquez sur une cellule vide où vous souhaitez placer le graphique sparkline, passez à l'onglet Insertion et cliquez sur le bouton Graphique sparkline de la barre d'outils supérieure. Choisissez le graphique sparkline selon vos besoins. La fenêtre Créer des graphiques sparkline s'affiche, cliquez sur l'icône Sélectionner des données pour définir une plage de données et l'emplacement du graphique sparkline, cliquez sur OK pour valider. Modifier et mettre en forme un graphique sparkline Une fois le graphique sparkline inséré, vous pouvez le personnaliser et modifier. Cliquez sur la cellule comprenant un graphique sparkline pour activer l'onglet Paramètres du graphique sparkline sur la barre latérale droite. Dans la section Type, vous pouvez sélectionner l'un des types de graphiques sparkline disponibles dans la liste déroulante : Colonne - ce type est similaire à un Graphique à colonnes ordinaire. Ligne - ce type est similaire à un Graphique à lignes ordinaire. Gain/Perte - ce type est approprié pour représenter des données qui incluent à la fois des valeurs positives et négatives. Dans la section Style, vous pouvez sélectionner le style qui vous convient le mieux dans la liste déroulante Modèle , la Couleur appropriée pour le graphique sparkline et Épaisseur de trait (disponible uniquement pour les graphiques sparklines en Ligne) Dans la section Afficher, vous pouvez mettre en surbrillance ou marquer les données dans un graphique sparkline : Point élevé - pour mettre en évidence les points qui représentent des valeurs maximales. Point bas - pour mettre en évidence les points qui représentent des valeurs maximales. Point négatif - pour mettre en évidence les points qui représentent des valeurs négatives, Premier point - pour mettre en évidence le point qui représente la première valeur. Dernier point - pour mettre en évidence le point qui représente la dernière valeur. Marqueurs est disponible uniquement pour des graphiques sparkline en Ligne pour mettre en surbrillance toutes les valeurs. Cliquez sur la flèche en bas dans la zone de couleur pour sélectionnez une couleur pour chaque valeur. Pour rendre votre graphique sparkline plus précis et facile à comprendre, cliquez sur l'option Afficher les paramètres avancés pour accéder à la fenêtre Graphique sparkline - Paramètres avancés. L'onglet Type et données vous permet de modifier le Type et le Style du graphique sparkline, ainsi que de spécifier les paramètres d'affichage des Cellules masquées et vides : Afficher les cellules vides comme - cette option permet de contrôler l'affichage des graphiques sparklines si certaines cellules d'une plage de données sont vides. Sélectionnez l'option souhaitée dans la liste : Vides - pour afficher le graphique sparkline avec des vides à la place des données manquantes, Zéro - pour afficher le graphique sparkline comme si la valeur dans une cellule vide était nulle, Connecter les points de données avec la ligne (disponible uniquement pour le type Ligne) - pour ignorer les cellules vides et afficher une ligne de connexion entre les points de données. Afficher les données dans les lignes et les colonnes masquées - cochez cette case si vous souhaitez inclure des valeurs provenant des cellules masquées dans les graphiques sparklines. L'onglet Options de l'axe vous permet de spécifier les paramètres d'Axe horizontal/vertical suivants : Dans la section Axe horizontal, les paramètres suivants sont disponibles : Afficher l'axe - cochez cette case pour afficher l'axe horizontal. Si les données source contiennent des valeurs négatives, cette option permet de les afficher plus clairement. Inverser l'ordre - cochez cette case pour afficher les données dans l'ordre inverse. Dans la section Axe vertical, les paramètres suivants sont disponibles pour définir la Valeur minimale/maximale : Valeur minimale/maximale Automatique pour chaque - cette option est sélectionnée par défaut. Elle permet d'utiliser des valeurs minimum/maximum propres pour chaque graphique sparkline. Les valeurs minimum/maximum sont extraites des séries de données séparées qui sont utilisées pour tracer chaque graphique sparkline. La valeur maximale pour chaque graphique sparkline sera située en haut de la cellule, et la valeur minimale sera en bas. La même pour tous - cette option permet d'utiliser la même valeur minimum/maximum pour tout le groupe de graphiques sparklines. Les valeurs minimum/maximum sont extraites de toute la plage de données et utilisées pour tracer toutes les graphiques sparklines. Les valeurs maximum/minimum pour chaque sparkline seront mises à l'échelle par rapport à la valeur la plus haute/la plus basse dans la plage. Si vous sélectionnez cette option, il sera plus facile de comparer plusieurs graphiques sparklines. Fixé - cette option permet de définir une valeur minimale/maximale personnalisée. Les valeurs inférieures ou supérieures à celles spécifiées ne sont pas affichées dans le graphique sparkline. Supprimer les graphiques sparkline Pour supprimer les graphiques sparkline, sélectionnez une ou plusieurs cellules comprenant des graphiques sparkline que vous souhaitez supprimer et cliquez avec le bouton droit de la souris. Sélectionnez Graphiques sparkline dans le menu déroulant et cliquez sur Supprimer les graphiques sparkline sélectionnés ou Supprimer les groupes de graphiques sparkline sélectionnés." }, { "id": "UsageInstructions/InsertSymbols.htm", "title": "Insérer des symboles et des caractères", - "body": "Pendant le processus de travail dans Spreadsheet Editor, vous devrez peut-être insérer un symbole qui n'est pas sur votre clavier. Pour insérer de tels symboles dans votre document, utilisez l'option Insérer un symbole et suivez ces étapes simples: placez le curseur là où vous souhaitez ajouter un symbole spécifique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur Symbole, De la boîte de dialogue Symbole qui apparaît sélectionnez le symbole approprié, utilisez la section Plage pour trouvez rapidement le symbole nécessaire. Tous les symboles sont divisés en groupes spécifiques, par exemple, sélectionnez des «symboles monétaires» spécifiques si vous souhaitez insérer un caractère monétaire. Si ce caractère n'est pas dans le jeu, sélectionnez une police différente. Plusieurs d'entre elles ont également des caractères différents que ceux du jeu standard. Ou, entrez la valeur hexadécimale Unicode du symbole souhaité dans le champ Valeur hexadécimale Unicode. Ce code se trouve dans la Carte des caractères. Vous pouvez aussi utiliser l'onglet Symboles spéciaux pour choisir un symbole spéciale proposé dans la liste. Les symboles précédemment utilisés sont également affichés dans le champ des Caractères spéciaux récemment utilisés, cliquez sur Insérer. Le caractère sélectionné sera ajouté au document. Insérer des symboles ASCII La table ASCII est utilisée pour ajouter des caractères. Pour le faire, maintenez la touche ALT enfoncée et utilisez le pavé numérique pour saisir le code de caractère. Remarque: utilisez le pavé numérique, pas les chiffres du clavier principal. Pour activer le pavé numérique, appuyez sur la touche verrouillage numérique. Par exemple, pour ajouter un caractère de paragraphe (§), maintenez la touche ALT tout en tapant 789, puis relâchez la touche ALT. Insérer des symboles à l'aide de la table des caractères Unicode Des caractères et symboles supplémentaires peuvent également être trouvés dans la table des symboles Windows. Pour ouvrir cette table, effectuez l'une des opérations suivantes: dans le champ de recherche tapez 'Table des caractères' et ouvrez-la, appuyez simultanément sur Win + R, puis dans la fenêtre au-dessous, tapez charmap.exe et cliquez sur OK. Dans la Table des caractères ouverte, sélectionnez l'un des Jeux de caractères, Groupes et Polices. Ensuite, cliquez sur les caractères nécessaires, copiez-les dans le presse-papiers et insérez-les au bon endroit dans la présentation." + "body": "Pendant le processus de travail dans le Tableur, vous devrez peut-être insérer un symbole qui n'est pas sur votre clavier. Pour insérer de tels symboles dans votre document, utilisez l'option Insérer un symbole et suivez ces étapes simples : placez le curseur là où vous souhaitez ajouter un symbole spécifique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur Symbole, De la boîte de dialogue Symbole qui apparaît sélectionnez le symbole approprié, utilisez la section Plage pour trouvez rapidement le symbole nécessaire. Tous les symboles sont divisés en groupes spécifiques, par exemple, sélectionnez des «symboles monétaires» spécifiques si vous souhaitez insérer un caractère monétaire. Si ce caractère n'est pas dans le jeu, sélectionnez une police différente. Plusieurs d'entre elles ont également des caractères différents que ceux du jeu standard. Ou, entrez la valeur hexadécimale Unicode du symbole souhaité dans le champ Valeur hexadécimale Unicode. Ce code se trouve dans la Carte des caractères. Vous pouvez aussi utiliser l'onglet Symboles spéciaux pour choisir un symbole spéciale proposé dans la liste. Les symboles précédemment utilisés sont également affichés dans le champ des Caractères spéciaux récemment utilisés, cliquez sur Insérer. Le caractère sélectionné sera ajouté au document. Insérer des symboles ASCII La table ASCII est utilisée pour ajouter des caractères. Pour le faire, maintenez la touche ALT enfoncée et utilisez le pavé numérique pour saisir le code de caractère. Remarque : utilisez le pavé numérique, pas les chiffres du clavier principal. Pour activer le pavé numérique, appuyez sur la touche verrouillage numérique. Par exemple, pour ajouter un caractère de paragraphe (§), maintenez la touche ALT tout en tapant 789, puis relâchez la touche ALT. Insérer des symboles à l'aide de la table des caractères Unicode Des caractères et symboles supplémentaires peuvent également être trouvés dans la table des symboles Windows. Pour ouvrir cette table, effectuez l'une des opérations suivantes : dans le champ de recherche tapez 'Table des caractères' et ouvrez-la, appuyez simultanément sur Win + R, puis dans la fenêtre au-dessous, tapez charmap.exe et cliquez sur OK. Dans la Table des caractères ouverte, sélectionnez l'un des Jeux de caractères, Groupes et Polices. Ensuite, cliquez sur les caractères nécessaires, copiez-les dans le presse-papiers et insérez-les au bon endroit dans la présentation." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Insérer des objets textuels", - "body": "Dans Spreadsheet Editor pour attirer l'attention sur une partie spécifique de la feuille de calcul, vous pouvez insérer une zone de texte (un cadre rectangulaire qui permet de saisir du texte) ou un objet Text Art (une zone de texte avec un style de police et une couleur prédéfinis permettant d'appliquer certains effets de texte). Ajouter un objet textuel Vous pouvez ajouter un objet texte n'importe où sur la feuille de calcul. Pour le faire: passez à l'onglet Insertion de la barre d'outils supérieure, sélectionnez le type d'objet textuel voulu: Pour ajouter une zone de texte, cliquez sur l'icône Zone de texte de la barre d'outils supérieure, puis cliquez sur l'emplacement où vous souhaitez insérer la zone de texte, maintenez le bouton de la souris enfoncé et faites glisser la bordure pour définir sa taille. Lorsque vous relâchez le bouton de la souris, le point d'insertion apparaîtra dans la zone de texte ajoutée, vous permettant d'entrer votre texte. Remarque: il est également possible d'insérer une zone de texte en cliquant sur l'icône Forme dans la barre d'outils supérieure et en sélectionnant la forme dans le groupe Formes de base. Pour ajouter un objet Text Art, cliquez sur l'icône Text Art dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté au centre de la feuille de calcul. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. cliquez en dehors de l'objet texte pour appliquer les modifications et revenir à la feuille de calcul. Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi). Comme un objet textuel inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte. Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé. Mettre en forme une zone de texte Sélectionnez la zone de texte en cliquant sur sa bordure pour pouvoir modifier ses propriétés. Lorsque la zone de texte est sélectionnée, ses bordures sont affichées en tant que lignes pleines (non pointillées). Pour redimensionner, déplacer, faire pivoter la zone de texte manuellement, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contourou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramèteres avancés de forme, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. Pour organiser les zones de texte par rapport à d'autres objets, aligner plusieurs zones de texte les unes par rapport aux autres, faire pivoter ou retourner une zone de texte, cliquer avec le bouton droit de la souris sur la bordure de la zone de texte et utiliser les options du menu contextuel. Pour en savoir plus sur l'organisation et l'alignement des objets, vous pouvez vous référer à cette page. Pour créer des colonnes de texte dans la zone de texte, cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez ensuite sur l'option Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés. Mettre en forme le texte dans la zone de texte Cliquez sur le texte dans la zone de texte pour pouvoir modifier ses propriétés. Lorsque le texte est sélectionné, les bordures de la zone de texte sont affichées en lignes pointillées. Remarque: il est également possible de modifier le formatage du texte lorsque la zone de texte (et non le texte lui-même) est sélectionnée. Dans ce cas, toutes les modifications seront appliquées à tout le texte dans la zone de texte. Certaines options de mise en forme de police (type de police, taille, couleur et styles de décoration) peuvent être appliquées séparément à une partie du texte précédemment sélectionnée. Ajustez les paramètres de mise en forme des polices (modifiez le type de police, la taille, la couleur et l'application des styles de décoration) à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Certains paramètres de police supplémentaires peuvent également être modifiés dans l'onglet Police de la fenêtre des propriétés de paragraphe. Pour y accéder, cliquez avec le bouton droit sur le texte dans la zone de texte et sélectionnez l'option Paramètres avancés du paragraphe. Alignez le texte horizontalement dans la zone de texte à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure ou dans la fenêtre Paragraphe - Paramètres avancés . Alignez le texte verticalement dans la zone de texte à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Pour aligner le texte verticalement dans la zone de texte, cliquez avec le bouton droit sur le texte et choisissez l'une des options disponibles: Aligner en haut, Aligner au centre ou Aligner en bas. Faire pivoter le texte dans la zone de texte. Pour ce faire, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Créez une liste à puces ou une liste numérotée. Pour ce faire, cliquez avec le bouton droit sur le texte, sélectionnez l'option Puces et numérotation dans le menu contextuel, puis choisissez l'un des caractères à puce ou des styles de numérotation disponibles. L'option paramètres de la liste permet d'afficher la fenêtre Paramètres de la liste où on peut configurer les paramètres de la liste appropriée: Type (à puces) - permet de sélectionner le caractère approprié pour les éléments de la liste. Lorsque vous appuyez sur Nouvelle puce, la fenêtre Symbole va apparaître où vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet article pour en savoir plus sur utilisation des symboles. Type (Numéroté) - permet de sélectionner la mise en forme appropriée des éléments de la liste numérotée. Taille - permet d'ajuster la taille des puces/numéros en fonction de la talle actuelle du texte. La taille peut être configuré de 25% à 400%. Couleur - permet de choisir la couleur des puces/numéros. Vous pouvez choisir une des couleurs de thème, ou des couleurs standard de la palette ou définissez la Couleur personnalisée. Commencer par sert à spécifier le numéro à partir duquel vous voulez commencer la numérotation. insérer un lien hypertexte Définissez l'espacement des lignes et des paragraphes pour le texte multiligne dans la zone de texte à l'aide de l'onglet Paramètres du paragraphe de la barre latérale de droite qui s'ouvre si vous cliquez sur l'icône Paramètres du paragraphe . Spécifiez l'interligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et le précédent ou le suivant. Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi deux options: Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. Remarque: on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés . Configurer les paramètres avancés du paragraphe Modifiez les paramètres avancés du paragraphe (vous pouvez configurer les retraits du paragraphe ou les taquets de tabulation pour le texte multiligne dans la zone de texte et modifier quelques paramètres de mise en forme de la police) Placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du paragraphe devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. Il est également possible de cliquer avec le bouton droit dans la zone de texte et utiliser l'option Paramètres avancés du paragraphe dans le menu contextuel. La fenêtre paramètres du paragraphe s'ouvre: L'onglet Retrait et emplacement permet de: modifier le type d'alignement du paragraphe, modifier les retraits du paragraphe par rapport aux marges internes de la zone de texte, A gauche - spécifiez le décalage du paragraphe de la marge interne gauche de la zone de texte et saisissez la valeur numérique appropriée, A droite - spécifiez le décalage du paragraphe de la marge interne droite de la zone de texte et saisissez la valeur numérique appropriée, Spécial - spécifier le retrait de première ligne du paragraphe: sélectionnez l'élément approprié du menu ((aucun), Première ligne, Suspendu) et modifiez la valeur numérique par défaut pour les options Première ligne ou Suspendu, modifiez l'interligne du paragraphe. L'onglet Police comporte les paramètres suivants: Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. L'option Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, comme par exemple dans les fractions. L'option Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, comme par exemple dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement des caractères sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Tous les changements seront affichés dans le champ de prévisualisation ci-dessous. L'onglet Tabulation vous permet de changer des taquets de tabulation c'est-à-dire l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. La tabulation Par défaut est 2.54 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans le champ. Position sert à personnaliser les taquets de tabulation. Saisissez la valeur nécessaire dans ce champ, réglez-la en utilisant les boutons à flèche et cliquez sur le bouton Spécifier. La position du taquet de tabulation personnalisée sera ajoutée à la liste dans le champ au-dessous. Alignement sert à définir le type d'alignement pour chaque taquet de tabulation de la liste. Sélectionnez le taquet nécessaire dans la liste, choisissez l'option A gauche, Au centre ou A droite dans la liste déroulante et cliquez sur le bouton Spécifier. A gauche - sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Au centre - sert à centrer le texte à l'emplacement du taquet de tabulation. A droite - sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou Supprimer tout. Affecter une macro à une zone de texte Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une zone de texte. Une fois la macro affectée, la zone de texte apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro: Cliquer avec le bouton droit de la souris sur la zone de texte et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art dans la barre latérale de droite. Modifiez le style de texte appliqué en sélectionnant un nouveau Modèle dans la galerie. Vous pouvez également modifier le style de base en sélectionnant un type de police différent, une autre taille, etc. Changez le remplissage et le contour de police. Les options disponibles sont les mêmes que pour les formes automatiques. Appliquez un effet de texte en sélectionnant le type de transformation de texte voulu dans la galerie Transformation. Vous pouvez ajuster le degré de distorsion du texte en faisant glisser la poignée en forme de diamant rose." + "body": "Dans le Tableur pour attirer l'attention sur une partie spécifique de la feuille de calcul, vous pouvez insérer une zone de texte (un cadre rectangulaire qui permet de saisir du texte) ou un objet Text Art (une zone de texte avec un style de police et une couleur prédéfinis permettant d'appliquer certains effets de texte). Ajouter un objet textuel Vous pouvez ajouter un objet texte n'importe où sur la feuille de calcul. Pour le faire : passez à l'onglet Insertion de la barre d'outils supérieure, sélectionnez le type d'objet textuel voulu : Pour ajouter une zone de texte, cliquez sur l'icône Zone de texte de la barre d'outils supérieure, puis cliquez sur l'emplacement où vous souhaitez insérer la zone de texte, maintenez le bouton de la souris enfoncé et faites glisser la bordure pour définir sa taille. Lorsque vous relâchez le bouton de la souris, le point d'insertion apparaîtra dans la zone de texte ajoutée, vous permettant d'entrer votre texte. Remarque : il est également possible d'insérer une zone de texte en cliquant sur l'icône Forme dans la barre d'outils supérieure et en sélectionnant la forme dans le groupe Formes de base. Pour ajouter un objet Text Art, cliquez sur l'icône Text Art dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté au centre de la feuille de calcul. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. cliquez en dehors de l'objet texte pour appliquer les modifications et revenir à la feuille de calcul. Le texte dans l'objet textuel fait partie de celui ci (ainsi si vous déplacez ou faites pivoter l'objet textuel, le texte change de position lui aussi). Comme un objet textuel inséré représente un cadre rectangulaire (avec des bordures de zone de texte invisibles par défaut) avec du texte à l'intérieur et que ce cadre est une forme automatique commune, vous pouvez modifier aussi bien les propriétés de forme que de texte. Pour supprimer l'objet textuel ajouté, cliquez sur la bordure de la zone de texte et appuyez sur la touche Suppr du clavier. Le texte dans la zone de texte sera également supprimé. Mettre en forme une zone de texte Sélectionnez la zone de texte en cliquant sur sa bordure pour pouvoir modifier ses propriétés. Lorsque la zone de texte est sélectionnée, ses bordures sont affichées en tant que lignes pleines (non pointillées). Pour redimensionner, déplacer, faire pivoter la zone de texte manuellement, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contourou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramèteres avancés de forme, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. Pour organiser les zones de texte par rapport à d'autres objets, aligner plusieurs zones de texte les unes par rapport aux autres, faire pivoter ou retourner une zone de texte, cliquer avec le bouton droit de la souris sur la bordure de la zone de texte et utiliser les options du menu contextuel. Pour en savoir plus sur l'organisation et l'alignement des objets, vous pouvez vous référer à cette page. Pour créer des colonnes de texte dans la zone de texte, cliquez avec le bouton droit sur la bordure de la zone de texte, cliquez ensuite sur l'option Paramètres avancés de forme et passez à l'onglet Colonnes de la fenêtre Forme - Paramètres avancés. Mettre en forme le texte dans la zone de texte Cliquez sur le texte dans la zone de texte pour pouvoir modifier ses propriétés. Lorsque le texte est sélectionné, les bordures de la zone de texte sont affichées en lignes pointillées. Remarque : il est également possible de modifier le formatage du texte lorsque la zone de texte (et non le texte lui-même) est sélectionnée. Dans ce cas, toutes les modifications seront appliquées à tout le texte dans la zone de texte. Certaines options de mise en forme de police (type de police, taille, couleur et styles de décoration) peuvent être appliquées séparément à une partie du texte précédemment sélectionnée. Ajustez les paramètres de mise en forme des polices (modifiez le type de police, la taille, la couleur et l'application des styles de décoration) à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Certains paramètres de police supplémentaires peuvent également être modifiés dans l'onglet Police de la fenêtre des propriétés de paragraphe. Pour y accéder, cliquez avec le bouton droit sur le texte dans la zone de texte et sélectionnez l'option Paramètres avancés du paragraphe. Alignez le texte horizontalement dans la zone de texte à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure ou dans la fenêtre Paragraphe - Paramètres avancés . Alignez le texte verticalement dans la zone de texte à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Pour aligner le texte verticalement dans la zone de texte, cliquez avec le bouton droit sur le texte et choisissez l'une des options disponibles : Aligner en haut, Aligner au centre ou Aligner en bas. Faire pivoter le texte dans la zone de texte. Pour ce faire, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles : Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Créez une liste à puces ou une liste numérotée. Pour ce faire, cliquez avec le bouton droit sur le texte, sélectionnez l'option Puces et numérotation dans le menu contextuel, puis choisissez l'un des caractères à puce ou des styles de numérotation disponibles. L'option paramètres de la liste permet d'afficher la fenêtre Paramètres de la liste où on peut configurer les paramètres de la liste appropriée : Type (à puces) - permet de sélectionner le caractère approprié pour les éléments de la liste. Lorsque vous appuyez sur Nouvelle puce, la fenêtre Symbole va apparaître où vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet article pour en savoir plus sur utilisation des symboles. Lorsque vous cliquez sur l'option Nouvelle image, un nouveau champ Importer s'ouvre dans lequel vous pouvez choisir de nouvelles images pour les puces A partir d'un fichier, A partir d'une URL, ou A partir de l'espace de stockage. Type (Numéroté) - permet de sélectionner la mise en forme appropriée des éléments de la liste numérotée. Taille - permet d'ajuster la taille des puces/numéros en fonction de la talle actuelle du texte. La taille peut être configuré de 25% à 400%. Couleur - permet de choisir la couleur des puces/numéros. Vous pouvez choisir une des couleurs de thème, ou des couleurs standard de la palette ou définissez la Couleur personnalisée. Commencer par sert à spécifier le numéro à partir duquel vous voulez commencer la numérotation. insérer un lien hypertexte Définissez l'espacement des lignes et des paragraphes pour le texte multiligne dans la zone de texte à l'aide de l'onglet Paramètres du paragraphe de la barre latérale de droite qui s'ouvre si vous cliquez sur l'icône Paramètres du paragraphe . Spécifiez l'interligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et le précédent ou le suivant. Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi deux options : Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. Remarque : on peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés. Configurer les paramètres avancés du paragraphe Modifiez les paramètres avancés du paragraphe (vous pouvez configurer les retraits du paragraphe ou les taquets de tabulation pour le texte multiligne dans la zone de texte et modifier quelques paramètres de mise en forme de la police) Placer le curseur dans le paragraphe de votre choix - l'onglet Paramètres du paragraphe devient actif sur la barre latérale droite. Appuyez sur le lien Afficher les paramètres avancés. Il est également possible de cliquer avec le bouton droit dans la zone de texte et utiliser l'option Paramètres avancés du paragraphe dans le menu contextuel. La fenêtre paramètres du paragraphe s'ouvre : L'onglet Retrait et emplacement permet de : modifier le type d'alignement du paragraphe, modifier les retraits du paragraphe par rapport aux marges internes de la zone de texte, A gauche - spécifiez le décalage du paragraphe de la marge interne gauche de la zone de texte et saisissez la valeur numérique appropriée, A droite - spécifiez le décalage du paragraphe de la marge interne droite de la zone de texte et saisissez la valeur numérique appropriée, Spécial - spécifier le retrait de première ligne du paragraphe : sélectionnez l'élément approprié du menu ((aucun), Première ligne, Suspendu) et modifiez la valeur numérique par défaut pour les options Première ligne ou Suspendu, modifiez l'interligne du paragraphe. L'onglet Police comporte les paramètres suivants : Barré sert à barrer le texte par la ligne passant par les lettres. Barré double sert à barrer le texte par la ligne double passant par les lettres. L'option Exposant sert à rendre le texte plus petit et le déplacer vers la partie supérieure de la ligne du texte, comme par exemple dans les fractions. L'option Indice sert à rendre le texte plus petit et le déplacer vers la partie inférieure de la ligne du texte, comme par exemple dans les formules chimiques. Petites majuscules sert à mettre toutes les lettres en petite majuscule. Majuscules sert à mettre toutes les lettres en majuscule. Espacement des caractères sert à définir l'espace entre les caractères. Augmentez la valeur par défaut pour appliquer l'espacement Étendu, ou diminuez la valeur par défaut pour appliquer l'espacement Condensé. Utilisez les touches fléchées ou entrez la valeur voulue dans la case. Tous les changements seront affichés dans le champ de prévisualisation ci-dessous. L'onglet Tabulation vous permet de changer des taquets de tabulation c'est-à-dire l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. La tabulation Par défaut est 2.54 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans le champ. Position sert à personnaliser les taquets de tabulation. Saisissez la valeur nécessaire dans ce champ, réglez-la en utilisant les boutons à flèche et cliquez sur le bouton Spécifier. La position du taquet de tabulation personnalisée sera ajoutée à la liste dans le champ au-dessous. Alignement sert à définir le type d'alignement pour chaque taquet de tabulation de la liste. Sélectionnez le taquet nécessaire dans la liste, choisissez l'option A gauche, Au centre ou A droite dans la liste déroulante et cliquez sur le bouton Spécifier. A gauche - sert à aligner le texte sur le côté gauche du taquet de tabulation ; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Au centre - sert à centrer le texte à l'emplacement du taquet de tabulation. A droite - sert à aligner le texte sur le côté droit du taquet de tabulation ; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou Supprimer tout. Affecter une macro à une zone de texte Pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul, vous pouvez affecter une macro à une zone de texte. Une fois la macro affectée, la zone de texte apparaît ainsi comme un bouton de contrôle et vous pouvez lancer la macro par un clic dessus. Pour affecter une macro : Cliquer avec le bouton droit de la souris sur la zone de texte et sélectionnez l'option Affecter une macro dans le menu déroulant. La boîte de dialogue Affecter une macro s'affiche. Sélectionnez la macro dans la liste ou saisissez le nom et cliquez sur OK. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art dans la barre latérale de droite. Modifiez le style de texte appliqué en sélectionnant un nouveau Modèle dans la galerie. Vous pouvez également modifier le style de base en sélectionnant un type de police différent, une autre taille, etc. Changez le remplissage et le contour de police. Les options disponibles sont les mêmes que pour les formes automatiques. Appliquez un effet de texte en sélectionnant le type de transformation de texte voulu dans la galerie Transformation. Vous pouvez ajuster le degré de distorsion du texte en faisant glisser la poignée en forme de diamant rose." }, { "id": "UsageInstructions/ManageSheets.htm", "title": "Gérer des feuilles de calcul", - "body": "Par défaut, un classeur nouvellement créé contient une feuille de calcul. Le moyen le plus simple d'en ajouter dans Spreadsheet Editor une est de cliquer sur le bouton Plus situé à la droite des boutons de Navigation de feuille dans le coin inférieur gauche. Une autre façon d'ajouter une nouvelle feuille est: faites un clic droit sur l'onglet de la feuille de calcul après laquelle vous souhaitez insérer une nouvelle feuille, sélectionnez l'option Insérer depuis le menu contextuel. Une nouvelle feuille de calcul sera insérée après la feuille sélectionnée. Pour activer la feuille requise, utilisez les onglets de la feuille dans le coin inférieur gauche de chaque feuille de calcul. Remarque: pour trouver la feuille que vous cherchez si vous en avez beaucoup, utilisez les boutons de Navigation de feuille situés dans le coin inférieur gauche. Pour supprimer une feuille de calcul inutile: faites un clic droit sur l'onglet de la feuille de calcul à supprimer, sélectionnez l'option Supprimer depuis le menu contextuel. La feuille de calcul sélectionnée sera supprimée à partir du classeur actuel. Pour renommer une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à renommer, sélectionnez l'option Renommer depuis le menu contextuel, saisissez le Nom de feuille dans la fenêtre de dialogue et cliquez sur le bouton OK. Le nom de la feuille de calcul sélectionnée sera modifiée. Pour copier une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Copier depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la copie ou utilisez l'option Copier à la fin pour insérer la feuille de calcul copiée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. La feuille de calcul sélectionnée sera copiée et insérée à l'endroit choisi. Pour déplacer une feuille de calcul: faites un clic droit sur l'onglet de la feuille de calcul à déplacer, sélectionnez l'option Déplacer depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la feuille de calcul sélectionnée ou utilisez l'option Déplacer à la fin pour déplacer la feuille de caclul sélectionnée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. Ou tout simplement faites glisser l'onglet de la feuille de calcul et déposez-le là où vous voulez. La feuille de calcul sélectionnée sera déplacée. Vous pouvez également déplacer une feuille de calcul entre des classeurs manuellement par glisser-déposer. Pour ce faire, sélectionnez la feuille de calcul à déplacer et faites-la glisser vers la barre d’onglets des feuilles dans un autre classeur. Par exemple, vous pouvez glisser une feuille de calcul de l’éditeur en ligne vers l’éditeur de bureau: Dans ce cas-ci, la feuille de calcul dans le classeur d’origine sera supprimée. Si vous avez beaucoup de feuilles de calcul, pour faciliter le travail vous pouvez masquer certains d'entre eux dont vous n'avez pas besoin pour l'instant. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Masquer depuis le menu contextuel. Pour afficher l'onglet de la feuille de calcul masquée, faites un clic droit sur n'importe quel onglet de la feuille, ouvrez la liste Masquée et sélectionnez le nom de la feuille de calcul dont l'onglet vous souhaitez afficher. Pour différencier les feuilles, vous pouvez affecter différentes couleurs aux onglets de la feuille. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à colorer, sélectionnez l'option Couleur d'onglet depuis le menu contextuel. sélectionnez une couleur dans les palettes disponibles Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter: La couleur personnalisée sera appliquée à l'onglet sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu. Vous pouvez travaillez simultanément sur plusieurs feuilles de calcul: sélectionnez la première feuille à inclure dans le groupe, appuyez et maintenez la touche Maj enfoncée pour choisir plusieurs feuilles adjacentes, ou utilisez la touche Ctrl pour choisir les feuilles non adjacentes. faites un clic droit sur un des onglets de feuille choisis pour ouvrir le menu contextuel, sélectionnez l'option convenable du menu: Insérer sert à insérer le même nombre de feuilles de calcul vierges que dans le groupe choisi, Supprimer sert à supprimer toutes les feuilles sélectionnées à la fois (il n'est pas possible de supprimer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Renommer cette option ne s'applique qu'à chaque feuille individuelle, Copier sert à copier toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Déplacer sert à déplacer toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Masquer sert à masquer toutes les feuilles sélectionnées à la fois (il n'est pas possible de masquer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Couleur d'onglet sert à affecter la même couleur à tous les onglets de feuilles à la fois, Sélectionner toutes les feuilles sert à sélectionner toutes les feuilles du classeur actuel, Dissocier les feuilles sert à dissocier les feuilles sélectionnées. Il est aussi possible de dissocier les feuilles en faisant un double clic sur n'importe quel onglet de feuille du groupe ou en cliquant sur l'onglet de feuille qui ne fait pas partie du groupe." + "body": "Par défaut, un classeur nouvellement créé contient une feuille de calcul. Le moyen le plus simple d'en ajouter dans le Tableur une est de cliquer sur le bouton Plus situé à la droite des boutons de Navigation de feuille dans le coin inférieur gauche. Une autre façon d'ajouter une nouvelle feuille est : faites un clic droit sur l'onglet de la feuille de calcul après laquelle vous souhaitez insérer une nouvelle feuille, sélectionnez l'option Insérer depuis le menu contextuel. Une nouvelle feuille de calcul sera insérée après la feuille sélectionnée. Pour activer la feuille requise, utilisez les onglets de la feuille dans le coin inférieur gauche de chaque feuille de calcul. Remarque : pour trouver la feuille que vous cherchez si vous en avez beaucoup, utilisez les boutons de Navigation de feuille situés dans le coin inférieur gauche. Pour supprimer une feuille de calcul inutile : faites un clic droit sur l'onglet de la feuille de calcul à supprimer, sélectionnez l'option Supprimer depuis le menu contextuel. La feuille de calcul sélectionnée sera supprimée à partir du classeur actuel. Pour renommer une feuille de calcul : faites un clic droit sur l'onglet de la feuille de calcul à renommer, sélectionnez l'option Renommer depuis le menu contextuel, saisissez le Nom de feuille dans la fenêtre de dialogue et cliquez sur le bouton OK. Le nom de la feuille de calcul sélectionnée sera modifiée. Pour copier une feuille de calcul : faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Copier depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la copie ou utilisez l'option Copier à la fin pour insérer la feuille de calcul copiée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. ou maintenez la touche CTRL et faites glisser l'onglet de la feuille vers la droite pour le dupliquer et déplacez la copie à l'emplacement nécaissaire. La feuille de calcul sélectionnée sera copiée et insérée à l'endroit choisi. Pour déplacer une feuille de calcul : faites un clic droit sur l'onglet de la feuille de calcul à déplacer, sélectionnez l'option Déplacer depuis le menu contextuel, sélectionnez la feuille de calcul avant laquelle vous souhaitez insérer la feuille de calcul sélectionnée ou utilisez l'option Déplacer à la fin pour déplacer la feuille de caclul sélectionnée après toutes les feuilles existantes, cliquez sur le bouton OK pour confirmer votre choix. Ou tout simplement faites glisser l'onglet de la feuille de calcul et déposez-le là où vous voulez. La feuille de calcul sélectionnée sera déplacée. Vous pouvez également déplacer une feuille de calcul entre des classeurs manuellement par glisser-déposer. Pour ce faire, sélectionnez la feuille de calcul à déplacer et faites-la glisser vers la barre d'onglets des feuilles dans un autre classeur. Par exemple, vous pouvez glisser une feuille de calcul de l'éditeur en ligne vers l'éditeur de bureau : Dans ce cas-ci, la feuille de calcul dans le classeur d'origine sera supprimée. Si vous avez beaucoup de feuilles de calcul, pour faciliter le travail vous pouvez masquer certains d'entre eux dont vous n'avez pas besoin pour l'instant. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à copier, sélectionnez l'option Masquer depuis le menu contextuel. Pour afficher l'onglet de la feuille de calcul masquée, faites un clic droit sur n'importe quel onglet de la feuille, ouvrez la liste Masquée et sélectionnez le nom de la feuille de calcul dont l'onglet vous souhaitez afficher. Pour différencier les feuilles, vous pouvez affecter différentes couleurs aux onglets de la feuille. Pour ce faire, faites un clic droit sur l'onglet de la feuille de calcul à colorer, sélectionnez l'option Couleur d'onglet depuis le menu contextuel. sélectionnez une couleur dans les palettes disponibles Couleurs de thème - les couleurs qui correspondent à la palette de couleurs sélectionnée de la feuille de calcul. Couleurs standard - le jeu de couleurs par défaut. Couleur personnalisée - choisissez cette option si il n'y a pas de couleur nécessaire dans les palettes disponibles. Sélectionnez la gamme de couleurs nécessaire en déplaçant le curseur vertical et définissez la couleur spécifique en faisant glisser le sélecteur de couleur dans le grand champ de couleur carré. Une fois que vous sélectionnez une couleur avec le sélecteur de couleur, les valeurs de couleur appropriées RGB et sRGB seront affichées dans les champs à droite. Vous pouvez également spécifier une couleur sur la base du modèle de couleur RGB en entrant les valeurs numériques nécessaires dans les champs R, G, B (rouge, vert, bleu) ou saisir le code hexadécimal dans le champ sRGB marqué par le signe #. La couleur sélectionnée apparaît dans la case de prévisualisation Nouveau. Si l'objet a déjà été rempli d'une couleur personnalisée, cette couleur sera affichée dans la case Actuel que vous puissiez comparer les couleurs originales et modifiées. Lorsque la couleur est spécifiée, cliquez sur le bouton Ajouter : La couleur personnalisée sera appliquée à l'onglet sélectionné et sera ajoutée dans la palette Couleur personnalisée du menu. Vous pouvez travaillez simultanément sur plusieurs feuilles de calcul : sélectionnez la première feuille à inclure dans le groupe, appuyez et maintenez la touche Shift enfoncée pour choisir plusieurs feuilles adjacentes, ou utilisez la touche Ctrl pour choisir les feuilles non adjacentes. faites un clic droit sur un des onglets de feuille choisis pour ouvrir le menu contextuel, sélectionnez l'option convenable du menu : Insérer sert à insérer le même nombre de feuilles de calcul vierges que dans le groupe choisi, Supprimer sert à supprimer toutes les feuilles sélectionnées à la fois (il n'est pas possible de supprimer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Renommer cette option ne s'applique qu'à chaque feuille individuelle, Copier sert à copier toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Déplacer sert à déplacer toutes les feuilles sélectionnées à la fois et les coller à un endroit précis. Masquer sert à masquer toutes les feuilles sélectionnées à la fois (il n'est pas possible de masquer toutes les feuilles du classeur car un classeur doit contenir au moins une feuille visible), Couleur d'onglet sert à affecter la même couleur à tous les onglets de feuilles à la fois, Sélectionner toutes les feuilles sert à sélectionner toutes les feuilles du classeur actuel, Dissocier les feuilles sert à dissocier les feuilles sélectionnées. Il est aussi possible de dissocier les feuilles en faisant un double clic sur n'importe quel onglet de feuille du groupe ou en cliquant sur l'onglet de feuille qui ne fait pas partie du groupe." }, { "id": "UsageInstructions/ManipulateObjects.htm", "title": "Manipuler des objets", - "body": "Dans Spreadsheet Editor, vous pouvez redimensionner, arranger des formes, des images et des graphiques insérés dans votre classeur. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Redimensionner des objets Pour changer la taille d'une forme automatique/image/graphique, faites glisser les petits carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Remarque : pour redimensionner des graphiques et des images vous pouvez également utiliser la barre latérale droite. Pour l'activer il vous suffit de sélectionner un objet avec la souris. Pour l'ouvrir, cliquez sur l'icône Paramètres du graphique ou Paramètres de l'image à droite. Déplacer des objets Pour modifier la position d'une forme automatique/image/graphique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du glissement. Faire pivoter des objets Pour faire pivoter manuellement une forme automatique/image, placez le curseur de la souris sur la poignée de rotation et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter une forme ou une image de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme ou Paramètres de l'image à droite. Cliquez sur l'un des boutons : pour faire pivoter l’objet de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l’objet de 90 degrés dans le sens des aiguilles d'une montre pour retourner l’objet horizontalement (de gauche à droite) pour retourner l’objet verticalement (à l'envers) Il est également possible de cliquer avec le bouton droit de la souris sur l'image ou la forme, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles. Pour faire pivoter une forme ou une image selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK. Modifier des formes automatiques 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 vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier une forme, vous pouvez également utiliser l'option Modifier les points dans le menu contextuel. Modifier les points sert à personnaliser ou modifier le contour d'une forme. Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer: Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité. Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu. Aligner des objets Pour aligner deux ou plusieurs objets sélectionnés les uns par rapport aux autres, maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'alignement souhaité dans la liste : Aligner à gauche - pour aligner les objets les uns par rapport aux autres par le bord gauche de l'objet le plus à gauche, Aligner au centre - pour aligner les objets l'un par rapport à l'autre par leurs centres, Aligner à droite - pour aligner les objets les uns par rapport aux autres par le bord droit de l'objet le plus à droite, Aligner en haut - pour aligner les objets les uns par rapport aux autres par le bord supérieur de l'objet le plus haut, Aligner au milieu - pour aligner les objets l'un par rapport à l'autre par leur milieu, Aligner en bas - pour aligner les objets les uns par rapport aux autres par le bord inférieur de l'objet le plus bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options d’alignement disponibles. Remarque : les options d'alignement sont désactivées si vous sélectionnez moins de deux objets. Distribuer des objets Pour distribuer horizontalement ou verticalement trois ou plusieurs objets sélectionnés entre deux objets sélectionnés les plus à l'extérieur de manière à ce que la distance égale apparaisse entre eux, cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type de distribution nécessaire dans la liste : Distribuer horizontalement - pour répartir uniformément les objets entre les objets sélectionnés les plus à gauche et les plus à droite. Distribuer verticalement - pour répartir les objets de façon égale entre les objets sélectionnés les plus en haut et les plus en bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options de distribution disponibles. Remarque : les options de distribution sont désactivées si vous sélectionnez moins de trois objets. Grouper plusieurs objets Pour manipuler plusieurs objets à la fois, vous pouvez les grouper. Maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur la flèche à côté de l'icône Grouper dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez l'option voulue depuis la liste : Grouper - pour combiner plusieurs objets de sorte que vous puissiez les faire pivoter, déplacer, redimensionner, aligner, organiser, copier, coller, mettre en forme simultanément comme un objet unique. Dissocier - pour dissocier le groupe sélectionné d'objets préalablement combinés. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Ordonner dans le menu contextuel, puis utiliser l'option Grouper ou Dissocier. Remarque : l'option Grouper est désactivée si vous sélectionnez moins de deux objets. L'option Dégrouper n'est disponible que lorsqu'un groupe des objets précédemment joints est sélectionné. Organiser plusieurs objets Pour organiser l'objet ou les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes Déplacer vers l'avant et Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'ordre voulu dans la liste. Pour déplacer un ou plusieurs objets sélectionnés vers l'avant, cliquez sur la flèche en regard de l'icône Déplacer vers l'avant dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste: Mettre au premier plan pour placer l'objet ou les objets devant tous les autres, Déplacer vers l'avant pour déplacer l'objet ou les objets d'un niveau vers l'avant. Pour déplacer un ou plusieurs objets sélectionnés vers l'arrière, cliquez sur la flèche en regard de l'icône Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste: Mettre en arrière plan pour placer l'objet ou les objets derrière tous les autres, Reculer pour déplacer l'objet ou les objets d'un niveau vers l'arrière. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Organiser dans le menu contextuel, puis utiliser une des options de distribution disponibles." + "body": "Dans le Tableur, vous pouvez redimensionner, arranger des formes, des images et des graphiques insérés dans votre classeur. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Redimensionner des objets Pour changer la taille d'une forme automatique/image/graphique, faites glisser les petits carreaux situés sur les bords de l'objet. Pour garder les proportions de l'objet sélectionné lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Remarque : pour redimensionner des graphiques et des images vous pouvez également utiliser la barre latérale droite. Pour l'activer il vous suffit de sélectionner un objet avec la souris. Pour l'ouvrir, cliquez sur l'icône Paramètres du graphique ou Paramètres de l'image à droite. Déplacer des objets Pour modifier la position d'une forme automatique/image/graphique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'objet. Faites glisser l'objet vers la position nécessaire sans relâcher le bouton de la souris. Pour déplacer l'objet par incrément équivaut à un pixel, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer l'objet strictement à l'horizontale/verticale et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Shift enfoncée lors du glissement. Faire pivoter des objets Pour faire pivoter manuellement une forme automatique/image, placez le curseur de la souris sur la poignée de rotation et faites-la glisser vers la droite ou vers la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Pour faire pivoter une forme ou une image de 90 degrés dans le sens inverse des aiguilles d'une montre/dans le sens des aiguilles d'une montre ou le retourner horizontalement/verticalement, vous pouvez utiliser la section Rotation de la barre latérale droite qui sera activée lorsque vous aurez sélectionné l'objet nécessaire. Pour l'ouvrir, cliquez sur l'icône Paramètres de la forme ou Paramètres de l'image à droite. Cliquez sur l'un des boutons : pour faire pivoter l'objet de 90 degrés dans le sens inverse des aiguilles d'une montre pour faire pivoter l'objet de 90 degrés dans le sens des aiguilles d'une montre pour retourner l'objet horizontalement (de gauche à droite) pour retourner l'objet verticalement (à l'envers) Il est également possible de cliquer avec le bouton droit de la souris sur l'image ou la forme, de choisir l'option Faire pivoter dans le menu contextuel, puis d'utiliser une des options de rotation disponibles. Pour faire pivoter une forme ou une image selon un angle exactement spécifié, cliquez sur le lien Afficher les paramètres avancés dans la barre latérale droite et utilisez l'onglet Rotation de la fenêtre Paramètres avancés. Spécifiez la valeur nécessaire mesurée en degrés dans le champ Angle et cliquez sur OK. Modifier des formes automatiques 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 vous permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier une forme, vous pouvez également utiliser l'option Modifier les points dans le menu contextuel. Modifier les points sert à personnaliser ou modifier le contour d'une forme. Pour activer les points d'ancrage modifiables, faites un clic droit sur la forme et sélectionnez Modifier les points dans le menu. Les carrés noirs qui apparaissent sont les points de rencontre entre deux lignes et la ligne rouge trace le contour de la forme. Cliquez sur l'un de ces points et faites-le glisser pour repositionner et modifier le contour de la forme. Lorsque vous cliquez sur le point d'ancrage, deux lignes bleus avec des carrés blanches apparaissent. Ce sont les points de contrôle Bézier permettant de créer une courbe et de modifier la finesse de la courbe. Autant que les points d'ancrage sont actifs, vous pouvez les modifier et supprimer : Pour ajouter un point de contrôle à une forme, maintenez la touche Ctrl enfoncée et cliquez sur l'emplacement du point de contrôle souhaité. Pour supprimer un point, maintenez la touche Ctrl enfoncée et cliquez sur le point superflu. Aligner des objets Pour aligner deux ou plusieurs objets sélectionnés les uns par rapport aux autres, maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'alignement souhaité dans la liste : Aligner à gauche - pour aligner les objets les uns par rapport aux autres par le bord gauche de l'objet le plus à gauche, Aligner au centre - pour aligner les objets l'un par rapport à l'autre par leurs centres, Aligner à droite - pour aligner les objets les uns par rapport aux autres par le bord droit de l'objet le plus à droite, Aligner en haut - pour aligner les objets les uns par rapport aux autres par le bord supérieur de l'objet le plus haut, Aligner au milieu - pour aligner les objets l'un par rapport à l'autre par leur milieu, Aligner en bas - pour aligner les objets les uns par rapport aux autres par le bord inférieur de l'objet le plus bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options d'alignement disponibles. Remarque  : les options d'alignement sont désactivées si vous sélectionnez moins de deux objets. Distribuer des objets Pour distribuer horizontalement ou verticalement trois ou plusieurs objets sélectionnés entre deux objets sélectionnés les plus à l'extérieur de manière à ce que la distance égale apparaisse entre eux, cliquez sur l'icône Aligner dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type de distribution nécessaire dans la liste : Distribuer horizontalement - pour répartir uniformément les objets entre les objets sélectionnés les plus à gauche et les plus à droite. Distribuer verticalement - pour répartir les objets de façon égale entre les objets sélectionnés les plus en haut et les plus en bas. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Aligner dans le menu contextuel, puis utiliser une des options de distribution disponibles. Remarque  : les options de distribution sont désactivées si vous sélectionnez moins de trois objets. Grouper plusieurs objets Pour manipuler plusieurs objets à la fois, vous pouvez les grouper. Maintenez la touche Ctrl enfoncée tout en sélectionnant les objets avec la souris, puis cliquez sur la flèche à côté de l'icône Grouper dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez l'option voulue depuis la liste : Grouper - pour combiner plusieurs objets de sorte que vous puissiez les faire pivoter, déplacer, redimensionner, aligner, organiser, copier, coller, mettre en forme simultanément comme un objet unique. Dissocier - pour dissocier le groupe sélectionné d'objets préalablement combinés. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Ordonner dans le menu contextuel, puis utiliser l'option Grouper ou Dissocier. Remarque  : l'option Grouper est désactivée si vous sélectionnez moins de deux objets. L'option Dégrouper n'est disponible que lorsqu'un groupe des objets précédemment joints est sélectionné. Organiser plusieurs objets Pour organiser l'objet ou les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes Déplacer vers l'avant et Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'ordre voulu dans la liste. Pour déplacer un ou plusieurs objets sélectionnés vers l'avant, cliquez sur la flèche en regard de l'icône Déplacer vers l'avant dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste : Mettre au premier plan pour placer l'objet ou les objets devant tous les autres, Déplacer vers l'avant pour déplacer l'objet ou les objets d'un niveau vers l'avant. Pour déplacer un ou plusieurs objets sélectionnés vers l'arrière, cliquez sur la flèche en regard de l'icône Envoyer vers l'arrière dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'organisation appropriée dans la liste : Mettre en arrière plan pour placer l'objet ou les objets derrière tous les autres, Reculer pour déplacer l'objet ou les objets d'un niveau vers l'arrière. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Organiser dans le menu contextuel, puis utiliser une des options de distribution disponibles." }, { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "Fonctionnalités de correction automatique", - "body": "Les fonctionnalités de correction automatique ONLYOFFICE Spreadsheet Editor fournissent des options pour définir les éléments à mettre en forme automatiquement ou insérer des symboles mathématiques à remplacer les caractères reconnus. Toutes les options sont disponibles dans la boîte de dialogue appropriée. Pour y accéder, passez à l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification-> Correction automatique. La boîte de dialogue Correction automatique comprend trois onglets: AutoMaths, Fonctions reconnues et Mise en forme automatique au cours de la frappe. AutoMaths Lorsque vous travailler dans l'éditeur d'équations, vous pouvez insérer plusieurs symboles, accents et opérateurs mathématiques en tapant sur clavier plutôt que de les rechercher dans la bibliothèque. Dans l'éditeur d'équations, placez le point d'insertion dans l'espace réservé et tapez le code de correction mathématique, puis touchez la Barre d'espace. Le code que vous avez saisi, serait converti en symbole approprié mais l'espace est supprimé. Remarque: Les codes sont sensibles à la casse Vous pouvez ajouter, modifier, rétablir et supprimer les éléments de la liste de corrections automatiques. Passez à l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification-> Correction automatique -> AutoMaths. Ajoutez un élément à la liste de corrections automatiques. Saisissez le code de correction automatique dans la zone Remplacer. Saisissez le symbole que vous souhaitez attribuer au code approprié dans la zone Par. Cliquez sur Ajouter. Modifier un élément de la liste de corrections automatiques. Sélectionnez l'élément à modifier. Vous pouvez modifier les informations dans toutes les deux zones: le code dans la zone Remplacer et le symbole dans la zone Par. Cliquez sur Remplacer. Supprimer les éléments de la liste de corrections automatiques. Sélectionnez l'élément que vous souhaitez supprimer de la liste. Cliquez sur Supprimer. Pour rétablir les éléments supprimés, sélectionnez l'élément que vous souhaitez rétablir dans la liste et appuyez sur Restaurer. Utilisez l'option Rétablir paramètres par défaut pour réinitialiser les réglages par défaut. Tous les éléments que vous avez ajouté, seraient supprimés et toutes les modifications seraient annulées pour rétablir sa valeur d'origine. Pour désactiver la correction automatique mathématique et éviter les changements et les remplacements automatiques, il faut décocher la case Remplacer le texte au cours de la frappe. Le tableau ci-dessous affiche tous le codes disponibles dans Spreadsheet Editor à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier dans lesParamètres avancés... -> Vérification de l'orthographe-> Vérification Les codes disponibles Code Symbole Catégorie !! Symboles ... Dots :: Opérateurs := Opérateurs /< Opérateurs relationnels /> Opérateurs relationnels /= Opérateurs relationnels \\above Indices et exposants \\acute Accentuation \\aleph Lettres hébraïques \\alpha Lettres grecques \\Alpha Lettres grecques \\amalg Opérateurs binaires \\angle Notation de géométrie \\aoint Intégrales \\approx Opérateurs relationnels \\asmash Flèches \\ast Opérateurs binaires \\asymp Opérateurs relationnels \\atop Opérateurs \\bar Trait suscrit/souscrit \\Bar Accentuation \\because Opérateurs relationnels \\begin Séparateurs \\below Indices et exposants \\bet Lettres hébraïques \\beta Lettres grecques \\Beta Lettres grecques \\beth Lettres hébraïques \\bigcap Grands opérateurs \\bigcup Grands opérateurs \\bigodot Grands opérateurs \\bigoplus Grands opérateurs \\bigotimes Grands opérateurs \\bigsqcup Grands opérateurs \\biguplus Grands opérateurs \\bigvee Grands opérateurs \\bigwedge Grands opérateurs \\binomial Équations \\bot Notations logiques \\bowtie Opérateurs relationnels \\box Symboles \\boxdot Opérateurs binaires \\boxminus Opérateurs binaires \\boxplus Opérateurs binaires \\bra Séparateurs \\break Symboles \\breve Accentuation \\bullet Opérateurs binaires \\cap Opérateurs binaires \\cbrt Racine carrée et radicaux \\cases Symboles \\cdot Opérateurs binaires \\cdots Dots \\check Accentuation \\chi Lettres grecques \\Chi Lettres grecques \\circ Opérateurs binaires \\close Séparateurs \\clubsuit Symboles \\coint Intégrales \\cong Opérateurs relationnels \\coprod Opérateurs mathématiques \\cup Opérateurs binaires \\dalet Lettres hébraïques \\daleth Lettres hébraïques \\dashv Opérateurs relationnels \\dd Lettres avec double barres \\Dd Lettres avec double barres \\ddddot Accentuation \\dddot Accentuation \\ddot Accentuation \\ddots Dots \\defeq Opérateurs relationnels \\degc Symboles \\degf Symboles \\degree Symboles \\delta Lettres grecques \\Delta Lettres grecques \\Deltaeq Opérateurs \\diamond Opérateurs binaires \\diamondsuit Symboles \\div Opérateurs binaires \\dot Accentuation \\doteq Opérateurs relationnels \\dots Dots \\doublea Lettres avec double barres \\doubleA Lettres avec double barres \\doubleb Lettres avec double barres \\doubleB Lettres avec double barres \\doublec Lettres avec double barres \\doubleC Lettres avec double barres \\doubled Lettres avec double barres \\doubleD Lettres avec double barres \\doublee Lettres avec double barres \\doubleE Lettres avec double barres \\doublef Lettres avec double barres \\doubleF Lettres avec double barres \\doubleg Lettres avec double barres \\doubleG Lettres avec double barres \\doubleh Lettres avec double barres \\doubleH Lettres avec double barres \\doublei Lettres avec double barres \\doubleI Lettres avec double barres \\doublej Lettres avec double barres \\doubleJ Lettres avec double barres \\doublek Lettres avec double barres \\doubleK Lettres avec double barres \\doublel Lettres avec double barres \\doubleL Lettres avec double barres \\doublem Lettres avec double barres \\doubleM Lettres avec double barres \\doublen Lettres avec double barres \\doubleN Lettres avec double barres \\doubleo Lettres avec double barres \\doubleO Lettres avec double barres \\doublep Lettres avec double barres \\doubleP Lettres avec double barres \\doubleq Lettres avec double barres \\doubleQ Lettres avec double barres \\doubler Lettres avec double barres \\doubleR Lettres avec double barres \\doubles Lettres avec double barres \\doubleS Lettres avec double barres \\doublet Lettres avec double barres \\doubleT Lettres avec double barres \\doubleu Lettres avec double barres \\doubleU Lettres avec double barres \\doublev Lettres avec double barres \\doubleV Lettres avec double barres \\doublew Lettres avec double barres \\doubleW Lettres avec double barres \\doublex Lettres avec double barres \\doubleX Lettres avec double barres \\doubley Lettres avec double barres \\doubleY Lettres avec double barres \\doublez Lettres avec double barres \\doubleZ Lettres avec double barres \\downarrow Flèches \\Downarrow Flèches \\dsmash Flèches \\ee Lettres avec double barres \\ell Symboles \\emptyset Ensemble de notations \\emsp Caractères d'espace \\end Séparateurs \\ensp Caractères d'espace \\epsilon Lettres grecques \\Epsilon Lettres grecques \\eqarray Symboles \\equiv Opérateurs relationnels \\eta Lettres grecques \\Eta Lettres grecques \\exists Notations logiques \\forall Notations logiques \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Opérateurs relationnels \\funcapply Opérateurs binaires \\G Lettres grecques \\gamma Lettres grecques \\Gamma Lettres grecques \\ge Opérateurs relationnels \\geq Opérateurs relationnels \\gets Flèches \\gg Opérateurs relationnels \\gimel Lettres hébraïques \\grave Accentuation \\hairsp Caractères d'espace \\hat Accentuation \\hbar Symboles \\heartsuit Symboles \\hookleftarrow Flèches \\hookrightarrow Flèches \\hphantom Flèches \\hsmash Flèches \\hvec Accentuation \\identitymatrix Matrices \\ii Lettres avec double barres \\iiint Intégrales \\iint Intégrales \\iiiint Intégrales \\Im Symboles \\imath Symboles \\in Opérateurs relationnels \\inc Symboles \\infty Symboles \\int Intégrales \\integral Intégrales \\iota Lettres grecques \\Iota Lettres grecques \\itimes Opérateurs mathématiques \\j Symboles \\jj Lettres avec double barres \\jmath Symboles \\kappa Lettres grecques \\Kappa Lettres grecques \\ket Séparateurs \\lambda Lettres grecques \\Lambda Lettres grecques \\langle Séparateurs \\lbbrack Séparateurs \\lbrace Séparateurs \\lbrack Séparateurs \\lceil Séparateurs \\ldiv Barres obliques \\ldivide Barres obliques \\ldots Dots \\le Opérateurs relationnels \\left Séparateurs \\leftarrow Flèches \\Leftarrow Flèches \\leftharpoondown Flèches \\leftharpoonup Flèches \\leftrightarrow Flèches \\Leftrightarrow Flèches \\leq Opérateurs relationnels \\lfloor Séparateurs \\lhvec Accentuation \\limit Limites \\ll Opérateurs relationnels \\lmoust Séparateurs \\Longleftarrow Flèches \\Longleftrightarrow Flèches \\Longrightarrow Flèches \\lrhar Flèches \\lvec Accentuation \\mapsto Flèches \\matrix Matrices \\medsp Caractères d'espace \\mid Opérateurs relationnels \\middle Symboles \\models Opérateurs relationnels \\mp Opérateurs binaires \\mu Lettres grecques \\Mu Lettres grecques \\nabla Symboles \\naryand Opérateurs \\nbsp Caractères d'espace \\ne Opérateurs relationnels \\nearrow Flèches \\neq Opérateurs relationnels \\ni Opérateurs relationnels \\norm Séparateurs \\notcontain Opérateurs relationnels \\notelement Opérateurs relationnels \\notin Opérateurs relationnels \\nu Lettres grecques \\Nu Lettres grecques \\nwarrow Flèches \\o Lettres grecques \\O Lettres grecques \\odot Opérateurs binaires \\of Opérateurs \\oiiint Intégrales \\oiint Intégrales \\oint Intégrales \\omega Lettres grecques \\Omega Lettres grecques \\ominus Opérateurs binaires \\open Séparateurs \\oplus Opérateurs binaires \\otimes Opérateurs binaires \\over Séparateurs \\overbar Accentuation \\overbrace Accentuation \\overbracket Accentuation \\overline Accentuation \\overparen Accentuation \\overshell Accentuation \\parallel Notation de géométrie \\partial Symboles \\pmatrix Matrices \\perp Notation de géométrie \\phantom Symboles \\phi Lettres grecques \\Phi Lettres grecques \\pi Lettres grecques \\Pi Lettres grecques \\pm Opérateurs binaires \\pppprime Nombres premiers \\ppprime Nombres premiers \\pprime Nombres premiers \\prec Opérateurs relationnels \\preceq Opérateurs relationnels \\prime Nombres premiers \\prod Opérateurs mathématiques \\propto Opérateurs relationnels \\psi Lettres grecques \\Psi Lettres grecques \\qdrt Racine carrée et radicaux \\quadratic Racine carrée et radicaux \\rangle Séparateurs \\Rangle Séparateurs \\ratio Opérateurs relationnels \\rbrace Séparateurs \\rbrack Séparateurs \\Rbrack Séparateurs \\rceil Séparateurs \\rddots Dots \\Re Symboles \\rect Symboles \\rfloor Séparateurs \\rho Lettres grecques \\Rho Lettres grecques \\rhvec Accentuation \\right Séparateurs \\rightarrow Flèches \\Rightarrow Flèches \\rightharpoondown Flèches \\rightharpoonup Flèches \\rmoust Séparateurs \\root Symboles \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Barres obliques \\sdivide Barres obliques \\searrow Flèches \\setminus Opérateurs binaires \\sigma Lettres grecques \\Sigma Lettres grecques \\sim Opérateurs relationnels \\simeq Opérateurs relationnels \\smash Flèches \\smile Opérateurs relationnels \\spadesuit Symboles \\sqcap Opérateurs binaires \\sqcup Opérateurs binaires \\sqrt Racine carrée et radicaux \\sqsubseteq Ensemble de notations \\sqsuperseteq Ensemble de notations \\star Opérateurs binaires \\subset Ensemble de notations \\subseteq Ensemble de notations \\succ Opérateurs relationnels \\succeq Opérateurs relationnels \\sum Opérateurs mathématiques \\superset Ensemble de notations \\superseteq Ensemble de notations \\swarrow Flèches \\tau Lettres grecques \\Tau Lettres grecques \\therefore Opérateurs relationnels \\theta Lettres grecques \\Theta Lettres grecques \\thicksp Caractères d'espace \\thinsp Caractères d'espace \\tilde Accentuation \\times Opérateurs binaires \\to Flèches \\top Notations logiques \\tvec Flèches \\ubar Accentuation \\Ubar Accentuation \\underbar Accentuation \\underbrace Accentuation \\underbracket Accentuation \\underline Accentuation \\underparen Accentuation \\uparrow Flèches \\Uparrow Flèches \\updownarrow Flèches \\Updownarrow Flèches \\uplus Opérateurs binaires \\upsilon Lettres grecques \\Upsilon Lettres grecques \\varepsilon Lettres grecques \\varphi Lettres grecques \\varpi Lettres grecques \\varrho Lettres grecques \\varsigma Lettres grecques \\vartheta Lettres grecques \\vbar Séparateurs \\vdash Opérateurs relationnels \\vdots Dots \\vec Accentuation \\vee Opérateurs binaires \\vert Séparateurs \\Vert Séparateurs \\Vmatrix Matrices \\vphantom Flèches \\vthicksp Caractères d'espace \\wedge Opérateurs binaires \\wp Symboles \\wr Opérateurs binaires \\xi Lettres grecques \\Xi Lettres grecques \\zeta Lettres grecques \\Zeta Lettres grecques \\zwnj Caractères d'espace \\zwsp Caractères d'espace ~= Opérateurs relationnels -+ Opérateurs binaires +- Opérateurs binaires << Opérateurs relationnels <= Opérateurs relationnels -> Flèches >= Opérateurs relationnels >> Opérateurs relationnels Fonctions reconnues Sous cet onglet, vous pouvez trouver les expressions mathématiques que l'éditeur d'équations reconnait comme les fonctions et lesquelles ne seront pas mises en italique automatiquement. Pour accéder à la liste de fonctions reconnues, passez à l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification-> Correction automatique -> Fonctions reconnues. Pour ajouter un élément à la liste de fonctions reconnues, saisissez la fonction dans le champ vide et appuyez sur Ajouter. Pour supprimer un élément de la liste de fonctions reconnues, sélectionnez la fonction à supprimer et appuyez sur Supprimer. Pour rétablir les éléments supprimés, sélectionnez l'élément que vous souhaitez rétablir dans la liste et appuyez sur Restaurer. Utilisez l'option Rétablir paramètres par défaut pour réinitialiser les réglages par défaut. Toutes les fonctions que vous avez ajoutées, seraient supprimées et celles qui ont été supprimées, seraient rétablies. Mise en forme automatique au cours de la frappe Par défaut, l'éditeur remplace des chemins d'accès à réseau et à Internet par des liens hypertexte lorsque vous saisissez les données dans une cellule. L'éditeur aussi inclut les nouvelles lignes et colonnes dans le tableau lorsque vous saisissez des nouvelles données dans la ligne au-dessous du tableaux ou dans la colonne à côté de celui-ci. Si vous souhaitez désactiver l'une des options de mise en forme automatique, désactivez la case à cocher de l'élément pour lequel vous ne souhaitez pas de mise en forme automatique sous l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification-> Correction automatique -> Mise en forme automatique au cours de la frappe" + "body": "Les fonctionnalités de correction automatique dans l'Éditeur de feuilles de calcul ONLYOFFICE fournissent des options pour définir les éléments à mettre en forme automatiquement ou insérer des symboles mathématiques à remplacer les caractères reconnus. Toutes les options sont disponibles dans la boîte de dialogue appropriée. Pour y accéder, passez à l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Correction automatique. La boîte de dialogue Correction automatique comprend trois onglets : AutoMaths, Fonctions reconnues et Mise en forme automatique au cours de la frappe. AutoMaths Lorsque vous travailler dans l'éditeur d'équations, vous pouvez insérer plusieurs symboles, accents et opérateurs mathématiques en tapant sur clavier plutôt que de les rechercher dans la bibliothèque. Dans l'éditeur d'équations, placez le point d'insertion dans l'espace réservé et tapez le code de correction mathématique, puis touchez la Barre d'espace. Le code que vous avez saisi, serait converti en symbole approprié mais l'espace est supprimé. Remarque : Les codes sont sensibles à la casse Vous pouvez ajouter, modifier, rétablir et supprimer les éléments de la liste de corrections automatiques. Passez à l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Correction automatique -> AutoMaths. Ajoutez un élément à la liste de corrections automatiques. Saisissez le code de correction automatique dans la zone Remplacer. Saisissez le symbole que vous souhaitez attribuer au code approprié dans la zone Par. Cliquez sur Ajouter. Modifier un élément de la liste de corrections automatiques. Sélectionnez l'élément à modifier. Vous pouvez modifier les informations dans toutes les deux zones : le code dans la zone Remplacer et le symbole dans la zone Par. Cliquez sur Remplacer. Supprimer les éléments de la liste de corrections automatiques. Sélectionnez l'élément que vous souhaitez supprimer de la liste. Cliquez sur Supprimer. Pour rétablir les éléments supprimés, sélectionnez l'élément que vous souhaitez rétablir dans la liste et appuyez sur Restaurer. Utilisez l'option Rétablir paramètres par défaut pour réinitialiser les réglages par défaut. Tous les éléments que vous avez ajouté, seraient supprimés et toutes les modifications seraient annulées pour rétablir sa valeur d'origine. Pour désactiver la correction automatique mathématique et éviter les changements et les remplacements automatiques, il faut décocher la case Remplacer le texte au cours de la frappe. Le tableau ci-dessous affiche tous le codes disponibles dans le Tableur à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier dans les Paramètres avancés... -> Vérification de l'orthographe -> Vérification Les codes disponibles Code Symbole Catégorie !! Symboles ... Dots :: Opérateurs := Opérateurs /< Opérateurs relationnels /> Opérateurs relationnels /= Opérateurs relationnels \\above Indices et exposants \\acute Accentuation \\aleph Lettres hébraïques \\alpha Lettres grecques \\Alpha Lettres grecques \\amalg Opérateurs binaires \\angle Notation de géométrie \\aoint Intégrales \\approx Opérateurs relationnels \\asmash Flèches \\ast Opérateurs binaires \\asymp Opérateurs relationnels \\atop Opérateurs \\bar Trait suscrit/souscrit \\Bar Accentuation \\because Opérateurs relationnels \\begin Séparateurs \\below Indices et exposants \\bet Lettres hébraïques \\beta Lettres grecques \\Beta Lettres grecques \\beth Lettres hébraïques \\bigcap Grands opérateurs \\bigcup Grands opérateurs \\bigodot Grands opérateurs \\bigoplus Grands opérateurs \\bigotimes Grands opérateurs \\bigsqcup Grands opérateurs \\biguplus Grands opérateurs \\bigvee Grands opérateurs \\bigwedge Grands opérateurs \\binomial Équations \\bot Notations logiques \\bowtie Opérateurs relationnels \\box Symboles \\boxdot Opérateurs binaires \\boxminus Opérateurs binaires \\boxplus Opérateurs binaires \\bra Séparateurs \\break Symboles \\breve Accentuation \\bullet Opérateurs binaires \\cap Opérateurs binaires \\cbrt Racine carrée et radicaux \\cases Symboles \\cdot Opérateurs binaires \\cdots Dots \\check Accentuation \\chi Lettres grecques \\Chi Lettres grecques \\circ Opérateurs binaires \\close Séparateurs \\clubsuit Symboles \\coint Intégrales \\cong Opérateurs relationnels \\coprod Opérateurs mathématiques \\cup Opérateurs binaires \\dalet Lettres hébraïques \\daleth Lettres hébraïques \\dashv Opérateurs relationnels \\dd Lettres avec double barres \\Dd Lettres avec double barres \\ddddot Accentuation \\dddot Accentuation \\ddot Accentuation \\ddots Dots \\defeq Opérateurs relationnels \\degc Symboles \\degf Symboles \\degree Symboles \\delta Lettres grecques \\Delta Lettres grecques \\Deltaeq Opérateurs \\diamond Opérateurs binaires \\diamondsuit Symboles \\div Opérateurs binaires \\dot Accentuation \\doteq Opérateurs relationnels \\dots Dots \\doublea Lettres avec double barres \\doubleA Lettres avec double barres \\doubleb Lettres avec double barres \\doubleB Lettres avec double barres \\doublec Lettres avec double barres \\doubleC Lettres avec double barres \\doubled Lettres avec double barres \\doubleD Lettres avec double barres \\doublee Lettres avec double barres \\doubleE Lettres avec double barres \\doublef Lettres avec double barres \\doubleF Lettres avec double barres \\doubleg Lettres avec double barres \\doubleG Lettres avec double barres \\doubleh Lettres avec double barres \\doubleH Lettres avec double barres \\doublei Lettres avec double barres \\doubleI Lettres avec double barres \\doublej Lettres avec double barres \\doubleJ Lettres avec double barres \\doublek Lettres avec double barres \\doubleK Lettres avec double barres \\doublel Lettres avec double barres \\doubleL Lettres avec double barres \\doublem Lettres avec double barres \\doubleM Lettres avec double barres \\doublen Lettres avec double barres \\doubleN Lettres avec double barres \\doubleo Lettres avec double barres \\doubleO Lettres avec double barres \\doublep Lettres avec double barres \\doubleP Lettres avec double barres \\doubleq Lettres avec double barres \\doubleQ Lettres avec double barres \\doubler Lettres avec double barres \\doubleR Lettres avec double barres \\doubles Lettres avec double barres \\doubleS Lettres avec double barres \\doublet Lettres avec double barres \\doubleT Lettres avec double barres \\doubleu Lettres avec double barres \\doubleU Lettres avec double barres \\doublev Lettres avec double barres \\doubleV Lettres avec double barres \\doublew Lettres avec double barres \\doubleW Lettres avec double barres \\doublex Lettres avec double barres \\doubleX Lettres avec double barres \\doubley Lettres avec double barres \\doubleY Lettres avec double barres \\doublez Lettres avec double barres \\doubleZ Lettres avec double barres \\downarrow Flèches \\Downarrow Flèches \\dsmash Flèches \\ee Lettres avec double barres \\ell Symboles \\emptyset Ensemble de notations \\emsp Caractères d'espace \\end Séparateurs \\ensp Caractères d'espace \\epsilon Lettres grecques \\Epsilon Lettres grecques \\eqarray Symboles \\equiv Opérateurs relationnels \\eta Lettres grecques \\Eta Lettres grecques \\exists Notations logiques \\forall Notations logiques \\fraktura Fraktur \\frakturA Fraktur \\frakturb Fraktur \\frakturB Fraktur \\frakturc Fraktur \\frakturC Fraktur \\frakturd Fraktur \\frakturD Fraktur \\frakture Fraktur \\frakturE Fraktur \\frakturf Fraktur \\frakturF Fraktur \\frakturg Fraktur \\frakturG Fraktur \\frakturh Fraktur \\frakturH Fraktur \\frakturi Fraktur \\frakturI Fraktur \\frakturk Fraktur \\frakturK Fraktur \\frakturl Fraktur \\frakturL Fraktur \\frakturm Fraktur \\frakturM Fraktur \\frakturn Fraktur \\frakturN Fraktur \\frakturo Fraktur \\frakturO Fraktur \\frakturp Fraktur \\frakturP Fraktur \\frakturq Fraktur \\frakturQ Fraktur \\frakturr Fraktur \\frakturR Fraktur \\frakturs Fraktur \\frakturS Fraktur \\frakturt Fraktur \\frakturT Fraktur \\frakturu Fraktur \\frakturU Fraktur \\frakturv Fraktur \\frakturV Fraktur \\frakturw Fraktur \\frakturW Fraktur \\frakturx Fraktur \\frakturX Fraktur \\fraktury Fraktur \\frakturY Fraktur \\frakturz Fraktur \\frakturZ Fraktur \\frown Opérateurs relationnels \\funcapply Opérateurs binaires \\G Lettres grecques \\gamma Lettres grecques \\Gamma Lettres grecques \\ge Opérateurs relationnels \\geq Opérateurs relationnels \\gets Flèches \\gg Opérateurs relationnels \\gimel Lettres hébraïques \\grave Accentuation \\hairsp Caractères d'espace \\hat Accentuation \\hbar Symboles \\heartsuit Symboles \\hookleftarrow Flèches \\hookrightarrow Flèches \\hphantom Flèches \\hsmash Flèches \\hvec Accentuation \\identitymatrix Matrices \\ii Lettres avec double barres \\iiint Intégrales \\iint Intégrales \\iiiint Intégrales \\Im Symboles \\imath Symboles \\in Opérateurs relationnels \\inc Symboles \\infty Symboles \\int Intégrales \\integral Intégrales \\iota Lettres grecques \\Iota Lettres grecques \\itimes Opérateurs mathématiques \\j Symboles \\jj Lettres avec double barres \\jmath Symboles \\kappa Lettres grecques \\Kappa Lettres grecques \\ket Séparateurs \\lambda Lettres grecques \\Lambda Lettres grecques \\langle Séparateurs \\lbbrack Séparateurs \\lbrace Séparateurs \\lbrack Séparateurs \\lceil Séparateurs \\ldiv Barres obliques \\ldivide Barres obliques \\ldots Dots \\le Opérateurs relationnels \\left Séparateurs \\leftarrow Flèches \\Leftarrow Flèches \\leftharpoondown Flèches \\leftharpoonup Flèches \\leftrightarrow Flèches \\Leftrightarrow Flèches \\leq Opérateurs relationnels \\lfloor Séparateurs \\lhvec Accentuation \\limit Limites \\ll Opérateurs relationnels \\lmoust Séparateurs \\Longleftarrow Flèches \\Longleftrightarrow Flèches \\Longrightarrow Flèches \\lrhar Flèches \\lvec Accentuation \\mapsto Flèches \\matrix Matrices \\medsp Caractères d'espace \\mid Opérateurs relationnels \\middle Symboles \\models Opérateurs relationnels \\mp Opérateurs binaires \\mu Lettres grecques \\Mu Lettres grecques \\nabla Symboles \\naryand Opérateurs \\nbsp Caractères d'espace \\ne Opérateurs relationnels \\nearrow Flèches \\neq Opérateurs relationnels \\ni Opérateurs relationnels \\norm Séparateurs \\notcontain Opérateurs relationnels \\notelement Opérateurs relationnels \\notin Opérateurs relationnels \\nu Lettres grecques \\Nu Lettres grecques \\nwarrow Flèches \\o Lettres grecques \\O Lettres grecques \\odot Opérateurs binaires \\of Opérateurs \\oiiint Intégrales \\oiint Intégrales \\oint Intégrales \\omega Lettres grecques \\Omega Lettres grecques \\ominus Opérateurs binaires \\open Séparateurs \\oplus Opérateurs binaires \\otimes Opérateurs binaires \\over Séparateurs \\overbar Accentuation \\overbrace Accentuation \\overbracket Accentuation \\overline Accentuation \\overparen Accentuation \\overshell Accentuation \\parallel Notation de géométrie \\partial Symboles \\pmatrix Matrices \\perp Notation de géométrie \\phantom Symboles \\phi Lettres grecques \\Phi Lettres grecques \\pi Lettres grecques \\Pi Lettres grecques \\pm Opérateurs binaires \\pppprime Nombres premiers \\ppprime Nombres premiers \\pprime Nombres premiers \\prec Opérateurs relationnels \\preceq Opérateurs relationnels \\prime Nombres premiers \\prod Opérateurs mathématiques \\propto Opérateurs relationnels \\psi Lettres grecques \\Psi Lettres grecques \\qdrt Racine carrée et radicaux \\quadratic Racine carrée et radicaux \\rangle Séparateurs \\Rangle Séparateurs \\ratio Opérateurs relationnels \\rbrace Séparateurs \\rbrack Séparateurs \\Rbrack Séparateurs \\rceil Séparateurs \\rddots Dots \\Re Symboles \\rect Symboles \\rfloor Séparateurs \\rho Lettres grecques \\Rho Lettres grecques \\rhvec Accentuation \\right Séparateurs \\rightarrow Flèches \\Rightarrow Flèches \\rightharpoondown Flèches \\rightharpoonup Flèches \\rmoust Séparateurs \\root Symboles \\scripta Scripts \\scriptA Scripts \\scriptb Scripts \\scriptB Scripts \\scriptc Scripts \\scriptC Scripts \\scriptd Scripts \\scriptD Scripts \\scripte Scripts \\scriptE Scripts \\scriptf Scripts \\scriptF Scripts \\scriptg Scripts \\scriptG Scripts \\scripth Scripts \\scriptH Scripts \\scripti Scripts \\scriptI Scripts \\scriptk Scripts \\scriptK Scripts \\scriptl Scripts \\scriptL Scripts \\scriptm Scripts \\scriptM Scripts \\scriptn Scripts \\scriptN Scripts \\scripto Scripts \\scriptO Scripts \\scriptp Scripts \\scriptP Scripts \\scriptq Scripts \\scriptQ Scripts \\scriptr Scripts \\scriptR Scripts \\scripts Scripts \\scriptS Scripts \\scriptt Scripts \\scriptT Scripts \\scriptu Scripts \\scriptU Scripts \\scriptv Scripts \\scriptV Scripts \\scriptw Scripts \\scriptW Scripts \\scriptx Scripts \\scriptX Scripts \\scripty Scripts \\scriptY Scripts \\scriptz Scripts \\scriptZ Scripts \\sdiv Barres obliques \\sdivide Barres obliques \\searrow Flèches \\setminus Opérateurs binaires \\sigma Lettres grecques \\Sigma Lettres grecques \\sim Opérateurs relationnels \\simeq Opérateurs relationnels \\smash Flèches \\smile Opérateurs relationnels \\spadesuit Symboles \\sqcap Opérateurs binaires \\sqcup Opérateurs binaires \\sqrt Racine carrée et radicaux \\sqsubseteq Ensemble de notations \\sqsuperseteq Ensemble de notations \\star Opérateurs binaires \\subset Ensemble de notations \\subseteq Ensemble de notations \\succ Opérateurs relationnels \\succeq Opérateurs relationnels \\sum Opérateurs mathématiques \\superset Ensemble de notations \\superseteq Ensemble de notations \\swarrow Flèches \\tau Lettres grecques \\Tau Lettres grecques \\therefore Opérateurs relationnels \\theta Lettres grecques \\Theta Lettres grecques \\thicksp Caractères d'espace \\thinsp Caractères d'espace \\tilde Accentuation \\times Opérateurs binaires \\to Flèches \\top Notations logiques \\tvec Flèches \\ubar Accentuation \\Ubar Accentuation \\underbar Accentuation \\underbrace Accentuation \\underbracket Accentuation \\underline Accentuation \\underparen Accentuation \\uparrow Flèches \\Uparrow Flèches \\updownarrow Flèches \\Updownarrow Flèches \\uplus Opérateurs binaires \\upsilon Lettres grecques \\Upsilon Lettres grecques \\varepsilon Lettres grecques \\varphi Lettres grecques \\varpi Lettres grecques \\varrho Lettres grecques \\varsigma Lettres grecques \\vartheta Lettres grecques \\vbar Séparateurs \\vdash Opérateurs relationnels \\vdots Dots \\vec Accentuation \\vee Opérateurs binaires \\vert Séparateurs \\Vert Séparateurs \\Vmatrix Matrices \\vphantom Flèches \\vthicksp Caractères d'espace \\wedge Opérateurs binaires \\wp Symboles \\wr Opérateurs binaires \\xi Lettres grecques \\Xi Lettres grecques \\zeta Lettres grecques \\Zeta Lettres grecques \\zwnj Caractères d'espace \\zwsp Caractères d'espace ~= Opérateurs relationnels -+ Opérateurs binaires +- Opérateurs binaires << Opérateurs relationnels <= Opérateurs relationnels -> Flèches >= Opérateurs relationnels >> Opérateurs relationnels Fonctions reconnues Sous cet onglet, vous pouvez trouver les expressions mathématiques que l'éditeur d'équations reconnait comme les fonctions et lesquelles ne seront pas mises en italique automatiquement. Pour accéder à la liste de fonctions reconnues, passez à l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Correction automatique -> Fonctions reconnues. Pour ajouter un élément à la liste de fonctions reconnues, saisissez la fonction dans le champ vide et appuyez sur Ajouter. Pour supprimer un élément de la liste de fonctions reconnues, sélectionnez la fonction à supprimer et appuyez sur Supprimer. Pour rétablir les éléments supprimés, sélectionnez l'élément que vous souhaitez rétablir dans la liste et appuyez sur Restaurer. Utilisez l'option Rétablir paramètres par défaut pour réinitialiser les réglages par défaut. Toutes les fonctions que vous avez ajoutées, seraient supprimées et celles qui ont été supprimées, seraient rétablies. Mise en forme automatique au cours de la frappe Par défaut, l'éditeur remplace des chemins d'accès à réseau et à Internet par des liens hypertexte lorsque vous saisissez les données dans une cellule. L'éditeur aussi inclut les nouvelles lignes et colonnes dans le tableau lorsque vous saisissez des nouvelles données dans la ligne au-dessous du tableaux ou dans la colonne à côté de celui-ci. Si vous souhaitez désactiver l'une des options de mise en forme automatique, désactivez la case à cocher de l'élément pour lequel vous ne souhaitez pas de mise en forme automatique sous l'onglet Fichier -> Paramètres avancés -> Vérification de l'orthographe -> Vérification -> Correction automatique -> Mise en forme automatique au cours de la frappe" }, { "id": "UsageInstructions/MergeCells.htm", - "title": "Fusionner des cellules", - "body": "Dans Spreadsheet Editor, vous pouvez fusionner deux ou plusieurs cellules adjacentes en une seule. Pour le faire, sélectionnez deux cellules ou une plage de cellules avec la souris,Remarque : les cellules sélectionnées DOIVENT être adjacentes. cliquez sur l'icône Fusionner située dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez une des options disponibles :Remarque : ce ne sont que les données dans la cellule supérieure gauche de la plage sélectionnée qui seront gardées dans la cellule fusionnée. Les données de toutes les autres cellules de la plage sélectionnée seront supprimées. si vous sélectionnez l'option Fusionner et centrer les cellules de la plage sélectionnée seront fusionnées et les données seront centrées dans les cellules fusionnées ; si vous sélectionnez l'option Fusionner, les cellules de chaque ligne de la plage sélectionnée seront fusionnées et les données seront alignées à gauche (du texte) ou à droite (des valeurs numériques); si vous sélectionnez l'option Fusionner les cellules, les cellules de la plage sélectionnée seront fusionnées et les données seront alignées à gauche (du texte) ou à droite (des valeurs numériques); Pour fractionner la cellule fusionnée utilisez l'option Annuler fusion des cellules depuis la liste déroulante Fusionner. Les données de la cellule fusionnée seront affichées dans la cellule supérieure gauche." + "title": "Fusionner les cellules", + "body": "Lorsque vous avez besoin de fusionner des cellules afin de mieux positionner votre texte (par exemple, le nom du tableau ou un long fragment de texte dans le tableau), utilisez l'outil Fusionner du Tableur ONLYOFFICE. Type 1. Fusionner et centrer Cliquez sur la cellule au début de la plage nécessaire, maintenez le bouton gauche de la souris et faites glisser jusqu'à ce que vous sélectionniez la plage de cellules dont vous avez besoin. Les cellules sélectionnées doivent être adjacentes. Seulement les données de la cellule supérieure gauche de la plage sélectionnée seront conservées dans la cellule fusionnée. Les données des autres cellules de la plage sélectionnée seront supprimées. Passez à l'onglet Accueil et cliquez sur l'icône Fusionner et centrer . Type 2. Fusionner Cliquez sur la cellule au début de la plage nécessaire, maintenez le bouton gauche de la souris et faites glisser jusqu'à ce que vous sélectionniez la plage de cellules dont vous avez besoin. Passez à l'onglet Accueil et cliquez sur la flèche à côté de l'icône Fusionner et centrer pour ouvrir un menu déroulant. Choisissez l'option Fusionner pour aligner le texte à gauche et conserver les lignes sans les fusionner. Type 3. Fusionner les cellules Cliquez sur la cellule au début de la plage nécessaire, maintenez le bouton gauche de la souris et faites glisser jusqu'à ce que vous sélectionniez la plage de cellules dont vous avez besoin. Passez à l'onglet Accueil et cliquez sur la flèche à côté de l'icône Fusionner et centrer pour ouvrir un menu déroulant. Choisissez l'option Fusionner les cellules pour conserver l'alignement préréglé. Annuler fusion des cellules Cliquez sur la zone fusionnée. Passez à l'onglet Accueil et cliquez sur la flèche à côté de l'icône Fusionner et centrer pour ouvrir un menu déroulant. Choisissez l'option Annuler fusion des cellules pour ramener les cellules à leur état d'origine." }, { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Créer un nouveau classeur ou ouvrir un classeur existant", - "body": "Dans Spreadsheet Editor, vous pouvez ouvrir une feuille de calcul modifiée récemment, créer une nouvelle feuille de calcul ou revenir à la liste des feuilles de calcul existantes.. Pour créer une nouvelle feuille de calcul Dans la version en ligne cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Créer nouveau. Dans l’éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Feuille de calcul dans la section Créer nouveau de la barre latérale gauche - un nouveau fichier s'ouvrira dans un nouvel onglet, une fois tous les changements nécessaires effectués, cliquez sur l'icône Enregistrer dans le coin supérieur gauche ou passez à l'onglet Fichier et choisissez l'élément de menu Enregistrer sous. dans la fenêtre du gestionnaire de fichiers, sélectionnez l'emplacement du fichier, spécifiez son nom, choisissez le format dans lequel vous souhaitez enregistrer la feuille de calcul (XLSX, Modèle de feuille de calcul (XLTX), ODS, OTS, CSV, PDF ou PDFA) et cliquez sur le bouton Enregistrer. Pour ouvrir un document existant Dans l’éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Ouvrir fichier local dans la barre latérale gauche, choisissez la feuille de calcul nécessaire dans la fenêtre du gestionnaire de fichiers et cliquez sur le bouton Ouvrir. Vous pouvez également cliquer avec le bouton droit de la souris sur la feuille de calcul nécessaire dans la fenêtre du gestionnaire de fichiers, sélectionner l'option Ouvrir avec et choisir l'application nécessaire dans le menu. Si les fichiers de documents Office sont associés à l'application, vous pouvez également ouvrir les feuilles de calcul en double-cliquant sur le nom du fichier dans la fenêtre d'exploration de fichiers. Tous les répertoires auxquels vous avez accédé à l'aide de l'éditeur de bureau seront affichés dans la liste Dossiers récents afin que vous puissiez y accéder rapidement. Cliquez sur le dossier nécessaire pour sélectionner l'un des fichiers qui y sont stockés. Pour ouvrir une feuille de calcul récemment modifiée Dans la version en ligne cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Ouvrir récent, choisissez la feuille de calcul dont vous avez besoin dans la liste des documents récemment édités. Dans l’éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Fichiers récents dans la barre latérale gauche, choisissez la feuille de calcul dont vous avez besoin dans la liste des documents récemment édités. Pour ouvrir le dossier dans lequel le fichier est stocké dans un nouvel onglet du navigateur de la version en ligne, dans la fenêtre de l'explorateur de fichiers de la version de bureau, cliquez sur l'icône Ouvrir l’emplacement du fichier à droite de l'en-tête de l'éditeur. Vous pouvez aussi passer à l'onglet Fichier sur la barre d'outils supérieure et sélectionner l'option Ouvrir l’emplacement du fichier." + "body": "Dans le Tableur, vous pouvez ouvrir une feuille de calcul modifiée récemment, créer une nouvelle feuille de calcul ou revenir à la liste des feuilles de calcul existantes.. Pour créer une nouvelle feuille de calcul Dans la version en ligne cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Créer nouveau. Dans l'éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Feuille de calcul dans la section Créer nouveau de la barre latérale gauche - un nouveau fichier s'ouvrira dans un nouvel onglet, une fois tous les changements nécessaires effectués, cliquez sur l'icône Enregistrer dans le coin supérieur gauche ou passez à l'onglet Fichier et choisissez l'élément de menu Enregistrer sous. dans la fenêtre du gestionnaire de fichiers, sélectionnez l'emplacement du fichier, spécifiez son nom, choisissez le format dans lequel vous souhaitez enregistrer la feuille de calcul (XLSX, Modèle de feuille de calcul (XLTX), ODS, OTS, CSV, PDF ou PDFA) et cliquez sur le bouton Enregistrer. Pour ouvrir un document existant Dans l'éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Ouvrir fichier local dans la barre latérale gauche, choisissez la feuille de calcul nécessaire dans la fenêtre du gestionnaire de fichiers et cliquez sur le bouton Ouvrir. Vous pouvez également cliquer avec le bouton droit de la souris sur la feuille de calcul nécessaire dans la fenêtre du gestionnaire de fichiers, sélectionner l'option Ouvrir avec et choisir l'application nécessaire dans le menu. Si les fichiers de documents Office sont associés à l'application, vous pouvez également ouvrir les feuilles de calcul en double-cliquant sur le nom du fichier dans la fenêtre d'exploration de fichiers. Tous les répertoires auxquels vous avez accédé à l'aide de l'éditeur de bureau seront affichés dans la liste Dossiers récents afin que vous puissiez y accéder rapidement. Cliquez sur le dossier nécessaire pour sélectionner l'un des fichiers qui y sont stockés. Pour ouvrir une feuille de calcul récemment modifiée Dans la version en ligne cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Ouvrir récent..., choisissez la feuille de calcul dont vous avez besoin dans la liste des documents récemment édités. Dans l'éditeur de bureau dans la fenêtre principale du programme, sélectionnez l'élément de menu Fichiers récents dans la barre latérale gauche, choisissez la feuille de calcul dont vous avez besoin dans la liste des documents récemment édités. Pour renommer une feuille de calcul ouverte Dans l'éditeur en ligne cliquez sur le nom de la feuille de calcul en haut de la page, saisissez un nouveau nom de feuille de calcul, cliquez sur Enter afin d'accepter les modifications. Pour ouvrir le dossier dans lequel le fichier est stocké dans un nouvel onglet du navigateur de la version en ligne, dans la fenêtre de l'explorateur de fichiers de la version de bureau, cliquez sur l'icône Ouvrir l'emplacement du fichier à droite de l'en-tête de l'éditeur. Vous pouvez aussi passer à l'onglet Fichier sur la barre d'outils supérieure et sélectionner l'option Ouvrir l'emplacement du fichier." }, { "id": "UsageInstructions/Password.htm", "title": "Protéger un classeur avec un mot de passe", - "body": "Vous pouvez contrôler l'accès à vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il y a deux façons de protéger votre classeur par un mot de passe: depuis l'onglet Protection ou depuis l'onglet Fichier. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe depuis l'onglet Protection. passez à l'onglet Protection et cliquez sur l'icône Chiffrer. dans la fenêtre Définir un mot de passe qui s'affiche, saisissez et confirmer le mot de passe que vous allez utilisez pour accéder à votre fichier. Cliquez sur OK pour valider.. le bouton Chiffrer de la barre d'outils supérieure affiche une flèche lorsque le fichier est chiffré. Cliquez la flèche si vous souhaitez modifier ou supprimer le mot de passe. Modifier le mot de passe passez à l'onglet Protection de la barre d'outils supérieure, cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante, saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Supprimer le mot de passe passez à l'onglet Protection de la barre d'outils supérieure, cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante, Définir un mot de passe depuis l'onglet Fichier. passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer un mot de passe." + "body": "Vous pouvez contrôler l'accès à vos classeurs avec un mot de passe afin que tous les coauteurs puissent d'accéder en mode d'édition. On peut modifier ou supprimer le mot de passe, le cas échéant. Il y a deux façons de protéger votre classeur par un mot de passe : depuis l'onglet Protection ou depuis l'onglet Fichier. Il n'est pas possible de réinitialiser un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Définir un mot de passe depuis l'onglet Protection. passez à l'onglet Protection et cliquez sur l'icône Chiffrer. dans la fenêtre Définir un mot de passe qui s'affiche, saisissez et confirmer le mot de passe que vous allez utilisez pour accéder à votre fichier. Cliquez sur OK pour valider.. le bouton Chiffrer de la barre d'outils supérieure affiche une flèche lorsque le fichier est chiffré. Cliquez la flèche si vous souhaitez modifier ou supprimer le mot de passe. Modifier le mot de passe passez à l'onglet Protection de la barre d'outils supérieure, cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante, saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK.Cliquez sur pour afficher pi masquer les caractèrs du mot de passe lors de la saisie. Supprimer le mot de passe passez à l'onglet Protection de la barre d'outils supérieure, cliquez sur le bouton Chiffrer et sélectionnez l'option Modifier le mot de passe de la liste déroulante, Définir un mot de passe depuis l'onglet Fichier. passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Ajouter un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Modifier le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Modifier un mot de passe. saisissez le mot de passe dans le champ Mot de passe et validez-le dans le champ Confirmez le mot de passe au-dessous, ensuite cliquez sur OK. Supprimer le mot de passe passez à l'onglet Fichier de la barre d'outils supérieure, choisissez l'option Protéger, cliquez sur le bouton Supprimer un mot de passe." }, { "id": "UsageInstructions/PhotoEditor.htm", "title": "Modification d'une image", - "body": "ONLYOFFICE Spreadsheet Editor dispose d'un éditeur de photos puissant qui permet aux utilisateurs d'appliquer divers effets de filtre à vos images et de faire les différents types d'annotations. Sélectionnez une image incorporée dans votre feuille de calcul. Passez à l'onglet Plugins et choisissez Photo Editor. Vous êtes dans l'environnement de traitement des images. Au-dessous de l'image il y a les cases à cocher et les filtres en curseur suivants: Niveaux de gris, Sépia 1, Sépia 2, Flou, Embosser, Inverser, Affûter; Enlever les blancs (Seuil, Distance), Transparence des dégradés, Brillance, Bruit, Pixélateur, Filtre de couleur; Teinte, Multiplication, Mélange. Au-dessous, les filtres dont vous pouvez accéder avec les boutons Annuler, Rétablir et Remettre à zéro; Supprimer, Supprimer tout; Rogner (Personnalisé, Carré, 3:2, 4:3, 5:4, 7:5, 16:9); Retournement (Retourner X, Retourner Y, Remettre à zéro); Rotation (à 30 degrés, -30 degrés, Gamme); Dessiner (Libre, Direct, Couleur, Gamme); Forme (Rectangle, Cercle, Triangle, Remplir, Trait, Largeur du trait); Icône (Flèches, Étoiles, Polygone, Emplacement, Cœur, Bulles, Icône personnalisée, Couleur); Texte (Gras, Italique, Souligné, Gauche, Centre, Droite, Couleur, Taille de texte); Masque. N'hésitez pas à les essayer tous et rappelez-vous que vous pouvez annuler les modifications à tout moment. Une fois que vous avez terminé, cliquez sur OK. Maintenant l'image modifiée est insérée dans votre feuille de calcul." + "body": "Éditeur de feuilles de calcul ONLYOFFICE dispose d'un éditeur de photos puissant qui permet aux utilisateurs d'appliquer divers effets de filtre à vos images et de faire les différents types d'annotations. Sélectionnez une image incorporée dans votre feuille de calcul. Passez à l'onglet Plugins et choisissez Photo Editor. Vous êtes dans l'environnement de traitement des images. Au-dessous de l'image il y a les cases à cocher et les filtres en curseur suivants : Niveaux de gris, Sépia 1, Sépia 2, Flou, Embosser, Inverser, Affûter ; Enlever les blancs (Seuil, Distance), Transparence des dégradés, Brillance, Bruit, Pixélateur, Filtre de couleur ; Teinte, Multiplication, Mélange. Au-dessous, les filtres dont vous pouvez accéder avec les boutons Annuler, Rétablir et Remettre à zéro ; Supprimer, Supprimer tout ; Rogner (Personnalisé, Carré, 3:2, 4:3, 5:4, 7:5, 16:9) ; Retournement (Retourner X, Retourner Y, Remettre à zéro) ; Rotation (à 30 degrés, -30 degrés, Gamme) ; Dessiner (Libre, Direct, Couleur, Gamme) ; Forme (Rectangle, Cercle, Triangle, Remplir, Trait, Largeur du trait) ; Icône (Flèches, Étoiles, Polygone, Emplacement, Cœur, Bulles, Icône personnalisée, Couleur) ; Texte (Gras, Italique, Souligné, Gauche, Centre, Droite, Couleur, Taille de texte) ; Masque. N'hésitez pas à les essayer tous et rappelez-vous que vous pouvez annuler les modifications à tout moment. Une fois que vous avez terminé, cliquez sur OK. Maintenant l'image modifiée est insérée dans votre feuille de calcul." }, { "id": "UsageInstructions/PivotTables.htm", "title": "Créer et éditer les tableaux croisés dynamiques", - "body": "Les tableaux croisés dynamiques vous permet de grouper et organiser de vastes ensembles de données pour présenter des données de synthèse. Dans Spreadsheet Editor vous pouvez réorganiser les données de plusieurs façons pour n'afficher que les informations importantes et pour se concentrer uniquement sur les aspects importants. Créer un nouveau tableau croisé dynamique Pour créer un tableau croisé dynamique, Préparez l'ensemble de données sources à partir duquel vous voulez créer un tableau croisé dynamique. Ceux-ci doivent comprendre les en-têtes. L'ensemble de données ne peut pas comprendre les lignes ou les colonnes vides. Sélectionnez une cellule appartenant à la plage de données sources. Passez à l'onglet Tableau croisé dynamique dans la barre d'outils supérieure et cliquez sur l'icône Insérer un tableau . Si vous voulez créer un tableau croisé dynamique basé sur une tableau mis en forme, vous pouvez aussi utiliser l'option Insérer un tableau croisé dynamique sous l'onglet Paramètres du tableau dans la barre latérale droite. Une fenêtre Créer un tableau croisé dynamique apparaîtra. La Ligne de données de la source est déjà spécifié. Dans ce cas, toutes le données sources sont utilisées. Si vous voulez modifier la plage de données (par exemple, à inclure seulement une part de données), cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. Choisissez l'emplacement du tableau croisé dynamique. La valeur par défaut est Nouvelle feuille de calcul. Votre tableau croisé dynamique sera créé dans une feuille de calcul nouvelle. Vous pouvez également sélectionner l'élément Feuille de calcul existante et choisir la cellule. Dans ce cas, c'est la cellule supérieure droite du tableau croisé dynamique créé. Pour sélectionner la cellule, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez l'adresse de la cellule sous le format suivant: Sheet1!$G$2. Vous pouvez également sélectionner la cellule nécessaire dans votre feuille. Cliquez OK pour confirmer. Une fois l'emplacement du tableau croisé dynamique est choisi, cliquez sur OK dans la fenêtre Créer un tableau croisé dynamique. Le tableau croisé dynamique vide est inséré selon l'emplacement choisi. L'onglet Paramètres du tableau croisé dynamique s'ouvre sur la barre latérale droite. Cliquez sur l'icône pour masquer ou afficher cet onglet. Sélectionner les champs à afficher La section Sélectionner les champs à afficher comprend les champs dénommés comme les en-têtes de colonnes dans l'ensemble de votre données sources. Chaque champ contient les valeurs de la colonne correspondante du tableau source. Les sections disponibles: Filtres, Colonnes, Lignes et Valeurs. Pour afficher un champ à votre tableau croisé dynamique, activez la case à cocher du nom de champ. Lorsque vous activez une case à cocher, le champ correspondant à cette case est ajouté à une des sections disponibles sur la barre latérale droite en fonction du type de données et est affiché dans le tableau croisé dynamique. Les champs de type texte sont ajoutés à Lignes; les champs numériques sont ajoutés à Valeurs. Faites glisser les champs directement dans les sections voulues ou faites glisser les champs d'une section dans l'autre pour les réorganiser dans votre tableau croisé dynamique rapidement. Pour supprimer un champ dans une section, faites-le glisser en dehors de cette section. Pour ajouter un champ à une section, on peut aussi cliquer sur la flèche noire à droite du champ et choisir l'option appropriée dans le menu de la section Sélectionner les champs: Déplacer vers les filtres, Déplacer vers les lignes, Déplacer vers les colonnes, Déplacer vers les valeurs. Ci-dessous, vous pouvez découvrir quelques exemples d'utilisation des sections Filtres, Colonnes, Lignes et Valeurs. Lorsque un champ est ajouté à Filtres, un filtre de rapport apparaisse au-dessus du tableau croisé dynamique. Celui-ci est appliqué au tableau croisé dynamique entier. Si vous cliquer sur la flèche de filtre ajouté, vous pouvez voir toutes les valeurs du champ choisi. Lorsque vous désactivez quelques valeurs parmi les options de filtre et appuyez sur OK, celles-ci ne sont pas affichées dans le tableau croisé dynamique. Quand vous ajoutez un champ à Colonnes, le nombre de colonnes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La colonne Total général est aussi ajoutée. Quand vous ajoutez un champ à Lignes, le nombre de lignes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La ligne Total général est aussi ajoutée. Quand vous ajoutez un champ à Valeurs, le tableau croisé dynamique affiche la somme de toutes les valeurs numériques du champ choisi. Si votre champ contient des valeurs texte, la somme ne s'affiche pas. Vous pouvez choisir une autre fonction de synthèse dans les paramètres du champ. Réorganiser les champs et configurer les paramètres Une foi les champs ajoutés aux sections appropriées, vous pouvez les gérer pour modifier la mise en page et la mise en forme du tableau croisé dynamique. Cliquez sur la flèche noire à droit du champ dans les sections Filtres, Colonnes, Lignes et Valeurs pour afficher le menu contextuel du champ. Ce menu vous permet: Déplacer le champ sélectionné: Monter, Descendre, Aller au début, ou Déplacer vers le fin de la section actuelle si vous avez ajouté plusieurs champs. Déplacer le champ vers une autre section - Filtres, Colonnes, Lignes ou Valeurs. L'option déjà appliquée à la section actuelle sera désactivée. Supprimer le champ sélectionné de la section actuelle. Configurer les paramètres du champ choisi. Les options Filtres, Colonnes, Lignes et Valeurs semblent similaires: L'onglet Disposition comprend les options suivantes: L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. L'option Formulaire de rapport vous permet de modifier la présentation du champ choisi dans le tableau croisé dynamique: Utiliser l'un des formulaires disponibles à présenter le champ choisi dans le tableau croisé dynamique. Formulaire Tabulaire affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Formulaire Contour affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Ce formulaire permet aussi d'afficher les sous-totaux en haut de chaque groupe. Formulaire Compact affiche les éléments de champs de section de ligne différents dans une colonne. Répéter les étiquettes des éléments sur chaque ligne permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Insérer une ligne vide après chaque élément permet d'insérer une ligne vide après les éléments du champ choisi. Afficher les sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux pour le champ choisi. Vous pouvez choisir parmi les options suivantes: Afficher en haut du groupe ou Afficher en bas du groupe. Afficher les éléments sans données permet d'afficher ou de masquer les éléments de ligne qui ne contiennent pas de valeurs dans le champ choisi. Sous l'onglet Sous-totaux vous pouvez choisir les Fonctions pour sous-totaux. Cochez une des fonctions disponibles dans la liste: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Paramètres du champ Valeurs L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. Résumer les valeurs du champ par permet de choisir la fonction à utiliser pour calculer la somme des valeurs pour toutes les valeurs de ce champ. Par défaut, la fonction Somme est utilisée pour les champs de valeurs numériques, et la fonction Total est utilisée pour les valeurs de texte. Les fonctions disponibles: Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Grouper et dissocier des données Il est possible de grouper les données d'un tableau croisé dynamique selon des critères personnalisés. La fonctionnalité de groupage est disponible pour les dates et les nombres simples. Grouper les dates Pour grouper les dates, créez un tableau croisé dynamique comprenant l'ensemble de dates en question. Cliquez avec le bouton droit sur l'une des cellules comprenant une date dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - la première date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le début. Fin à - la dernière date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le fin. Par - on peut grouper les dates par Secondes, Minutes et Heures selon l'heure spécifiée dans les données sources. L'option Mois enlève les jours et maintient uniquement les mois. L'option Quartiers fonctionne à la condition que quatre mois est un quartier, alors on fournit Qtr1, Qtr2, etc. L'option Années groupe les dates selon les années spécifiées dans les données source. Vous pouvez combiner plusieurs options pour obtenir le résultat souhaité, Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période. Cliquez sur OK pour valider. Grouper des nombres Pour grouper les nombres, créez un tableau croisé dynamique comprenant l'ensemble de nombres en question. Cliquez avec le bouton droit sur l'une des cellules comprenant un nombre dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - le plus petit nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus petit nombre. Fin à - le plus grand nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus grand nombre. Par - définissez l'intervalle pour grouper des numéros: Ex., “2” va grouper l'ensemble de numéros de 1 à 10 comme “1-2”, “3-4”, etc. Cliquez sur OK pour valider. Dissocier des données Pour dissocier des données groupées, cliquez avec le bouton droit sur une cellule du groupe, sélectionnez l'option Dissocier dans le menu contextuel. Modifier la disposition d'un tableau croisé dynamique Vous pouvez utiliser les options disponibles dans la barre d'outils supérieure pour modifier le format du tableau croisé dynamique. Ces paramètres sont appliquées au tableau croisé dynamique entier. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Dans la liste déroulante Mise en page du rapport choisissez la forme à afficher pour votre tableau croisé dynamique. Afficher sous forme compacte - pour afficher les éléments de champs de section de ligne différents dans une colonne. Afficher sous forme de plan - pour présenter les données dans le style de tableau croisé dynamique classique. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Elle permet aussi d'afficher les sous-totaux en haut de chaque groupe. Afficher sous forme de tableau - pour présenter les données dans un format de tableau traditionnel. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Répéter les étiquettes de tous les éléments - permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Ne pas répéter toutes les étiquettes d'éléments - permet de masquer les étiquettes d'élément pour plusieurs champs affichés sous forme tabulaire. La liste déroulante Lignes vides permet d'afficher les lignes vides après chaque élément: Insérer une ligne vide après chaque élément - permet d'insérer une ligne vide après les éléments. Supprimer la ligne vide après chaque élément - permet de supprimer les lignes vides ajoutées. La liste déroulante Sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux dans le tableau croisé dynamique. Ne pas afficher les sous-totaux - permet de masquer les sou-totaux pour tous éléments. Afficher les sous-totaux au bas du groupe - permet d'afficher les sous-totaux au-dessous des lignes résumées. Afficher les sous-totaux en haut du groupe - permet d'afficher les sous-totaux au-dessus des lignes résumées. La liste déroulante Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Désactivé pour les lignes et les colonnes - permet de masquer les totaux généraux pour les lignes et les colonnes. Activé pour les lignes et les colonnes - permet d'afficher les totaux généraux pour les lignes et les colonnes. Activé pour les lignes uniquement - permet d'afficher les totaux généraux seulement pour les lignes. Activé pour les colonnes uniquement - permet d'afficher les totaux généraux seulement pour les colonnes. Remarque: les options similaires sont aussi disponibles parmi les paramètres avancés du tableau croisé dynamique dans la section Grand totaux sous l'onglet Nom et disposition. Le bouton Sélectionner tableau croisé dynamique complet permet de sélectionner le tableau croisé dynamique entier. Quand vous avez modifié l'ensemble de données sources, sélectionnez le tableau croisé dynamique et cliquez sur le bouton Actualiser pour mettre à jour le tableau croisé dynamique. Modifier le style d'un tableau croisé dynamique Vous pouvez modifier la présentation du tableau croisé dynamique dans une feuille de calcul en utilisant les outils d'édition dans la barre d'outils supérieure. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Les sections lignes et colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles: En-têtes de ligne - permet de mettre en évidence les en-têtes de ligne avec un formatage spécial. En-têtes de colonne - permet de mettre en évidence les en-têtes de colonne avec un formatage spécial. Lignes en bandes - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Colonnes en bandes - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires.. La liste des modèles vous permet de choisir l'un des styles de tableaux croisés prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections lignes et/ou colonnes, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché les options En-têtes de ligne et Colonnes en bandes, la liste des modèles affichés inclurait uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées. Filtrer, trier et insérer des segments dans des tableaux croisées dynamiques Vous pouvez filtrez les tableaux croisé dynamique par étiquettes ou valeurs aussi que utiliser les options de tri supplémentaires. Filtrage Cliquez sur la flèche déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. La liste des options de Filtrage s'affiche: Configurez les paramètres du filtre. Procédez d'une des manières suivantes: sélectionnez les données à afficher ou filtrez les données selon certains critères. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtrage sont triées par ordre croissant. Remarque: la case à cocher (vide) correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ, les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles: Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtrage pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre étiquette ou le Filtre de valeur dans la partie droite de la liste d'options de Filtrage, puis sélectionner l'une des options dans le sous-menu: Pour le Filtre étiquette les options suivantes sont disponibles: Pour texte: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas... Pour nombres: Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre. Pour le Filtre de valeur, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre, Les 10 premiers. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers), la fenêtre Filtre étiquette/de valeur s'ouvre. Le critère correspondant sera sélectionné dans la première ou secondaire liste déroulante. Spécifiez la valeur nécessaire dans le champ situé à droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de valeur, une nouvelle fenêtre s'ouvrira: La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément, Pour cent ou Somme. La quatrième liste déroulante affiche le nom du champ choisi. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Le bouton de Filtrage s'affiche dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. Cela signifie que le filtre est appliqué. Tri Vous pouvez effectuer le tri des données du tableau croisé dynamique en utilisant les options de tri. Cliquez sur la flèche de la liste déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique et sélectionnez Trier du plus bas au plus élevé ou Trier du plus élevé au plus bas dans le sous-menu. Les Options de tri supplémentaires vous permettent d'ouvrir la fenêtre et choisir une option de tri: Ordre croissant ou Ordre décroissant, et puis spécifier le champ à trier. Insérer des segments Vous pouvez insérer des segments pour filtrer facilement les données et sélectionner les éléments que vous voulez afficher. Pour en savoir plus sur les segments, veuillez consulter le guide de création des segments. Configurer les paramètres avancés du tableau croisé dynamique Pour configurer les paramètres avancés du tableau croisé dynamique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau croisé dynamique - Paramètres avancés, s'ouvre: Sous l'onglet Nom et disposition vous pouvez configurer les paramètres communs du tableau croisé dynamique. L'option Nom permet de modifier le nom du tableau croisé dynamique. La section Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Les options Afficher pour les lignes et Afficher pour les colonnes sont activées par défaut. Vous pouvez les désactiver toutes les deux ou décocher la case appropriée pour masquer les certains grand totaux du tableau croisé dynamique. Remarque: les options similaires sont aussi disponibles sur le menu Grands Totaux dans la barre d'outils en haut. La section Afficher les champs dans la zone de filtre du rapport permet de configurer les filtres dans la section Filtres quand vous les y ajoutez: L'option Vers le bas, puis à droite s'utilise pour organiser les colonnes. Celle-ci vous permet d'afficher des filtres du rapport pour la colonne. L'option À droite, puis vers le bas s'utilise pour organiser les lignes. Celle-ci vous permet d'afficher des filtres du rapport pour la ligne. L'option Afficher les champs de filtre de rapport par colonne sélectionnez le nombre de filtres à afficher pour chaque colonne. La valeur par défaut est 0. Vous pouvez régler la valeur numérique. La section En-têtes des champs permet d'afficher ou de ne pas afficher les en-têtes de champ dans le tableau croisé dynamique. L'option Afficher les en-têtes des champs pour les lignes et les colonnes est activée par défaut. Décochez-la pour masquer les en-têtes de champ du tableau croisé dynamique. Sous l'onglet La source de données vous pouvez modifier les données à utiliser pour créer le tableau croisé dynamique. Vérifiez la Plage de données et modifiez-la si nécessaire. Pour ce faire, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant: Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau croisé dynamique. Supprimer le tableau croisé dynamique Pour supprimer un tableau croisé dynamique, sélectionnez le tableau croisé dynamique entier en utilisant le bouton Sélectionner dans la barre d'outils supérieure. Appuyez sur la touche de Suppression." + "body": "Les tableaux croisés dynamiques vous permet de grouper et organiser de vastes ensembles de données pour présenter des données de synthèse. Dans le Tableur vous pouvez réorganiser les données de plusieurs façons pour n'afficher que les informations importantes et pour se concentrer uniquement sur les aspects importants. Créer un nouveau tableau croisé dynamique Pour créer un tableau croisé dynamique, Préparez l'ensemble de données sources à partir duquel vous voulez créer un tableau croisé dynamique. Ceux-ci doivent comprendre les en-têtes. L'ensemble de données ne peut pas comprendre les lignes ou les colonnes vides. Sélectionnez une cellule appartenant à la plage de données sources. Passez à l'onglet Tableau croisé dynamique dans la barre d'outils supérieure et cliquez sur l'icône Insérer un tableau . Si vous voulez créer un tableau croisé dynamique basé sur une tableau mis en forme, vous pouvez aussi utiliser l'option Insérer un tableau croisé dynamique sous l'onglet Paramètres du tableau dans la barre latérale droite. Une fenêtre Créer un tableau croisé dynamique apparaîtra. La Ligne de données de la source est déjà spécifié. Dans ce cas, toutes le données sources sont utilisées. Si vous voulez modifier la plage de données (par exemple, à inclure seulement une part de données), cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant : Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. Choisissez l'emplacement du tableau croisé dynamique. La valeur par défaut est Nouvelle feuille de calcul. Votre tableau croisé dynamique sera créé dans une feuille de calcul nouvelle. Vous pouvez également sélectionner l'élément Feuille de calcul existante et choisir la cellule. Dans ce cas, c'est la cellule supérieure droite du tableau croisé dynamique créé. Pour sélectionner la cellule, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez l'adresse de la cellule sous le format suivant : Sheet1!$G$2. Vous pouvez également sélectionner la cellule nécessaire dans votre feuille. Cliquez OK pour confirmer. Une fois l'emplacement du tableau croisé dynamique est choisi, cliquez sur OK dans la fenêtre Créer un tableau croisé dynamique. Le tableau croisé dynamique vide est inséré selon l'emplacement choisi. L'onglet Paramètres du tableau croisé dynamique s'ouvre sur la barre latérale droite. Cliquez sur l'icône pour masquer ou afficher cet onglet. Sélectionner les champs à afficher La section Sélectionner les champs à afficher comprend les champs dénommés comme les en-têtes de colonnes dans l'ensemble de votre données sources. Chaque champ contient les valeurs de la colonne correspondante du tableau source. Les sections disponibles : Filtres, Colonnes, Lignes et Valeurs. Pour afficher un champ à votre tableau croisé dynamique, activez la case à cocher du nom de champ. Lorsque vous activez une case à cocher, le champ correspondant à cette case est ajouté à une des sections disponibles sur la barre latérale droite en fonction du type de données et est affiché dans le tableau croisé dynamique. Les champs de type texte sont ajoutés à Lignes ; les champs numériques sont ajoutés à Valeurs. Faites glisser les champs directement dans les sections voulues ou faites glisser les champs d'une section dans l'autre pour les réorganiser dans votre tableau croisé dynamique rapidement. Pour supprimer un champ dans une section, faites-le glisser en dehors de cette section. Pour ajouter un champ à une section, on peut aussi cliquer sur la flèche noire à droite du champ et choisir l'option appropriée dans le menu de la section Sélectionner les champs : Déplacer vers les filtres, Déplacer vers les lignes, Déplacer vers les colonnes, Déplacer vers les valeurs. Ci-dessous, vous pouvez découvrir quelques exemples d'utilisation des sections Filtres, Colonnes, Lignes et Valeurs. Lorsque un champ est ajouté à Filtres, un filtre de rapport apparaisse au-dessus du tableau croisé dynamique. Celui-ci est appliqué au tableau croisé dynamique entier. Si vous cliquer sur la flèche de filtre ajouté, vous pouvez voir toutes les valeurs du champ choisi. Lorsque vous désactivez quelques valeurs parmi les options de filtre et appuyez sur OK, celles-ci ne sont pas affichées dans le tableau croisé dynamique. Quand vous ajoutez un champ à Colonnes, le nombre de colonnes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La colonne Total général est aussi ajoutée. Quand vous ajoutez un champ à Lignes, le nombre de lignes dans le tableau croisé dynamique correspond au nombre de valeurs du champ choisi. La ligne Total général est aussi ajoutée. Quand vous ajoutez un champ à Valeurs, le tableau croisé dynamique affiche la somme de toutes les valeurs numériques du champ choisi. Si votre champ contient des valeurs texte, la somme ne s'affiche pas. Vous pouvez choisir une autre fonction de synthèse dans les paramètres du champ. Réorganiser les champs et configurer les paramètres Une foi les champs ajoutés aux sections appropriées, vous pouvez les gérer pour modifier la mise en page et la mise en forme du tableau croisé dynamique. Cliquez sur la flèche noire à droit du champ dans les sections Filtres, Colonnes, Lignes et Valeurs pour afficher le menu contextuel du champ. Ce menu vous permet : Déplacer le champ sélectionné : Monter, Descendre, Aller au début, ou Déplacer vers le fin de la section actuelle si vous avez ajouté plusieurs champs. Déplacer le champ vers une autre section - Filtres, Colonnes, Lignes ou Valeurs. L'option déjà appliquée à la section actuelle sera désactivée. Supprimer le champ sélectionné de la section actuelle. Configurer les paramètres du champ choisi. Les options Filtres, Colonnes, Lignes et Valeurs semblent similaires : L'onglet Disposition comprend les options suivantes : L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. L'option Formulaire de rapport vous permet de modifier la présentation du champ choisi dans le tableau croisé dynamique : Utiliser l'un des formulaires disponibles à présenter le champ choisi dans le tableau croisé dynamique. Formulaire Tabulaire affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Formulaire Contour affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Ce formulaire permet aussi d'afficher les sous-totaux en haut de chaque groupe. Formulaire Compact affiche les éléments de champs de section de ligne différents dans une colonne. Répéter les étiquettes des éléments sur chaque ligne permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Insérer une ligne vide après chaque élément permet d'insérer une ligne vide après les éléments du champ choisi. Afficher les sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux pour le champ choisi. Vous pouvez choisir parmi les options suivantes : Afficher en haut du groupe ou Afficher en bas du groupe. Afficher les éléments sans données permet d'afficher ou de masquer les éléments de ligne qui ne contiennent pas de valeurs dans le champ choisi. Sous l'onglet Sous-totaux vous pouvez choisir les Fonctions pour sous-totaux. Cochez une des fonctions disponibles dans la liste : Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Paramètres du champ Valeurs L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Nom vous permet de changer le nom du champ choisi à afficher dans le tableau croisé dynamique. Résumer les valeurs du champ par permet de choisir la fonction à utiliser pour calculer la somme des valeurs pour toutes les valeurs de ce champ. Par défaut, la fonction Somme est utilisée pour les champs de valeurs numériques, et la fonction Total est utilisée pour les valeurs de texte. Les fonctions disponibles : Somme, Total, Moyenne, Max, Min, Produit, Chiffres, Écartype , StdDevp, Var, Varp. Grouper et dissocier des données Il est possible de grouper les données d'un tableau croisé dynamique selon des critères personnalisés. La fonctionnalité de groupage est disponible pour les dates et les nombres simples. Grouper les dates Pour grouper les dates, créez un tableau croisé dynamique comprenant l'ensemble de dates en question. Cliquez avec le bouton droit sur l'une des cellules comprenant une date dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - la première date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le début. Fin à - la dernière date des données sources est définie par défaut. Pour la modifier, saisissez la date appropriée dans ce champ-là. Désactivez cette option pour ignorer le fin. Par - on peut grouper les dates par Secondes, Minutes et Heures selon l'heure spécifiée dans les données sources. L'option Mois enlève les jours et maintient uniquement les mois. L'option Quartiers fonctionne à la condition que quatre mois est un quartier, alors on fournit Qtr1, Qtr2, etc. L'option Années groupe les dates selon les années spécifiées dans les données source. Vous pouvez combiner plusieurs options pour obtenir le résultat souhaité, Nombre de jours sert à définir la valeur appropriée pour spécifier une certaine période. Cliquez sur OK pour valider. Grouper des nombres Pour grouper les nombres, créez un tableau croisé dynamique comprenant l'ensemble de nombres en question. Cliquez avec le bouton droit sur l'une des cellules comprenant un nombre dans le tableau croisé dynamique, choisissez l'option Grouper dans le menu contextuel et configurez les paramètres appropriés dans la fenêtre qui s'affiche. Commence à - le plus petit nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus petit nombre. Fin à - le plus grand nombre des données sources est définie par défaut. Pour le modifier, saisissez le nombre approprié dans ce champ-là. Désactivez cette option pour ignorer le plus grand nombre. Par - définissez l'intervalle pour grouper des numéros : Ex., “2” va grouper l'ensemble de numéros de 1 à 10 comme “1-2”, “3-4”, etc. Cliquez sur OK pour valider. Dissocier des données Pour dissocier des données groupées, cliquez avec le bouton droit sur une cellule du groupe, sélectionnez l'option Dissocier dans le menu contextuel. Modifier la disposition d'un tableau croisé dynamique Vous pouvez utiliser les options disponibles dans la barre d'outils supérieure pour modifier le format du tableau croisé dynamique. Ces paramètres sont appliquées au tableau croisé dynamique entier. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Dans la liste déroulante Mise en page du rapport choisissez la forme à afficher pour votre tableau croisé dynamique. Afficher sous forme compacte - pour afficher les éléments de champs de section de ligne différents dans une colonne. Afficher sous forme de plan - pour présenter les données dans le style de tableau croisé dynamique classique. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Elle permet aussi d'afficher les sous-totaux en haut de chaque groupe. Afficher sous forme de tableau - pour présenter les données dans un format de tableau traditionnel. Cette forme affiche une colonne par champ et fournit de l'espace pour les en-têtes de champ. Répéter les étiquettes de tous les éléments - permet de grouper visuellement des lignes ou des colonnes pour plusieurs champs affichés sous forme tabulaire. Ne pas répéter toutes les étiquettes d'éléments - permet de masquer les étiquettes d'élément pour plusieurs champs affichés sous forme tabulaire. La liste déroulante Lignes vides permet d'afficher les lignes vides après chaque élément : Insérer une ligne vide après chaque élément - permet d'insérer une ligne vide après les éléments. Supprimer la ligne vide après chaque élément - permet de supprimer les lignes vides ajoutées. La liste déroulante Sous-totaux permet d'afficher ou de ne pas afficher les sous-totaux dans le tableau croisé dynamique. Ne pas afficher les sous-totaux - permet de masquer les sou-totaux pour tous éléments. Afficher les sous-totaux au bas du groupe - permet d'afficher les sous-totaux au-dessous des lignes résumées. Afficher les sous-totaux en haut du groupe - permet d'afficher les sous-totaux au-dessus des lignes résumées. La liste déroulante Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Désactivé pour les lignes et les colonnes - permet de masquer les totaux généraux pour les lignes et les colonnes. Activé pour les lignes et les colonnes - permet d'afficher les totaux généraux pour les lignes et les colonnes. Activé pour les lignes uniquement - permet d'afficher les totaux généraux seulement pour les lignes. Activé pour les colonnes uniquement - permet d'afficher les totaux généraux seulement pour les colonnes. Remarque : les options similaires sont aussi disponibles parmi les paramètres avancés du tableau croisé dynamique dans la section Grand totaux sous l'onglet Nom et disposition. Le bouton Sélectionner tableau croisé dynamique complet permet de sélectionner le tableau croisé dynamique entier. Quand vous avez modifié l'ensemble de données sources, sélectionnez le tableau croisé dynamique et cliquez sur le bouton Actualiser pour mettre à jour le tableau croisé dynamique. Modifier le style d'un tableau croisé dynamique Vous pouvez modifier la présentation du tableau croisé dynamique dans une feuille de calcul en utilisant les outils d'édition dans la barre d'outils supérieure. Sélectionnez au moins une cellule dans le tableau croisé dynamique avec la souris pour activer les outils d'édition dans la barre d'outils supérieure. Les sections lignes et colonnes en haut vous permettent de mettre en évidence certaines lignes/colonnes en leur appliquant une mise en forme spécifique ou de mettre en évidence différentes lignes/colonnes avec les différentes couleurs d'arrière-plan pour les distinguer clairement. Les options suivantes sont disponibles : En-têtes de ligne - permet de mettre en évidence les en-têtes de ligne avec un formatage spécial. En-têtes de colonne - permet de mettre en évidence les en-têtes de colonne avec un formatage spécial. Lignes en bandes - permet l'alternance des couleurs d'arrière-plan pour les lignes paires et impaires. Colonnes en bandes - permet l'alternance des couleurs d'arrière-plan pour les colonnes paires et impaires.. La liste des modèles vous permet de choisir l'un des styles de tableaux croisés prédéfinis. Chaque modèle combine certains paramètres de formatage, tels qu'une couleur d'arrière-plan, un style de bordure, des lignes/colonnes en bandes, etc. Selon les options cochées dans les sections lignes et/ou colonnes, l'ensemble de modèles sera affiché différemment. Par exemple, si vous avez coché les options En-têtes de ligne et Colonnes en bandes, la liste des modèles affichés inclurait uniquement les modèles avec la ligne d'en-tête et les colonnes en bandes activées. Filtrer, trier et insérer des segments dans des tableaux croisées dynamiques Vous pouvez filtrez les tableaux croisé dynamique par étiquettes ou valeurs aussi que utiliser les options de tri supplémentaires. Filtrage Cliquez sur la flèche déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. La liste des options de Filtrage s'affiche : Configurez les paramètres du filtre. Procédez d'une des manières suivantes : sélectionnez les données à afficher ou filtrez les données selon certains critères. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtrage sont triées par ordre croissant. Remarque : la case à cocher (vide) correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ, les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles : Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtrage pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre étiquette ou le Filtre de valeur dans la partie droite de la liste d'options de Filtrage, puis sélectionner l'une des options dans le sous-menu : Pour le Filtre étiquette les options suivantes sont disponibles : Pour texte : Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas... Pour nombres : Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre. Pour le Filtre de valeur, les options suivantes sont disponibles : Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Pas entre, Les 10 premiers. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers), la fenêtre Filtre étiquette/de valeur s'ouvre. Le critère correspondant sera sélectionné dans la première ou secondaire liste déroulante. Spécifiez la valeur nécessaire dans le champ situé à droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de valeur, une nouvelle fenêtre s'ouvrira : La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure : Élément, Pour cent ou Somme. La quatrième liste déroulante affiche le nom du champ choisi. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Le bouton de Filtrage s'affiche dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique. Cela signifie que le filtre est appliqué. Tri Vous pouvez effectuer le tri des données du tableau croisé dynamique en utilisant les options de tri. Cliquez sur la flèche de la liste déroulante dans Étiquettes de lignes ou Étiquettes de colonnes du tableau croisé dynamique et sélectionnez Trier du plus bas au plus élevé ou Trier du plus élevé au plus bas dans le sous-menu. Les Options de tri supplémentaires vous permettent d'ouvrir la fenêtre et choisir une option de tri : Ordre croissant ou Ordre décroissant, et puis spécifier le champ à trier. Insérer des segments Vous pouvez insérer des segments pour filtrer facilement les données et sélectionner les éléments que vous voulez afficher. Pour en savoir plus sur les segments, veuillez consulter le guide de création des segments. Configurer les paramètres avancés du tableau croisé dynamique Pour configurer les paramètres avancés du tableau croisé dynamique, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Tableau croisé dynamique - Paramètres avancés, s'ouvre : Sous l'onglet Nom et disposition vous pouvez configurer les paramètres communs du tableau croisé dynamique. L'option Nom permet de modifier le nom du tableau croisé dynamique. La section Grands Totaux permet d'afficher ou de ne pas afficher les totaux généraux dans le tableau croisé dynamique. Les options Afficher pour les lignes et Afficher pour les colonnes sont activées par défaut. Vous pouvez les désactiver toutes les deux ou décocher la case appropriée pour masquer les certains grand totaux du tableau croisé dynamique. Remarque : les options similaires sont aussi disponibles sur le menu Grands Totaux dans la barre d'outils en haut. La section Afficher les champs dans la zone de filtre du rapport permet de configurer les filtres dans la section Filtres quand vous les y ajoutez : L'option Vers le bas, puis à droite s'utilise pour organiser les colonnes. Celle-ci vous permet d'afficher des filtres du rapport pour la colonne. L'option À droite, puis vers le bas s'utilise pour organiser les lignes. Celle-ci vous permet d'afficher des filtres du rapport pour la ligne. L'option Afficher les champs de filtre de rapport par colonne sélectionnez le nombre de filtres à afficher pour chaque colonne. La valeur par défaut est 0. Vous pouvez régler la valeur numérique. L'option Afficher les en-têtes des champs pour les lignes et les colonnes permet d'afficher ou de ne pas afficher les en-têtes de champ dans le tableau croisé dynamique. L'option est activée par défaut. Décochez-la pour masquer les en-têtes de champ du tableau croisé dynamique. L'option Ajuster automatiquement la largeur de colonne lors de la mise à jour permet d'activer ou de désactiver l'ajustement automatique de la largeur de colonne. L'option est activée par défaut. Sous l'onglet La source de données vous pouvez modifier les données à utiliser pour créer le tableau croisé dynamique. Vérifiez la Plage de données et modifiez-la si nécessaire. Pour ce faire, cliquez sur l'icône . Dans la fenêtre Sélectionner une plage de données, saisissez la plage de données appropriée sous le format suivant : Sheet1!$A$1:$E$10. Vous pouvez aussi sélectionner la plage de cellules qui vous convient avec la souris. Cliquez OK pour confirmer. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau croisé dynamique. Supprimer le tableau croisé dynamique Pour supprimer un tableau croisé dynamique, Sélectionnez le tableau croisé dynamique entier en utilisant le bouton Sélectionner dans la barre d'outils supérieure. Appuyez sur la touche de Suppression." }, { "id": "UsageInstructions/ProtectSheet.htm", "title": "Protéger une feuille de calcul", - "body": "L'option Protéger la feuille de calcul permet de protéger des feuilles de calcul et de contrôler les modifications apportées par d'autres utilisateurs à la feuille de calcul pour empêcher toute modification indésirable et limiter les possibilités de modification d'autres utilisateurs. Vois pouvez protéger une feuille de calcul avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection d'une feuille de calcul. Pour protéger une feuille de calcul: Passez à l'onglet Protection et cliquez sur le bouton Protéger la feuille de calcul de la barre d'outils supérieure. ou Faites un clic droit sur l'onglet de la feuille de calcul à protéger et sélectionnez Protéger de la liste d'options. Dans la fenêtre Protéger la feuille de calcul qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection de la feuille de calcul. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Activez les options appropriées sous la rubrique Permettre à tous les utilisateurs de cette feuille pour définir les opérations que les utilisateurs pourront effectuer. Les opérations par défaut sont Sélectionner les cellules verrouillées et Sélectionner les cellules non verrouillées. Les opérations que les utilisateurs peuvent exécuter. Sélectionner les cellules verrouillées Sélectionner les cellules non verrouillées Modifier les cellules Modifier les colonnes Modifier les lignes Insérer des colonnes Insérer des lignes Insérer un lien hypertexte Supprimer les colonnes Supprimer les lignes Trier Utiliser Autofilter Utiliser tableau et graphique croisés dynamiques Modifier les objets Modifier les scénarios cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. Pour désactiver la protection d'une feuille de calcul: cliquez sur le bouton Protéger la feuille de calcul, ou faites un clic droit sur l'onglet de la feuille de calcul protégée et sélectionnez Déprotéger de la liste d'options Saisissez le mot de passe et cliquez sur OK si la fenêtre Déprotéger la feuille apparaît." + "body": "L'option Protéger la feuille de calcul permet de protéger des feuilles de calcul et de contrôler les modifications apportées par d'autres utilisateurs à la feuille de calcul pour empêcher toute modification indésirable et limiter les possibilités de modification d'autres utilisateurs. Vois pouvez protéger une feuille de calcul avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection d'une feuille de calcul. Pour protéger une feuille de calcul : Passez à l'onglet Protection et cliquez sur le bouton Protéger la feuille de calcul de la barre d'outils supérieure. ou Faites un clic droit sur l'onglet de la feuille de calcul à protéger et sélectionnez Protéger de la liste d'options. Dans la fenêtre Protéger la feuille de calcul qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection de la feuille de calcul. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Activez les options appropriées sous la rubrique Permettre à tous les utilisateurs de cette feuille pour définir les opérations que les utilisateurs pourront effectuer. Les opérations par défaut sont Sélectionner les cellules verrouillées et Sélectionner les cellules non verrouillées. Les opérations que les utilisateurs peuvent exécuter. Sélectionner les cellules verrouillées Sélectionner les cellules non verrouillées Modifier les cellules Modifier les colonnes Modifier les lignes Insérer des colonnes Insérer des lignes Insérer un lien hypertexte Supprimer les colonnes Supprimer les lignes Trier Utiliser Autofilter Utiliser tableau et graphique croisés dynamiques Modifier les objets Modifier les scénarios cliquez sur le bouton Protéger pour activer la protection. Une fois la feuille de calcul protégée, le bouton Protéger la feuille de calcul devient activé. Pour désactiver la protection d'une feuille de calcul : cliquez sur le bouton Protéger la feuille de calcul, ou faites un clic droit sur l'onglet de la feuille de calcul protégée et sélectionnez Déprotéger de la liste d'options Saisissez le mot de passe et cliquez sur OK si la fenêtre Déprotéger la feuille apparaît." }, { "id": "UsageInstructions/ProtectSpreadsheet.htm", "title": "Protéger une feuille de calcul", - "body": "Protéger un classeur Spreadsheet Editor permet de protéger un classeur partagé lorsque vous souhaitez limiter l'accès ou les possibilités de modification d'autres utilisateurs. Spreadsheet Editor propose la protection du classeur aux différents niveaux pour contrôler l'accès au fichier aussi que les possibilités de modification à l'intérieur d'un classeur ou à l'intérieur d'une feuille de calcul. Utiliser l'onglet Protection pour paramétrer les options de protection disponibles selon ce que vous jugez approprié. Les options de protection comprennent: Chiffrer pour contrôler l'accès au fichier et empêcher d'autres utilisateurs de l'ouvrir. Protéger le livre pour contrôler des manipulations d'utilisateur au niveau de classeur et empêcher toute modification indésirable à la structure du classeur. Protéger la feuille de calcul pour contrôler des actions d'utilisateur au niveau de feuille de calcul et empêcher toute modification indésirable aux données. Autoriser la modification des plages pour sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégée. Utilisez des cases à cocher de l'onglet Protection pour verrouiller et déverrouiller rapidement le contenu de d'une feuille de calcul protégée. Remarque: ces options ne prendront effet que lors de l'activation de protection de la feuille de calcul. Par défaut, les cellules, les formes et le texte à l'intérieur d'une forme sont verrouillés dans une feuille de calcul, décochez les cases appropriées pour les déverrouiller. On peut modifier des objets déverrouillés dans une feuille de calcul protégée. Les options Forme verrouillée et Verrouiller le texte deviennent actives lorsque une forme est sélectionnée. L'option Forme verrouillée est applicable tant aux formes qu'aux autres objets tels que graphiques, images et zones de texte. L'option Verrouiller le texte permet de verrouiller le texte à l'intérieur des objets, les graphiques exceptés. Activez l'option Formules cachées pour masquer les formules d'une plage de cellules ou d'une cellule sélectionnée lorsque la feuille de calcul est protégé. La formule masquée ne s'affiche pas dans la barre de formule quand on fait un clic sur la cellule." + "body": "Protéger un classeur Tableur permet de protéger un classeur partagé lorsque vous souhaitez limiter l'accès ou les possibilités de modification d'autres utilisateurs. Tableur propose la protection du classeur aux différents niveaux pour contrôler l'accès au fichier aussi que les possibilités de modification à l'intérieur d'un classeur ou à l'intérieur d'une feuille de calcul. Utiliser l'onglet Protection pour paramétrer les options de protection disponibles selon ce que vous jugez approprié. Les options de protection comprennent : Chiffrer pour contrôler l'accès au fichier et empêcher d'autres utilisateurs de l'ouvrir. Protéger le livre pour contrôler des manipulations d'utilisateur au niveau de classeur et empêcher toute modification indésirable à la structure du classeur. Protéger la feuille de calcul pour contrôler des actions d'utilisateur au niveau de feuille de calcul et empêcher toute modification indésirable aux données. Autoriser la modification des plages pour sélectionner les cellules dont un autre utilisateur pourra modifier dans une feuille de calcul protégée. Utilisez des cases à cocher de l'onglet Protection pour verrouiller et déverrouiller rapidement le contenu de d'une feuille de calcul protégée. Remarque : ces options ne prendront effet que lors de l'activation de protection de la feuille de calcul. Par défaut, les cellules, les formes et le texte à l'intérieur d'une forme sont verrouillés dans une feuille de calcul, décochez les cases appropriées pour les déverrouiller. On peut modifier des objets déverrouillés dans une feuille de calcul protégée. Les options Forme verrouillée et Verrouiller le texte deviennent actives lorsque une forme est sélectionnée. L'option Forme verrouillée est applicable tant aux formes qu'aux autres objets tels que graphiques, images et zones de texte. L'option Verrouiller le texte permet de verrouiller le texte à l'intérieur des objets, les graphiques exceptés. Activez l'option Formules cachées pour masquer les formules d'une plage de cellules ou d'une cellule sélectionnée lorsque la feuille de calcul est protégé. La formule masquée ne s'affiche pas dans la barre de formule quand on fait un clic sur la cellule." }, { "id": "UsageInstructions/ProtectWorkbook.htm", "title": "Protéger un classeur", - "body": "L'option Protéger le livre permet de protéger la structure du classeur et de contrôler les manipulations d'utilisateur pour que personne ne puisse accéder aux classeurs masqués, ajouter, déplacer, supprimer, masquer et renommer des classeurs. Vois pouvez protéger un classeur avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection du classeur. Pour protéger un classeur: Passez à l'onglet Protection et cliquez sur le bouton Protéger le livre de la barre d'outils supérieure. Dans la fenêtre Protéger la structure du livre qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection du classeur. Cliquez sur le bouton Protéger pour activer la protection avec ou sans un mot de passe. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Une fois le classeur protégé, le bouton Protéger le livre devient activé. Pour désactiver la protection d'un classeur: avec un classeur protégé par un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure, saisissez le mot de passe dans la fenêtre contextuelle Déprotéger le livre et cliquez sur OK. avec un classeur protégé sans un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure." + "body": "L'option Protéger le livre permet de protéger la structure du classeur et de contrôler les manipulations d'utilisateur pour que personne ne puisse accéder aux classeurs masqués, ajouter, déplacer, supprimer, masquer et renommer des classeurs. Vois pouvez protéger un classeur avec ou sans un mot de passe. Si vous opter pour la protection sans un mot de passe, toute personne peut désactiver la protection du classeur. Pour protéger un classeur : Passez à l'onglet Protection et cliquez sur le bouton Protéger le livre de la barre d'outils supérieure. Dans la fenêtre Protéger la structure du livre qui s'affiche, saisissez et validez le mot de passe qu'on doit entrer pour désactiver la protection du classeur. Cliquez sur le bouton Protéger pour activer la protection avec ou sans un mot de passe. Il n'est pas possible de récupérer un mot de passe perdu ou oublié. Gardez vos mots de passe dans un endroit sécurisé. Une fois le classeur protégé, le bouton Protéger le livre devient activé. Pour désactiver la protection d'un classeur : avec un classeur protégé par un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure, saisissez le mot de passe dans la fenêtre contextuelle Déprotéger le livre et cliquez sur OK. avec un classeur protégé sans un mot de passe, cliquez sur le bouton Protéger le livre de la barre d'outils supérieure." }, { "id": "UsageInstructions/RemoveDuplicates.htm", "title": "Supprimer les valeurs dupliquées", - "body": "Dans Spreadsheet Editor, vous pouvez supprimer les données dupliquées d'une plage de données ou d'un tableau mis en forme. Pour supprimer les valeurs en double: Sélectionnez la plage de données appropriée avec doublons. Passez à l'onglet Données et cliquez le bouton Supprimer les valeurs dupliquées dans la barre d'outils supérieure. Pour supprimer les valeurs en double d'un tableau mis en forme, vous pouvez aussi utiliser l'option Supprimer les valeurs dupliquées sur la barre latérale droite. Lorsque vous sélectionnez une partie des données, une fenêtre d'avertissement est affichée vous demandant si vous voulez d'étendre la sélection afin que toutes les données soient inclues ou de continuer avec la sélection en cours. Appuyez sur Développer ou Déplacer dans sélectionnés. Si vous choisissez l'option Développer, les valeurs en double dans les cellules adjacentes à la zone sélectionnée ne seront pas supprimés. La fenêtre Supprimer les valeurs dupliquées s'affiche: Cochez la case appropriée dans la fenêtre Supprimer les valeurs dupliquées: Mes données ont des en-têtes - cochez cette case-ci pour retirer les en-têtes des colonnes de la sélection. Colonnes - continuez avec l'option Sélectionner tout, qui est activée par défaut ou décochez cette case et sélectionnez seulement les colonnes appropriées. Cliquez sur OK. Les valeurs en double sont supprimées et la fenêtre s'affiche indiquant le nombre de valeurs en double qui ont été supprimées et le nombre de valeurs uniques restantes. Si vous voulez récupérer les données supprimées, utiliser l'icône Annuler dans la barre d'outils supérieure ou la combinaison de touches CTRL+Z." + "body": "Dans le Tableur, vous pouvez supprimer les données dupliquées d'une plage de données ou d'un tableau mis en forme. Pour supprimer les valeurs en double : Sélectionnez la plage de données appropriée avec doublons. Passez à l'onglet Données et cliquez le bouton Supprimer les valeurs dupliquées dans la barre d'outils supérieure. Pour supprimer les valeurs en double d'un tableau mis en forme, vous pouvez aussi utiliser l'option Supprimer les valeurs dupliquées sur la barre latérale droite. Lorsque vous sélectionnez une partie des données, une fenêtre d'avertissement est affichée vous demandant si vous voulez d'étendre la sélection afin que toutes les données soient inclues ou de continuer avec la sélection en cours. Appuyez sur Développer ou Déplacer dans sélectionnés. Si vous choisissez l'option Développer, les valeurs en double dans les cellules adjacentes à la zone sélectionnée ne seront pas supprimés. La fenêtre Supprimer les valeurs dupliquées s'affiche : Cochez la case appropriée dans la fenêtre Supprimer les valeurs dupliquées : Mes données ont des en-têtes - cochez cette case-ci pour retirer les en-têtes des colonnes de la sélection. Colonnes - continuez avec l'option Sélectionner tout, qui est activée par défaut ou décochez cette case et sélectionnez seulement les colonnes appropriées. Cliquez sur OK. Les valeurs en double sont supprimées et la fenêtre s'affiche indiquant le nombre de valeurs en double qui ont été supprimées et le nombre de valeurs uniques restantes. Si vous voulez récupérer les données supprimées, utiliser l'icône Annuler dans la barre d'outils supérieure ou la combinaison de touches Ctrl+Z." }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Enregistrer/imprimer/télécharger votre classeur", - "body": "Enregistrement Par défaut, Spreadsheet Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre feuille de calcul actuelle dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer la feuille de calcul sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, ODS, CSV, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de feuille de calcul (XLTX ou OTS) . Téléchargement en cours Dans la version en ligne, vous pouvez télécharger la feuille de calcul résultante sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Remarque: si vous sélectionnez le format CSV, toutes les fonctionnalités (formatage de police, formules, etc.) à l'exception du texte brut ne seront pas conservées dans le fichier CSV. Si vous continuez à enregistrer, la fenêtre Choisir les options CSV s'ouvre. Par défaut, Unicode (UTF-8) est utilisé comme type d'Encodage. Le Séparateur par défaut est la virgule (,), mais les options suivantes sont également disponibles: point-virgule ( ;), deux-points ( :), tabulation, espace et autre (cette option vous permet de définir un caractère séparateur personnalisé). Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer la feuille de calcul active, cliquez sur l'icône Imprimer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Une Aperçu et tous les paramètres d'impression disponibles s'affichent. Certains de ces paramètres (Marges, Orientation, Taille, Zone d'impression aussi que Mise à l'échelle) sont également disponibles dans l'onglet Mise en page de la barre d'outils supérieure. Ici, vous pouvez régler les paramètres suivants: Zone d'impression - spécifiez les éléments à imprimer: Feuille actuelle, Toutes les feuilles ou Sélection, Si vous avez déjà défini une zone d'impression constante mais il vous faut imprimer la feuille entière, cochez la case Ignorer la zone d'impression. Paramètres de la feuille - spécifiez les paramètres d'impression individuels pour chaque feuille séparée, si vous avez sélectionné l'option Toutes les feuilles dans la liste déroulante Zone d'impression, Taille de la page - sélectionnez l'une des tailles disponibles dans la liste déroulante, Orientation de page - choisissez l'option Portrait si vous souhaitez imprimer le contenu en orientation verticale, ou utilisez l'option Paysage pour l'imprimer en orientation horizontale, Mise à l'échelle - si vous ne souhaitez pas que certaines colonnes ou lignes soient imprimées sur une deuxième page, vous pouvez réduire le contenu de la feuille pour l'adapter à une page en sélectionnant l'option correspondante: Ajuster la feuille à une page, Ajuster toutes les colonnes à une page ou Ajuster toutes les lignes à une page. Laissez l'option Taille réelle pour imprimer la feuille sans l'ajuster. Lorsque vous choisissez Options personnalisées du menu, la fenêtre Paramètres de mise à l'échelle s'affiche: Ajuster à permet de définir un nombre de pages défini à imprimer votre feuille de calcul. Sélectionnez le nombre de page des listes Largeur et Hauteur. échelle permet de réduire ou agrandir l'échelle de la feuille de calcule pour l'ajuster sur les pages imprimées et définir manuellement le pourcentage de la taille réelle. Titres à imprimer - quand vous avez besoin d'imprimer les titres de lignes et colonnes sur chaque page, il faut utiliser Répéter les lignes en haut ou Répéter les colonnes à gauche et indiquer la ligne ou la colinne à répéter ou sélectionner l'une des options disponibles dans le menu déroulant: Lignes/colonnes verrouillées, Première ligne/colonne ou Ne pas répéter. Marges - spécifiez la distance entre les données de la feuille de calcul et les bords de la page imprimée en modifiant les paramètres prédéfinis dans les champs En haut, En bas, à gauche et à droite, Quadrillage et titres sert à définir des éléments à imprimer en activant la case à coché appropriée: Imprimer le quadrillage et Imprimer les titres des lignes et des colonnes. Paramètres de l'en-tête/du pied de page permettent d'ajouter des informations supplémentaires sur une feuille de calcul imprimée, telles que la date et l'heure, le numéro de page, le nom de la feuille, etc. Une fois tous les paramètres configurés, cliquez sur le bouton Imprimer pour savegarder vos modifications et imprimer la feuille de calcul ou cliquez sur le bouton Enregister pour sauvegarder tous les paramètres que vous avez modifié. Si vous n'arrivez pas à imprimer ou à savegarder la feuille de calcul, toutes les modifications apportées seront perdues. Aperçu permet de parcourir le classeur à l'aide des flèches en bas pour afficher l'aperçu des données sur la feuille de calcul après impression et pour corriger des erreurs éventuelles en utilisant les paramètres d'impression disponibles. Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe. Configurer la zone d'impression Si vous souhaitez imprimer une plage de cellules sélectionnée uniquement au lieu d'une feuille de calcul complète, vous pouvez utiliser l'option Sélection dans la liste déroulante Zone d'impression. Lorsque le classeur est sauvegardé, cette option n'est pas sauvegardée, elle est destinée à un usage unique. Si une plage de cellules doit être imprimée fréquemment, vous pouvez définir une zone d'impression constante sur la feuille de calcul. Lorsque la feuille de calcul est sauvegardée, la zone d'impression est également sauvegardée, elle peut être utilisée la prochaine fois que vous ouvrirez la feuille de calcul. Il est également possible de définir plusieurs zones d'impression constantes sur une feuille, dans ce cas chaque zone sera imprimée sur une page séparée. Pour définir une zone d'impression: Sélectionnez la plage de cellules nécessaire sur la feuille de calcul. Pour sélectionner plusieurs plages de cellules, maintenez la touche Ctrl enfoncée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Sélectionner la zone d'impression. La zone d'impression créée est sauvegardée lorsque la feuille de calcul est sauvegardée. Lorsque vous ouvrirez le fichier la prochaine fois, la zone d'impression spécifiée sera imprimée. Lorsque vous créez une zone d'impression, il se crée automatiquement pour la Zone_d_impression une plage nommée , qui s'affiche dans le Gestionnaire de noms. Pour mettre en surbrillance les bordures de toutes les zones d'impression de la feuille de calcul actuelle, vous pouvez cliquer sur la flèche dans la boîte de nom située à gauche de la barre de formule et sélectionner le nom de la Zone_d_impression dans la liste des noms. Pour ajouter des cellules à une zone d'impression: ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée, sélectionner la plage de cellules nécessaire sur la feuille de calcul, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Ajouter à la zone d'impression. Une nouvelle zone d'impression sera ajoutée. Chaque zone d'impression sera imprimée sur une page séparée. Pour supprimer une zone d'impression : ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Vider la zone d'impression. Toutes les zones d'impression existantes sur cette feuille seront supprimées. Ensuite, la feuille entière sera imprimée." + "body": "Enregistrement Par défaut, le Tableur en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés. Pour enregistrer manuellement votre feuille de calcul actuelle dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés. Dans la version de bureau, vous pouvez enregistrer la feuille de calcul sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins : XLSX, ODS, CSV, PDF, PDF/A. Vous pouvez également choisir l'option Modèle de feuille de calcul (XLTX ou OTS). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger la feuille de calcul résultante sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins : XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Remarque : si vous sélectionnez le format CSV, toutes les fonctionnalités (formatage de police, formules, etc.) à l'exception du texte brut ne seront pas conservées dans le fichier CSV. Si vous continuez à enregistrer, la fenêtre Choisir les options CSV s'ouvre. Par défaut, Unicode (UTF-8) est utilisé comme type d'Encodage. Le Séparateur par défaut est la virgule (,), mais les options suivantes sont également disponibles: point-virgule ( ;), deux-points ( :), tabulation, espace et autre (cette option vous permet de définir un caractère séparateur personnalisé). Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins : XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer la feuille de calcul active, cliquez sur l'icône Imprimer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+P, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Imprimer. Le navigateur Firefox permet d'imprimer sans télécharger le document au format .pdf d'avance. Une Aperçu et tous les paramètres d'impression disponibles s'affichent. Certains de ces paramètres (Marges, Orientation, Taille, Zone d'impression aussi que Mise à l'échelle) sont également disponibles dans l'onglet Mise en page de la barre d'outils supérieure. Ici, vous pouvez régler les paramètres suivants : Zone d'impression - spécifiez les éléments à imprimer : Feuille actuelle, Toutes les feuilles ou Sélection, Si vous avez déjà défini une zone d'impression constante mais il vous faut imprimer la feuille entière, cochez la case Ignorer la zone d'impression. Paramètres de la feuille - spécifiez les paramètres d'impression individuels pour chaque feuille séparée, si vous avez sélectionné l'option Toutes les feuilles dans la liste déroulante Zone d'impression, Taille de la page - sélectionnez l'une des tailles disponibles dans la liste déroulante, Orientation de page - choisissez l'option Portrait si vous souhaitez imprimer le contenu en orientation verticale, ou utilisez l'option Paysage pour l'imprimer en orientation horizontale, Mise à l'échelle - si vous ne souhaitez pas que certaines colonnes ou lignes soient imprimées sur une deuxième page, vous pouvez réduire le contenu de la feuille pour l'adapter à une page en sélectionnant l'option correspondante : Ajuster la feuille à une page, Ajuster toutes les colonnes à une page ou Ajuster toutes les lignes à une page. Laissez l'option Taille réelle pour imprimer la feuille sans l'ajuster. Lorsque vous choisissez Options personnalisées du menu, la fenêtre Paramètres de mise à l'échelle s'affiche : Ajuster à permet de définir un nombre de pages défini à imprimer votre feuille de calcul. Sélectionnez le nombre de page des listes Largeur et Hauteur. échelle permet de réduire ou agrandir l'échelle de la feuille de calcule pour l'ajuster sur les pages imprimées et définir manuellement le pourcentage de la taille réelle. Titres à imprimer - quand vous avez besoin d'imprimer les titres de lignes et colonnes sur chaque page, il faut utiliser Répéter les lignes en haut ou Répéter les colonnes à gauche et indiquer la ligne ou la colinne à répéter ou sélectionner l'une des options disponibles dans le menu déroulant : Lignes/colonnes verrouillées, Première ligne/colonne ou Ne pas répéter. Marges - spécifiez la distance entre les données de la feuille de calcul et les bords de la page imprimée en modifiant les paramètres prédéfinis dans les champs En haut, En bas, à gauche et à droite, Quadrillage et titres sert à définir des éléments à imprimer en activant la case à coché appropriée : Imprimer le quadrillage et Imprimer les titres des lignes et des colonnes. Paramètres de l'en-tête/du pied de page permettent d'ajouter des informations supplémentaires sur une feuille de calcul imprimée, telles que la date et l'heure, le numéro de page, le nom de la feuille, etc. Une fois tous les paramètres configurés, cliquez sur le bouton Imprimer pour savegarder vos modifications et imprimer la feuille de calcul ou cliquez sur le bouton Enregister pour sauvegarder tous les paramètres que vous avez modifié. Si vous n'arrivez pas à imprimer ou à savegarder la feuille de calcul, toutes les modifications apportées seront perdues. Aperçu permet de parcourir le classeur à l'aide des flèches en bas pour afficher l'aperçu des données sur la feuille de calcul après impression et pour corriger des erreurs éventuelles en utilisant les paramètres d'impression disponibles. Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe. Configurer la zone d'impression Si vous souhaitez imprimer une plage de cellules sélectionnée uniquement au lieu d'une feuille de calcul complète, vous pouvez utiliser l'option Sélection dans la liste déroulante Zone d'impression. Lorsque le classeur est sauvegardé, cette option n'est pas sauvegardée, elle est destinée à un usage unique. Si une plage de cellules doit être imprimée fréquemment, vous pouvez définir une zone d'impression constante sur la feuille de calcul. Lorsque la feuille de calcul est sauvegardée, la zone d'impression est également sauvegardée, elle peut être utilisée la prochaine fois que vous ouvrirez la feuille de calcul. Il est également possible de définir plusieurs zones d'impression constantes sur une feuille, dans ce cas chaque zone sera imprimée sur une page séparée. Pour définir une zone d'impression : Sélectionnez la plage de cellules nécessaire sur la feuille de calcul. Pour sélectionner plusieurs plages de cellules, maintenez la touche Ctrl enfoncée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Sélectionner la zone d'impression. La zone d'impression créée est sauvegardée lorsque la feuille de calcul est sauvegardée. Lorsque vous ouvrirez le fichier la prochaine fois, la zone d'impression spécifiée sera imprimée. Lorsque vous créez une zone d'impression, il se crée automatiquement pour la Zone_d_impression une plage nommée, qui s'affiche dans le Gestionnaire de noms. Pour mettre en surbrillance les bordures de toutes les zones d'impression de la feuille de calcul actuelle, vous pouvez cliquer sur la flèche dans la boîte de nom située à gauche de la barre de formule et sélectionner le nom de la Zone_d_impression dans la liste des noms. Pour ajouter des cellules à une zone d'impression : ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée, sélectionner la plage de cellules nécessaire sur la feuille de calcul, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Ajouter à la zone d'impression. Une nouvelle zone d'impression sera ajoutée. Chaque zone d'impression sera imprimée sur une page séparée. Pour supprimer une zone d'impression : ouvrir la feuille de calcul voulue oùla zone d'impression est ajoutée, passez à l'onglet Mise en page de la barre d'outils supérieure, cliquez sur la flèche à côté du bouton Zone d'impression et sélectionnez l'option Vider la zone d'impression. Toutes les zones d'impression existantes sur cette feuille seront supprimées. Ensuite, la feuille entière sera imprimée." }, { "id": "UsageInstructions/ScaleToFit.htm", - "title": "Mettre une feuille de calcul à l’échelle", - "body": "Si vous souhaitez insérer une feuille de calcul entière sur une seule page à imprimer, vous pouvez utiliser la fonction Mettre à l'échelle. Cette fonction de Spreadsheet Editor permet de mettre à l'échelle les données sur un nombre défini de pages. Pour faire cela, suivez ces simples étapes : Dans la barre d’outils supérieure, accédez à l’onglet Mise en page et choisissez la fonction Mettre à l’échelle, Dans la section Hauteur sélectionnez 1 page et définissez Largeur sur Auto pour imprimer toutes les feuilles sur une page. La valeur de l'échelle sera modifiée automatiquement. Cette valeur s’affiche dans la section Échelle. Vous pouvez aussi changer la valeur de l’échelle manuellement. Pour faire cela, définissez les paramètres de Hauteur et Largeur sur Auto et utilisez les boutons «+» et «-» pour changer l’échelle de la feuille de calcul. Les bordures de la page d'impression seront couvertes de lignes en pointillés sur la feuille de calcul. Sur l’onglet Fichier , cliquez sur Imprimer, ou utilisez le raccourci clavier Ctrl + P et dans la fenêtre suivante, ajustez les paramètres d'impression. Par exemple, s'il y a plusieurs colonnes sur une feuille, il peut être utile de changer l'orientation de la page en Portrait. Ou imprimez une plage de cellules présélectionnée range of cells. En savoir plus sur les paramètres d'impression dans cet article. Remarque : gardez à l'esprit, cependant, que l'impression peut être difficile à lire car l'éditeur réduit les données pour les adapter." + "title": "Mettre une feuille de calcul à l'échelle", + "body": "Si vous souhaitez insérer une feuille de calcul entière sur une seule page à imprimer, vous pouvez utiliser la fonction Mettre à l'échelle. Cette fonction du Tableur permet de mettre à l'échelle les données sur un nombre défini de pages. Pour faire cela, suivez ces simples étapes : Dans la barre d'outils supérieure, accédez à l'onglet Mise en page et choisissez la fonction Mettre à l'échelle, Dans la section Hauteur sélectionnez 1 page et définissez Largeur sur Auto pour imprimer toutes les feuilles sur une page. La valeur de l'échelle sera modifiée automatiquement. Cette valeur s'affiche dans la section Échelle. Vous pouvez aussi changer la valeur de l'échelle manuellement. Pour faire cela, définissez les paramètres de Hauteur et Largeur sur Auto et utilisez les boutons «+» et «-» pour changer l'échelle de la feuille de calcul. Les bordures de la page d'impression seront couvertes de lignes en pointillés sur la feuille de calcul. Sur l'onglet Fichier, cliquez sur Imprimer, ou utilisez le raccourci clavier Ctrl + P et dans la fenêtre suivante, ajustez les paramètres d'impression. Par exemple, s'il y a plusieurs colonnes sur une feuille, il peut être utile de changer l'orientation de la page en Portrait. Ou imprimez une plage de cellules présélectionnée range of cells. En savoir plus sur les paramètres d'impression dans cet article. Remarque  : gardez à l'esprit, cependant, que l'impression peut être difficile à lire car l'éditeur réduit les données pour les adapter." }, { "id": "UsageInstructions/SheetView.htm", "title": "Configurer les paramètres d'affichage de feuille", - "body": "ONLYOFFICE Spreadsheet Editor permet de configurer différents paramètres d'affichage de feuille en fonction du filtre appliqué. Vous pouvez configurer les options de filtrage pour un affichage de feuille et le utiliser plus tard avec vos collègues ou vous pouvez même configurer plusieurs affichages de feuille sur la même feuille de calcul et basculer rapidement entre les différents affichages. Si vous collaborez sur une feuille de calcul avec d'autres personnes, vous pouvez créer des affichages personnalisés et utiliser les fonctionnalités de filtre sans être perturbés par d’autres co-auteurs. Créer un nouveau affichage de feuille Étant donné que l'affichage de feuille est conçu pour personnaliser la filtrage , vous devez donc configurer les paramètres de la feuille. Veuillez consulter cette page pour en savoir plus sur la filtrage. Il existe deux façons de créer un nouveau affichage de feuille. Vous pouvez passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante, appuyez sur Nouveau dans la fenêtre du Gestionnaire d'affichage des feuilles qui s'affiche et tapez le nom de l'affichage ou appuyez sur Nouveau sous l'onglet Affichage dans la barre d'outils supérieure. L'affichage est dénommé par défaut “Affichage1/2/3...”. Pour changer le nom, il faut passer au Gestionnaire d'affichage des feuilles, sélectionner l'affichage que vous souhaitez renommer et appuyez sur Renommer. Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage. Basculer entre les affichages passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez activer du champ Affichages de feuille. Appuyez sur Passer à l'aperçu pour activer la configuration de l'affichage. Pour quitter l'affichage actuel, appuyez sur l'icône, Fermer sous l'onglet Affichage dans la barre d'outils supérieure. Configurer les paramètres d'affichage de feuille passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez modifier dans la fenêtre Gestionnaire d'affichage des feuilles qui s'affiche. Choisissez parmi les options suivantes: Renommer pour changer le nom de l'affichage choisi, Dupliquer pour copier l'affichage choisi, Supprimer pour effacer l'affichage choisi, Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage choisi." + "body": "Éditeur de feuilles de calcul ONLYOFFICE permet de configurer différents paramètres d'affichage de feuille en fonction du filtre appliqué. Vous pouvez configurer les options de filtrage pour un affichage de feuille et le utiliser plus tard avec vos collègues ou vous pouvez même configurer plusieurs affichages de feuille sur la même feuille de calcul et basculer rapidement entre les différents affichages. Si vous collaborez sur une feuille de calcul avec d'autres personnes, vous pouvez créer des affichages personnalisés et utiliser les fonctionnalités de filtre sans être perturbés par d'autres co-auteurs. Créer un nouveau affichage de feuille Étant donné que l'affichage de feuille est conçu pour personnaliser la filtrage , vous devez donc configurer les paramètres de la feuille. Veuillez consulter cette page pour en savoir plus sur la filtrage. Il existe deux façons de créer un nouveau affichage de feuille. Vous pouvez passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante, appuyez sur Nouveau dans la fenêtre du Gestionnaire d'affichage des feuilles qui s'affiche et tapez le nom de l'affichage ou appuyez sur Nouveau sous l'onglet Affichage dans la barre d'outils supérieure. L'affichage est dénommé par défaut “Affichage1/2/3...”. Pour changer le nom, il faut passer au Gestionnaire d'affichage des feuilles, sélectionner l'affichage que vous souhaitez renommer et appuyez sur Renommer. Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage. Basculer entre les affichages passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez activer du champ Affichages de feuille. Appuyez sur Passer à l'aperçu pour activer la configuration de l'affichage. Pour quitter l'affichage actuel, appuyez sur l'icône, Fermer sous l'onglet Affichage dans la barre d'outils supérieure. Configurer les paramètres d'affichage de feuille passer à l'onglet Affichage et cliquer sur l'icône Affichage de feuille. Choisissez le Gestionnaire d'affichage des feuilles dans la liste déroulante. Sélectionnez l'affichage que vous souhaitez modifier dans la fenêtre Gestionnaire d'affichage des feuilles qui s'affiche. Choisissez parmi les options suivantes : Renommer pour changer le nom de l'affichage choisi, Dupliquer pour copier l'affichage choisi, Supprimer pour effacer l'affichage choisi, Appuyez sur Passer à l'aperçu, pour activer la configuration de l'affichage choisi." }, { "id": "UsageInstructions/Slicers.htm", "title": "Créer des segments dans les tableaux mis en forme d'après un modèle", - "body": "Créer un nouveau segment Une fois que vous avez créer dans Spreadsheet Editor ou un tableau mis en forme d'après un modèle, vous pouvez créer des segments pour filtrer les données rapidement. Pour ce faire, sélectionnez au moins une cellule dans le tableau mis en forme avec la souris et appuyez sur l'icône Paramètres du tableau à droite. Cliquez sur Insérer un segment sous l'onglet Paramètres du tableau dans la barre latérale droite. Vous pouvez également passer à l'onglet Insérer dans la barre d'outils supérieure et y appuyer sur le bouton Segment. La fenêtre Insérer segments s'affiche: Dans la fenêtre Insérer segments, activez les cases à cocher de colonnes appropriées. Cliquez sur OK. Un segment est inséré dans toutes les colonnes que vous avez sélectionnées. Si vous avez ajouté plusieurs segments, ceux-ci se superposent. Une fois ajouté, on peut modifier la taille et l'emplacement aussi que les paramètres du segment. Un segment comporte des boutons sur lesquels vous pouvez cliquer pour filtrer les données du tableau mis en forme. Les boutons correspondants aux cellules vides portent les étiquettes (vide) . Lorsque vous appuyer sur le bouton du segment, tous les autres boutons sont désactivés et la colonne visée du tableau source est filtrée pour afficher seulement les éléments choisis. Lorsque vous ajoutez plusieurs segments, la modification d'un segment peut affecter les éléments d'un autre. Lorsqu'il y a plusieurs filtres dans un même segment, les éléments qui ne contiennent pas de données peuvent apparaître dans un autre segment (couleur de fond plus claire): Vous pouvez modifier le façon d'affichage des éléments qui ne contiennent pas de données dans les paramètres du segment. Pour sélectionner plusieurs boutons de segment, utiliser l'icône Sélection multiple dans le coin supérieur droit du segment ou appuyez sur la combinaison de touches Alt+S. Sélectionnez les boutons du segment en cochant les cases une par une. Pour effacer le filtre du segment, appuyez sur l'icône Annuler les filtres dans le coin supérieur droit du segment ou appuyez sur Alt+C. Modifier les segments On peut modifier certains paramètres sous l'onglet Paramètres des segments sur la barre latérale droite qui s'affiche quand vous sélectionnez le segment avec la souris. Cliquez sur l'icône pour masquer ou afficher cet onglet. Modifier la taille et l'emplacement du segment Les options Largeur et Hauteur vous permettons de modifier la largeur et la taille du segment. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme ça) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. La section Position permet de modifier la position du segment Horizontal et/ou Vertical. L'option Désactiver le redimensionnement et le déplacement permet d'empêcher le segment d'être redimensionné ou déplacé. Lorsque cette option active, les options Largeur, Hauteur, Position et Boutons sont désactivées. Modifier la mise en forme et le style du segment La section Boutons permet de déterminer le nombre de Colonnes et de configurer la Largeur et la Hauteur des boutons. Par défaut, un segment comporte une colonne. Les éléments en texte court peuvent être affichée sur deux ou plusieurs colonnes: Si vous modifiez la largeur du bouton, la largeur du segment change en conséquence. Si vous modifiez la hauteur du bouton, une barre de défilement est insérée au segment: La section Style vous permet de choisir l'un des styles de segment prédéfinis. Utiliser les fonctionnalités de tri et de filtrage Croissant (A à Z) s'utilise pour trier les données par ordre alphabétique de A à Z ou par valeurs numériques du plus petit au plus grand. Décroissant (Z à A) s'utilise pour trier les données par ordre alphabétique décroissant de A à Z ou par valeurs numériques du plus grand au plus petit. Masquer les éléments vides permet de masquer les éléments qui ne contiennent pas de données dans le segment. Lorsque cette option est active, les options Indiquer visuellement les éléments sans données et Afficher les éléments sans données à la fin sont désactivées. Lorsque l'option Masquer les éléments vides est désactivé, on peut utiliser les options suivantes: Indiquer visuellement les éléments sans données pour afficher les éléments sans données sous format différent (couleur de fond plus claire). Si cette option est désactivée, le format de tous les éléments reste le même. Afficher les éléments sans données à la fin permet d'afficher les éléments qui ne contiennent pas de données à la fin de la liste. Si cette option est désactivée, tous les éléments sont affichés dans l'ordre du tableau source. Configurer les paramètres avancés des segments Pour changer les paramètres avancés du segment, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Segment - Paramètres avancés s'ouvre: L'onglet Style et taille comprend les options suivantes: L'option En-tête permet de modifier l'en-tête du segment. Il faut désactiver l'option Afficher l'en-tête si vous ne souhaitez pas afficher l'en-tête du segment. La section Style vous permet de choisir l'un des styles de segment prédéfinis. Les options Largeur et Hauteur vous permettons de modifier la largeur et la taille du segment. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme ça) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. La section Boutons permet de déterminer le nombre de Colonnes et de configurer la Largeur et la Hauteur des boutons. L'onglet Trier et filtrer comprend les options suivantes: Croissant (A à Z) s'utilise pour trier les données par ordre alphabétique de A à Z ou par valeurs numériques du plus petit au plus grand. Décroissant (Z à A) s'utilise pour trier les données par ordre alphabétique décroissant de A à Z ou par valeurs numériques du plus grand au plus petit. Masquer les éléments vides permet de masquer les éléments qui ne contiennent pas de données dans le segment. Lorsque cette option est active, les options Indiquer visuellement les éléments sans données et Afficher les éléments sans données à la fin sont désactivées. Lorsque l'option Masquer les éléments vides est désactivé, on peut utiliser les options suivantes: Indiquer visuellement les éléments sans données pour afficher les éléments sans données sous format différent (couleur de fond plus claire). Afficher les éléments sans données à la fin permet d'afficher les éléments qui ne contiennent pas de données à la fin de la liste. L'onglet Références comprend les options suivantes: L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Utiliser le nom dans les formules permet de visualiser le nom du segment dans le Gestionnaire de noms. L'option Nom permet de définir un nom personnalisé pour le rendre plus compréhensible et significatif. L'onglet Alignement dans une cellule comprend les options suivantes: Déplacer et dimensionner avec des cellules - cette option permet de placé le segment derrière la cellule. Quand une cellule se déplace (par exemple: insertion ou suppression des lignes/colonnes), le segment se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du segment s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé le segment derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le segment se déplace aussi, mais si vous redimensionnez la cellule, le segment demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du segment si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du segment. Supprimer un segment Pour supprimer un segment, cliquez pour le sélectionner. Appuyez sur la touche de Suppression." + "body": "Créer un nouveau segment Une fois que vous avez créé dans le Tableur ou un tableau mis en forme d'après un modèle, vous pouvez créer des segments pour filtrer les données rapidement. Pour ce faire, sélectionnez au moins une cellule dans le tableau mis en forme avec la souris et appuyez sur l'icône Paramètres du tableau à droite. Cliquez sur Insérer un segment sous l'onglet Paramètres du tableau dans la barre latérale droite. Vous pouvez également passer à l'onglet Insérer dans la barre d'outils supérieure et y appuyer sur le bouton Segment. La fenêtre Insérer segments s'affiche : Dans la fenêtre Insérer segments, activez les cases à cocher de colonnes appropriées. Cliquez sur OK. Un segment est inséré dans toutes les colonnes que vous avez sélectionnées. Si vous avez ajouté plusieurs segments, ceux-ci se superposent. Une fois ajouté, on peut modifier la taille et l'emplacement aussi que les paramètres du segment. Un segment comporte des boutons sur lesquels vous pouvez cliquer pour filtrer les données du tableau mis en forme. Les boutons correspondants aux cellules vides portent les étiquettes (vide). Lorsque vous appuyer sur le bouton du segment, tous les autres boutons sont désactivés et la colonne visée du tableau source est filtrée pour afficher seulement les éléments choisis. Lorsque vous ajoutez plusieurs segments, la modification d'un segment peut affecter les éléments d'un autre. Lorsqu'il y a plusieurs filtres dans un même segment, les éléments qui ne contiennent pas de données peuvent apparaître dans un autre segment (couleur de fond plus claire) : Vous pouvez modifier le façon d'affichage des éléments qui ne contiennent pas de données dans les paramètres du segment. Pour sélectionner plusieurs boutons de segment, utiliser l'icône Sélection multiple dans le coin supérieur droit du segment ou appuyez sur la combinaison de touches Alt+S. Sélectionnez les boutons du segment en cochant les cases une par une. Pour effacer le filtre du segment, appuyez sur l'icône Annuler les filtres dans le coin supérieur droit du segment ou appuyez sur Alt+C. Modifier les segments On peut modifier certains paramètres sous l'onglet Paramètres des segments sur la barre latérale droite qui s'affiche quand vous sélectionnez le segment avec la souris. Cliquez sur l'icône pour masquer ou afficher cet onglet. Modifier la taille et l'emplacement du segment Les options Largeur et Hauteur vous permettons de modifier la largeur et la taille du segment. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme ça) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. La section Position permet de modifier la position du segment Horizontal et/ou Vertical. L'option Désactiver le redimensionnement et le déplacement permet d'empêcher le segment d'être redimensionné ou déplacé. Lorsque cette option active, les options Largeur, Hauteur, Position et Boutons sont désactivées. Modifier la mise en forme et le style du segment La section Boutons permet de déterminer le nombre de Colonnes et de configurer la Largeur et la Hauteur des boutons. Par défaut, un segment comporte une colonne. Les éléments en texte court peuvent être affichée sur deux ou plusieurs colonnes : Si vous modifiez la largeur du bouton, la largeur du segment change en conséquence. Si vous modifiez la hauteur du bouton, une barre de défilement est insérée au segment : La section Style vous permet de choisir l'un des styles de segment prédéfinis. Utiliser les fonctionnalités de tri et de filtrage Croissant (A à Z) s'utilise pour trier les données par ordre alphabétique de A à Z ou par valeurs numériques du plus petit au plus grand. Décroissant (Z à A) s'utilise pour trier les données par ordre alphabétique décroissant de A à Z ou par valeurs numériques du plus grand au plus petit. Masquer les éléments vides permet de masquer les éléments qui ne contiennent pas de données dans le segment. Lorsque cette option est active, les options Indiquer visuellement les éléments sans données et Afficher les éléments sans données à la fin sont désactivées. Lorsque l'option Masquer les éléments vides est désactivé, on peut utiliser les options suivantes : Indiquer visuellement les éléments sans données pour afficher les éléments sans données sous format différent (couleur de fond plus claire). Si cette option est désactivée, le format de tous les éléments reste le même. Afficher les éléments sans données à la fin permet d'afficher les éléments qui ne contiennent pas de données à la fin de la liste. Si cette option est désactivée, tous les éléments sont affichés dans l'ordre du tableau source. Configurer les paramètres avancés des segments Pour changer les paramètres avancés du segment, cliquez sur le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Segment - Paramètres avancés s'ouvre : L'onglet Style et taille comprend les options suivantes : L'option En-tête permet de modifier l'en-tête du segment. Il faut désactiver l'option Afficher l'en-tête si vous ne souhaitez pas afficher l'en-tête du segment. La section Style vous permet de choisir l'un des styles de segment prédéfinis. Les options Largeur et Hauteur vous permettons de modifier la largeur et la taille du segment. Lorsque le bouton Proportions constantes est activé (dans ce cas elle se présente comme ça) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. La section Boutons permet de déterminer le nombre de Colonnes et de configurer la Largeur et la Hauteur des boutons. L'onglet Trier et filtrer comprend les options suivantes : Croissant (A à Z) s'utilise pour trier les données par ordre alphabétique de A à Z ou par valeurs numériques du plus petit au plus grand. Décroissant (Z à A) s'utilise pour trier les données par ordre alphabétique décroissant de A à Z ou par valeurs numériques du plus grand au plus petit. Masquer les éléments vides permet de masquer les éléments qui ne contiennent pas de données dans le segment. Lorsque cette option est active, les options Indiquer visuellement les éléments sans données et Afficher les éléments sans données à la fin sont désactivées. Lorsque l'option Masquer les éléments vides est désactivé, on peut utiliser les options suivantes : Indiquer visuellement les éléments sans données pour afficher les éléments sans données sous format différent (couleur de fond plus claire). Afficher les éléments sans données à la fin permet d'afficher les éléments qui ne contiennent pas de données à la fin de la liste. L'onglet Références comprend les options suivantes : L'option Nom de source vous permet de visualiser le nom du champ tel qu'il apparait à l'en-tête de colonne dans l'ensemble de données sources. L'option Utiliser le nom dans les formules permet de visualiser le nom du segment dans le Gestionnaire de noms. L'option Nom permet de définir un nom personnalisé pour le rendre plus compréhensible et significatif. L'onglet Alignement dans une cellule comprend les options suivantes : Déplacer et dimensionner avec des cellules - cette option permet de placé le segment derrière la cellule. Quand une cellule se déplace (par exemple : insertion ou suppression des lignes/colonnes), le segment se déplace aussi. Quand vous ajustez la largeur ou la hauteur de la cellule, la dimension du segment s'ajuste aussi. Déplacer sans dimensionner avec les cellules - cette option permet de placé le segment derrière la cellule mais d'empêcher son redimensionnement. Quand une cellule se déplace, le segment se déplace aussi, mais si vous redimensionnez la cellule, le segment demeure inchangé. Ne pas déplacer et dimensionner avec les cellules - cette option empêche le déplacement ou redimensionnement du segment si la position ou la dimension de la cellule restent inchangées. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du segment. Supprimer un segment Pour supprimer un segment, cliquez pour le sélectionner. Appuyez sur la touche de Suppression." }, { "id": "UsageInstructions/SortData.htm", "title": "Trier et filtrer les données", - "body": "Trier les données Dans Spreadsheet Editor, vous pouvez trier rapidement vos données dans une feuille de calcul en utilisant l'une des options disponibles: Croissant sert à trier vos données dans l'ordre croissant - De A à Z par ordre alphabétique ou de plus petit au plus grand pour les données numériques. Décroissant sert à trier vos données dans l'ordre décroissant - De Z à A par ordre alphabétique ou de plus grand au plus petit pour les données numériques. Remarque: les options de Tri sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données. Pour trier vos données, sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage), cliquez sur l'icône Trier de A à Z située sous l'onglet Accueil ou Données de la barre d'outils supérieure pour trier les données dans l'ordre croissant, OU cliquez sur l'icône Trier de Z à A sous l'onglet Accueil ou Données de barre d'outils supérieure pour trier les données dans l'ordre décroissant. Remarque: si vous sélectionnez une seule colonne/ligne dans une plage de cellules ou une partie de la colonne/ligne, il vous sera demandé si vous souhaitez étendre la sélection pour inclure des cellules adjacentes ou trier uniquement les données sélectionnées. Vous pouvez également trier vos données en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur la plage de cellules sélectionnée, sélectionnez l'option Trier dans le menu, puis sélectionnez l'option de A à Z ou de Z à A dans le sous-menu. Il est également possible de trier les données par une couleur en utilisant le menu contextuel: faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données, sélectionnez l'option Trier dans le menu, sélectionnez l'option voulue dans le sous-menu: Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne. Filtrer les données Pour afficher uniquement les lignes qui répondent aux certains critères utilisez l'option Filtrer. Remarque: les options de Filtre sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données. Pour activer un filtre, Sélectionnez une plage de cellules contenant des données à filtrer (vous pouvez sélectionner une seule cellule dans une plage pour filtrer toute la plage), Cliquez sur l'icône Filtrer dans l'onglet Accueil ou Données de la barre d'outils supérieure. La flèche de déroulement apparaît dans la première cellule de chaque colonne de la plage de cellules sélectionnée. Cela signifie que le filtre est activé. Pour appliquer un filtre: Cliquez sur la flèche déroulante . La liste des options de Filtre s'affiche: Remarque: vous pouvez ajuster la taille de la fenêtre de filtrage en faisant glisser sa bordure droite à droite ou à gauche pour afficher les données d'une manière aussi convenable que possible. Configurez les paramètres du filtre. Vous pouvez procéder de l'une des trois manières suivantes: sélectionnez les données à afficher, filtrez les données selon certains critères ou filtrez les données par couleur. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtre sont triées par ordre croissant. Le nombre de valeurs uniques dans la plage de données filtrée s'affiche à droite de chaque valeur dans la fenêtre de filtrage. Remarque: la case à cocher {Vides} correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ , les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles: Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtre pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre de nombre ou le Filtre de texte dans la partie droite de la liste d'options de Filtre, puis sélectionner l'une des options dans le sous-menu: Pour le Filtre de nombre, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Les 10 premiers, Au dessus de la moyenne, Au dessous de la moyenne, Filtre personnalisé. Pour le Filtre de texte, les options suivantes sont disponibles: Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas..., Filtre personnalisé. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers et Au dessus/Au dessous de la moyenne), la fenêtre Filtre personnalisé s'ouvre. Le critère correspondant sera sélectionné dans la liste déroulante supérieure. Spécifiez la valeur nécessaire dans le champ situé à droite. Pour ajouter un critère supplémentaire, utilisez le bouton de commande Et si vous avez besoin de données qui satisfont aux deux critères ou cliquez sur le bouton de commande Ou si l'un des critères ou les deux peuvent être satisfaits. Sélectionnez ensuite le deuxième critère dans la liste déroulante inférieure et entrez la valeur nécessaire sur la droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Filtre personnalisé... dans la liste des options de Filtre de nombre/texte, le premier critère n'est pas sélectionné automatiquement, vous pouvez le définir vous-même. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de nombre, une nouvelle fenêtre s'ouvrira: La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure: Élément ou Pour cent. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Lorsque vous choisissez Au dessus/Au dessous de la moyenne de la liste Filtre de nombre, le filtre est appliqué tout de suite. Filtrer les données par couleur Si la plage de cellules que vous souhaitez filtrer contient des cellules que vous avez formatées en modifiant leur arrière-plan ou leur couleur de police (manuellement ou en utilisant des styles prédéfinis), vous pouvez utiliser l'une des options suivantes Filtrer par couleur des cellules - pour n'afficher que les entrées avec une certaine couleur de fond de cellule et masquer les autres, Filtrer par couleur de police - pour afficher uniquement les entrées avec une certaine couleur de police de cellule et masquer les autres. Lorsque vous sélectionnez l'option souhaitée, une palette contenant les couleurs utilisées dans la plage de cellules sélectionnée s'ouvre. Choisissez l'une des couleurs pour appliquer le filtre. Le bouton Filtre apparaîtra dans la première cellule de la colonne. Cela signifie que le filtre est appliqué. Le nombre d'enregistrements filtrés sera affiché dans la barre d'état (par exemple 25 des 80 enregistrements filtrés). Remarque: lorsque le filtre est appliqué, les lignes filtrées ne peuvent pas être modifiées lors du remplissage automatique, du formatage ou de la suppression du contenu visible. De telles actions affectent uniquement les lignes visibles, les lignes masquées par le filtre restent inchangées. Lorsque vous copiez et collez les données filtrées, seules les lignes visibles peuvent être copiées et collées. Ceci n'est pas équivalent aux lignes masquées manuellement qui sont affectées par toutes les actions similaires. Trier les données filtrées Vous pouvez définir l'ordre de tri des données que vous avez activées ou auxquelles vous avez appliqué un filtre. Cliquez sur la flèche de la liste déroulante ou sur le bouton Filtre et sélectionnez l'une des options dans la liste des options de Filtre: Trier du plus petit au plus grand - permet de trier vos données dans l'ordre croissant, en affichant la valeur la plus basse en haut de la colonne, Trier du plus grand au plus petit - permet de trier vos données dans l'ordre décroissant, en affichant la valeur la plus élevée en haut de la colonne, Trier par couleur des cellules - permet de sélectionner l'une des couleurs et d'afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Trier par couleur de police - permet de sélectionner l'une des couleurs et d'afficher les entrées avec la même couleur de police en haut de la colonne. Les deux dernières options peuvent être utilisées si la plage de cellules que vous souhaitez trier contient des cellules que vous avez formatées en modifiant leur arrière-plan ou la couleur de leur police (manuellement ou en utilisant des styles prédéfinis). Le sens du tri sera indiqué par une flèche dans les boutons du filtre. si les données sont triées par ordre croissant, la flèche déroulante dans la première cellule de la colonne ressemble à ceci: et le bouton Filtre ressemble à ceci: . Si les données sont triées par ordre décroissant, la flèche déroulante dans la première cellule de la colonne ressemble à ceci: et le bouton Filtre ressemble à ceci: . Vous pouvez également trier rapidement vos données par couleur en utilisant les options du menu contextuel. faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données, sélectionnez l'option Trier dans le menu, sélectionnez l'option voulue dans le sous-menu: Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne. Filtrer par le contenu de la cellule sélectionnée Vous pouvez également filtrer rapidement vos données par le contenu de la cellule sélectionnée en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur une cellule, sélectionnez l'option Filtre dans le menu, puis sélectionnez l'une des options disponibles: Filtrer par valeur de la cellule sélectionnée - pour n'afficher que les entrées ayant la même valeur que la cellule sélectionnée. Filtrer par couleur de cellule - pour n'afficher que les entrées ayant la même couleur de fond de cellule que la cellule sélectionnée. Filtrer par couleur de police - pour n'afficher que les entrées ayant la même couleur de police de cellule que la cellule sélectionnée. Mettre sous forme de modèle de tableau Pour faciliter le travail avec vos données, Spreadsheet Editor vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Pour en savoir plus sur la mise en forme des tableaux d'après un modèle, vous pouvez vous référer à cette page. Appliquer à nouveau le filtre Si les données filtrées ont été modifiées, vous pouvez actualiser le filtre pour afficher un résultat à jour: cliquez sur le bouton Filtre dans la première cellule de la colonne contenant les données filtrées, sélectionnez l'option Réappliquer dans la liste des options de Filtre qui s'ouvre. Vous pouvez également cliquer avec le bouton droit sur une cellule dans la colonne contenant les données filtrées et sélectionner l'option Réappliquer dans le menu contextuel. Effacer le filtre Pour effacer le filtre, cliquez sur le bouton Filtre dans la première cellule de la colonne contenant les données filtrées, sélectionnez l'option Effacer dans la liste d'options de Filtre qui s'ouvre. Vous pouvez également procéder de la manière suivante: sélectionner la plage de cellules contenant les données filtrées, cliquez sur l'icône Effacer le filtre située dans l'onglet Accueil ou Données de la barre d'outils supérieure. Le filtre restera activé, mais tous les paramètres de filtre appliqués seront supprimés et les boutons Filtre dans les premières cellules des colonnes seront remplacés par les flèches déroulantes . Supprimer le filtre Pour enlever le filtre, sélectionner la plage de cellules contenant les données filtrées, cliquez sur l'icône Filtrer située dans l'onglet Accueil ou Données de la barre d'outils supérieure. Le filtre sera désactivé et les flèches déroulantes disparaîtront des premières cellules des colonnes. Trier les données en fonction de plusieurs colonnes/lignes Pour trier les données en fonction de plusieurs colonnes/lignes, vous pouvez créer un tri à plusieurs niveaux en utilisant l'option Tri personnalisé. sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage), cliquez sur l'icône Tri personnalisé sous l'onglet Données de la barre d'outils supérieure, La fenêtre Trier s'affiche: La tri par défaut est par colonne. Pour modifier l'orientation de tri (c'est à dire trier les données sur les lignes au lieu de colonnes), cliquez sur le bouton Options en haut. La fenêtre Options de tri s'affiche: activez la case Mes données ont des en-têtes le cas échéant. choisissez Orientation appropriée: Trier du haut vers le bas pour trier les données sur colonnes ou Trier de la gauche vers la droite pour trier les données sur lignes, cliquez sur OK pour valider toutes les modifications et fermez la fenêtre. spécifiez le premier niveau de tri dans le champ Trier par: dans la section Colonne/Ligne sélectionnez la première colonne/ligne à trier, dans la liste Trier sur, choisissez l'une des options suivantes: Valeurs, Couleur de cellule ou Couleur de police, dans la liste Ordre, spécifiez l'ordre de tri. Les options disponibles varient en fonction du choix dans la liste Trier sur: si vous choisissez l'option Valeurs, choisissez entre Ascendant/Descendant pour les valeurs numériques dans la plage ou de A à Z / de Z à A pour les valeurs de texte dans la plage, si vous choisissez l'option Couleur de cellule, choisissez la couleur de cellule appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes, si vous choisissez l'option Couleur de police, choisissez la couleur de police appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes, ajoutez encore un niveau de tri en cliquant sur le bouton Ajouter un niveau, sélectionnez la deuxième ligne/colonne à trier et configurez le autres paramètres de tri dans des champs Puis par comme il est décrit ci-dessus. Ajoutez plusieurs niveaux de la même façon le cas échéant. Gérez tous les niveaux ajouté à l'aide des boutons en haut de la fenêtre: Supprimer un niveau, Copier un niveau ou changer l'ordre des niveaux à l'aide des boutons fléché Passer au niveau inférieur/Passer au niveau supérieur. Cliquez sur OK pour valider toutes les modifications et fermez la fenêtre. Toutes les données seront triées selon les niveaux de tri définis." + "body": "Trier les données Dans le Tableur, vous pouvez trier rapidement vos données dans une feuille de calcul en utilisant l'une des options disponibles : Croissant sert à trier vos données dans l'ordre croissant - De A à Z par ordre alphabétique ou de plus petit au plus grand pour les données numériques. Décroissant sert à trier vos données dans l'ordre décroissant - De Z à A par ordre alphabétique ou de plus grand au plus petit pour les données numériques. Remarque : les options de Tri sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données. Pour trier vos données, sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage), cliquez sur l'icône Trier de A à Z située sous l'onglet Accueil ou Données de la barre d'outils supérieure pour trier les données dans l'ordre croissant, OU cliquez sur l'icône Trier de Z à A sous l'onglet Accueil ou Données de barre d'outils supérieure pour trier les données dans l'ordre décroissant. Remarque : si vous sélectionnez une seule colonne/ligne dans une plage de cellules ou une partie de la colonne/ligne, il vous sera demandé si vous souhaitez étendre la sélection pour inclure des cellules adjacentes ou trier uniquement les données sélectionnées. Vous pouvez également trier vos données en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur la plage de cellules sélectionnée, sélectionnez l'option Trier dans le menu, puis sélectionnez l'option de A à Z ou de Z à A dans le sous-menu. Il est également possible de trier les données par une couleur en utilisant le menu contextuel : faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données, sélectionnez l'option Trier dans le menu, sélectionnez l'option voulue dans le sous-menu : Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne. Filtrer les données Pour afficher uniquement les lignes qui répondent aux certains critères utilisez l'option Filtrer. Remarque : les options de Filtre sont disponibles sous l'onglet Accueil aussi que sous l'onglet Données. Pour activer un filtre, Sélectionnez une plage de cellules contenant des données à filtrer (vous pouvez sélectionner une seule cellule dans une plage pour filtrer toute la plage), Cliquez sur l'icône Filtrer dans l'onglet Accueil ou Données de la barre d'outils supérieure. La flèche de déroulement apparaît dans la première cellule de chaque colonne de la plage de cellules sélectionnée. Cela signifie que le filtre est activé. Pour appliquer un filtre : Cliquez sur la flèche déroulante . La liste des options de Filtre s'affiche : Remarque : vous pouvez ajuster la taille de la fenêtre de filtrage en faisant glisser sa bordure droite à droite ou à gauche pour afficher les données d'une manière aussi convenable que possible. Configurez les paramètres du filtre. Vous pouvez procéder de l'une des trois manières suivantes : sélectionnez les données à afficher, filtrez les données selon certains critères ou filtrez les données par couleur. Sélectionner les données à afficher Décochez les cases des données que vous souhaitez masquer. A votre convenance, toutes les données dans la liste des options de Filtre sont triées par ordre croissant. Le nombre de valeurs uniques dans la plage de données filtrée s'affiche à droite de chaque valeur dans la fenêtre de filtrage. Remarque : la case à cocher {Vides} correspond aux cellules vides. Celle-ci est disponible quand il y a au moins une cellule vide dans la plage de cellules. Pour faciliter la procédure, utilisez le champ de recherche en haut. Taper votre requête partiellement ou entièrement dans le champ , les valeurs qui comprennent ces caractères-ci, s'affichent dans la liste ci-dessous. Ces deux options suivantes sont aussi disponibles : Sélectionner tous les résultats de la recherche - cochée par défaut. Permet de sélectionner toutes les valeurs correspondant à la requête. Ajouter le sélection actuelle au filtre - si vous cochez cette case, les valeurs sélectionnées ne seront pas masquées lorsque vous appliquerez le filtre. Après avoir sélectionné toutes les données nécessaires, cliquez sur le bouton OK dans la liste des options de Filtre pour appliquer le filtre. Filtrer les données selon certains critères En fonction des données contenues dans la colonne sélectionnée, vous pouvez choisir le Filtre de nombre ou le Filtre de texte dans la partie droite de la liste d'options de Filtre, puis sélectionner l'une des options dans le sous-menu : Pour le Filtre de nombre, les options suivantes sont disponibles : Équivaut à..., N'est pas égal à..., Plus grand que..., Plus grand ou égal à..., Moins que..., Moins que ou égal à..., Entre, Les 10 premiers, Au dessus de la moyenne, Au dessous de la moyenne, Filtre personnalisé. Pour le Filtre de texte, les options suivantes sont disponibles : Équivaut à..., N'est pas égal à..., Commence par..., Ne pas commencer par..., Se termine par..., Ne se termine pas avec..., Contient..., Ne contient pas..., Filtre personnalisé. Après avoir sélectionné l'une des options ci-dessus (à l'exception des options Les 10 premiers et Au dessus/Au dessous de la moyenne), la fenêtre Filtre personnalisé s'ouvre. Le critère correspondant sera sélectionné dans la liste déroulante supérieure. Spécifiez la valeur nécessaire dans le champ situé à droite. Pour ajouter un critère supplémentaire, utilisez le bouton de commande Et si vous avez besoin de données qui satisfont aux deux critères ou cliquez sur le bouton de commande Ou si l'un des critères ou les deux peuvent être satisfaits. Sélectionnez ensuite le deuxième critère dans la liste déroulante inférieure et entrez la valeur nécessaire sur la droite. Cliquez sur OK pour appliquer le filtre. Si vous choisissez l'option Filtre personnalisé... dans la liste des options de Filtre de nombre/texte, le premier critère n'est pas sélectionné automatiquement, vous pouvez le définir vous-même. Si vous choisissez l'option Les 10 premiers dans la liste des options de Filtre de nombre, une nouvelle fenêtre s'ouvrira : La première liste déroulante permet de choisir si vous souhaitez afficher les valeurs les plus élevées (Haut) ou les plus basses (Bas). La deuxième permet de spécifier le nombre d'entrées dans la liste ou le pourcentage du nombre total des entrées que vous souhaitez afficher (vous pouvez entrer un nombre compris entre 1 et 500). La troisième liste déroulante permet de définir des unités de mesure : Élément ou Pour cent. Une fois les paramètres nécessaires définis, cliquez sur OK pour appliquer le filtre. Lorsque vous choisissez Au dessus/Au dessous de la moyenne de la liste Filtre de nombre, le filtre est appliqué tout de suite. Filtrer les données par couleur Si la plage de cellules que vous souhaitez filtrer contient des cellules que vous avez formatées en modifiant leur arrière-plan ou leur couleur de police (manuellement ou en utilisant des styles prédéfinis), vous pouvez utiliser l'une des options suivantes Filtrer par couleur des cellules - pour n'afficher que les entrées avec une certaine couleur de fond de cellule et masquer les autres, Filtrer par couleur de police - pour afficher uniquement les entrées avec une certaine couleur de police de cellule et masquer les autres. Lorsque vous sélectionnez l'option souhaitée, une palette contenant les couleurs utilisées dans la plage de cellules sélectionnée s'ouvre. Choisissez l'une des couleurs pour appliquer le filtre. Le bouton Filtre apparaîtra dans la première cellule de la colonne. Cela signifie que le filtre est appliqué. Le nombre d'enregistrements filtrés sera affiché dans la barre d'état (par exemple 25 des 80 enregistrements filtrés). Remarque : lorsque le filtre est appliqué, les lignes filtrées ne peuvent pas être modifiées lors du remplissage automatique, du formatage ou de la suppression du contenu visible. De telles actions affectent uniquement les lignes visibles, les lignes masquées par le filtre restent inchangées. Lorsque vous copiez et collez les données filtrées, seules les lignes visibles peuvent être copiées et collées. Ceci n'est pas équivalent aux lignes masquées manuellement qui sont affectées par toutes les actions similaires. Trier les données filtrées Vous pouvez définir l'ordre de tri des données que vous avez activées ou auxquelles vous avez appliqué un filtre. Cliquez sur la flèche de la liste déroulante ou sur le bouton Filtre et sélectionnez l'une des options dans la liste des options de Filtre : Trier du plus petit au plus grand - permet de trier vos données dans l'ordre croissant, en affichant la valeur la plus basse en haut de la colonne, Trier du plus grand au plus petit - permet de trier vos données dans l'ordre décroissant, en affichant la valeur la plus élevée en haut de la colonne, Trier par couleur des cellules - permet de sélectionner l'une des couleurs et d'afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Trier par couleur de police - permet de sélectionner l'une des couleurs et d'afficher les entrées avec la même couleur de police en haut de la colonne. Les deux dernières options peuvent être utilisées si la plage de cellules que vous souhaitez trier contient des cellules que vous avez formatées en modifiant leur arrière-plan ou la couleur de leur police (manuellement ou en utilisant des styles prédéfinis). Le sens du tri sera indiqué par une flèche dans les boutons du filtre. si les données sont triées par ordre croissant, la flèche déroulante dans la première cellule de la colonne ressemble à ceci : et le bouton Filtre ressemble à ceci : . Si les données sont triées par ordre décroissant, la flèche déroulante dans la première cellule de la colonne ressemble à ceci : et le bouton Filtre ressemble à ceci : . Vous pouvez également trier rapidement vos données par couleur en utilisant les options du menu contextuel. faites un clic droit sur une cellule contenant la couleur que vous voulez utiliser pour trier vos données, sélectionnez l'option Trier dans le menu, sélectionnez l'option voulue dans le sous-menu : Couleur de cellule sélectionnée en haut - pour afficher les entrées avec la même couleur de fond de cellule en haut de la colonne, Couleur de police sélectionnée en haut - pour afficher les entrées avec la même couleur de police en haut de la colonne. Filtrer par le contenu de la cellule sélectionnée Vous pouvez également filtrer rapidement vos données par le contenu de la cellule sélectionnée en utilisant les options du menu contextuel. Cliquez avec le bouton droit sur une cellule, sélectionnez l'option Filtre dans le menu, puis sélectionnez l'une des options disponibles : Filtrer par valeur de la cellule sélectionnée - pour n'afficher que les entrées ayant la même valeur que la cellule sélectionnée. Filtrer par couleur de cellule - pour n'afficher que les entrées ayant la même couleur de fond de cellule que la cellule sélectionnée. Filtrer par couleur de police - pour n'afficher que les entrées ayant la même couleur de police de cellule que la cellule sélectionnée. Mettre sous forme de modèle de tableau Pour faciliter le travail avec vos données, le Tableur vous permet d'appliquer un modèle de tableau à une plage de cellules sélectionnée en activant automatiquement le filtre. Pour ce faire, sélectionnez une plage de cellules que vous souhaitez mettre en forme, cliquez sur l'icône Mettre sous forme de modèle de tableau sous l'onglet Accueil dans la barre d'outils supérieure. Sélectionnez le modèle souhaité dans la galerie, dans la fenêtre contextuelle ouverte, vérifiez la plage de cellules à mettre en forme comme un tableau, cochez la case Titre si vous souhaitez inclure les en-têtes de tableau dans la plage de cellules sélectionnée, sinon la ligne d'en-tête sera ajoutée en haut tandis que la plage de cellules sélectionnée sera déplacée d'une ligne vers le bas, cliquez sur le bouton OK pour appliquer le modèle sélectionné. Le modèle sera appliqué à la plage de cellules sélectionnée et vous serez en mesure d'éditer les en-têtes de tableau et d'appliquer le filtre pour travailler avec vos données. Pour en savoir plus sur la mise en forme des tableaux d'après un modèle, vous pouvez vous référer à cette page. Appliquer à nouveau le filtre Si les données filtrées ont été modifiées, vous pouvez actualiser le filtre pour afficher un résultat à jour : cliquez sur le bouton Filtre dans la première cellule de la colonne contenant les données filtrées, sélectionnez l'option Réappliquer dans la liste des options de Filtre qui s'ouvre. Vous pouvez également cliquer avec le bouton droit sur une cellule dans la colonne contenant les données filtrées et sélectionner l'option Réappliquer dans le menu contextuel. Effacer le filtre Pour effacer le filtre, cliquez sur le bouton Filtre dans la première cellule de la colonne contenant les données filtrées, sélectionnez l'option Effacer dans la liste d'options de Filtre qui s'ouvre. Vous pouvez également procéder de la manière suivante : sélectionner la plage de cellules contenant les données filtrées, cliquez sur l'icône Effacer le filtre située dans l'onglet Accueil ou Données de la barre d'outils supérieure. Le filtre restera activé, mais tous les paramètres de filtre appliqués seront supprimés et les boutons Filtre dans les premières cellules des colonnes seront remplacés par les flèches déroulantes . Supprimer le filtre Pour enlever le filtre, sélectionner la plage de cellules contenant les données filtrées, cliquez sur l'icône Filtrer située dans l'onglet Accueil ou Données de la barre d'outils supérieure. Le filtre sera désactivé et les flèches déroulantes disparaîtront des premières cellules des colonnes. Trier les données en fonction de plusieurs colonnes/lignes Pour trier les données en fonction de plusieurs colonnes/lignes, vous pouvez créer un tri à plusieurs niveaux en utilisant l'option Tri personnalisé. sélectionner une plage de cellules que vous souhaitez trier (vous pouvez sélectionner une seule cellule dans une plage pour trier toute la plage), cliquez sur l'icône Tri personnalisé sous l'onglet Données de la barre d'outils supérieure, La fenêtre Trier s'affiche : La tri par défaut est par colonne. Pour modifier l'orientation de tri (c'est à dire trier les données sur les lignes au lieu de colonnes), cliquez sur le bouton Options en haut. La fenêtre Options de tri s'affiche : activez la case Mes données ont des en-têtes le cas échéant. choisissez Orientation appropriée : Trier du haut vers le bas pour trier les données sur colonnes ou Trier de la gauche vers la droite pour trier les données sur lignes, cliquez sur OK pour valider toutes les modifications et fermez la fenêtre. spécifiez le premier niveau de tri dans le champ Trier par : dans la section Colonne/Ligne sélectionnez la première colonne/ligne à trier, dans la liste Trier sur, choisissez l'une des options suivantes : Valeurs, Couleur de cellule ou Couleur de police, dans la liste Ordre, spécifiez l'ordre de tri. Les options disponibles varient en fonction du choix dans la liste Trier sur : si vous choisissez l'option Valeurs, choisissez entre Ascendant/Descendant pour les valeurs numériques dans la plage ou de A à Z / de Z à A pour les valeurs de texte dans la plage, si vous choisissez l'option Couleur de cellule, choisissez la couleur de cellule appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes, si vous choisissez l'option Couleur de police, choisissez la couleur de police appropriée et En haut/En dessous pour les colonnes ou À gauche/À droite pour les lignes, ajoutez encore un niveau de tri en cliquant sur le bouton Ajouter un niveau, sélectionnez la deuxième ligne/colonne à trier et configurez le autres paramètres de tri dans des champs Puis par comme il est décrit ci-dessus. Ajoutez plusieurs niveaux de la même façon le cas échéant. Gérez tous les niveaux ajouté à l'aide des boutons en haut de la fenêtre : Supprimer un niveau, Copier un niveau ou changer l'ordre des niveaux à l'aide des boutons fléché Passer au niveau inférieur/Passer au niveau supérieur. Cliquez sur OK pour valider toutes les modifications et fermez la fenêtre. Toutes les données seront triées selon les niveaux de tri définis." }, { "id": "UsageInstructions/SupportSmartArt.htm", - "title": "Prise en charge des graphiques SmartArt par ONLYOFFICE Spreadsheet Editor", - "body": "Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. ONLYOFFICE Spreadsheet Editor prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt ou sur ses éléments, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique: Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte, l'alignement dans une cellule et le texte de remplacement. Paramètres du paragraphe pour modifier les retraits et l'espacement, la police et les taquets. Veuillez consulter la section Mise en forme du texte de la cellule pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes: Organiser pour organiser des objets en utilisant les options suivantes: Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non. Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt: Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt. Affecter une macro pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul. Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme. Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes: Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt: Aligner en haut, Aligner au milieu ou Aligner en bas. Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt: Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut. Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt. Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe." + "title": "Prise en charge des graphiques SmartArt par l'Éditeur de feuilles de calcul ONLYOFFICE", + "body": "Un graphique SmartArt sert à créer une représentation visuelle de la structure hiérarchique en choisissant le type du graphique qui convient le mieux. Éditeur de feuilles de calcul ONLYOFFICE prend en charge les graphiques SmartArt qui étaient créés dans d'autres applications. Vous pouvez ouvrir un fichier contenant SmartArt et le modifier en tant qu'un élément graphique en utilisant les outils d'édition disponibles. Une fois que vous avez cliqué sur un graphique SmartArt ou sur ses éléments, les onglets suivants deviennent actifs sur la barre latérale droite pour modifier la disposition du graphique : Paramètres de la forme pour modifier les formes inclues dans le graphique. Vous pouvez modifier les formes, le remplissage, les lignes, le style d'habillage, la position, les poids et les flèches, la zone de texte, l'alignement dans une cellule et le texte de remplacement. Paramètres du paragraphe pour modifier les retraits et l'espacement, la police et les taquets. Veuillez consulter la section Mise en forme du texte de la cellule pour une description détaillée de toutes options disponibles. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Paramètres de Texte Art pour modifier le style des objets Texte Art inclus dans le graphique SmartArt pour mettre en évidence du texte. Vous pouvez modifier le modèle de l'objet Text Art, le remplissage, la couleur et l'opacité, le poids, la couleur et le type des traits. Cette onglet n'est disponible que pour des éléments du graphique SmartArt. Faites un clic droit sur la bordure du graphique SmartArt ou sur la bordure de ses éléments pour accéder aux options suivantes : Organiser pour organiser des objets en utilisant les options suivantes : Mettre au premier plan, Mettre en arrière plan, Déplacer vers l'avant et Reculer sont disponibles pour le graphique SmartArt. Les options Grouper et Dissocier sont disponibles pour les éléments du graphique SmartArt et dépendent du fait s'ils sont groupés ou non. Rotation pour définir le sens de rotation de l'élément inclus dans le graphique SmartArt : Faire pivoter à droite de 90°, Faire pivoter à gauche de 90°, Retourner horizontalement, Retourner verticalement. L'option Rotation n'est disponible que pour les éléments du graphique SmartArt. Affecter une macro pour rendre l'accès à macro plus rapide et facile dans une feuille de calcul. Paramètres avancés de la forme pour accéder aux paramètres avancés de mise en forme. Faites un clic droit sur l'élément du graphique SmartArt pour accéder aux options suivantes : Alignement vertical pour définir l'alignement du texte dans l'élément du graphique SmartArt : Aligner en haut, Aligner au milieu ou Aligner en bas. Orientation du texte pour définir l'orientation du texte dans l'élément du graphique SmartArt : Horizontal, Rotation du texte vers le bas, Rotation du texte vers le haut. Lien hypertexte pour ajouter un lien hypertexte menant à l'élément du graphique SmartArt. Paramètres avancés du paragraphe pour accéder aux paramètres avancés de mise en forme du paragraphe." }, { "id": "UsageInstructions/Thesaurus.htm", "title": "Remplacer un mot par synonyme", - "body": "Si on répète plusieurs fois le même mot ou il ne semble pas que le mot est juste, ONLYOFFICE Spreadsheet Editor vous permet de trouver les synonymes. Retrouvez les antonymes du mot affiché aussi. Sélectionnez le mot dans votre feuille de calcul. Passez à l'onglet Modules complémentaires et choisissez Thésaurus. Le panneau gauche liste les synonymes et les antonymes. Cliquez sur le mot à remplacer dans votre feuille de calcul." + "body": "Si on répète plusieurs fois le même mot ou il ne semble pas que le mot est juste, l'Éditeur de feuilles de calcul ONLYOFFICE vous permet de trouver les synonymes. Retrouvez les antonymes du mot affiché aussi. Sélectionnez le mot dans votre feuille de calcul. Passez à l'onglet Modules complémentaires et choisissez Thésaurus. Le panneau gauche liste les synonymes et les antonymes. Cliquez sur le mot à remplacer dans votre feuille de calcul." }, { "id": "UsageInstructions/Translator.htm", "title": "Traduire un texte", - "body": "Dans Spreadsheet Editor, vous pouvez traduire votre feuille de calcul dans de nombreuses langues disponibles. Sélectionnez le texte à traduire. Passez à l'onglet Modules complémentaires et choisissez Traducteur, l'application de traduction s'affiche dans le panneau de gauche. Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée. Le texte sera traduit vers la langue choisi. Changez la langue cible: Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée. La traduction va changer tout de suite." + "body": "Dans le Tableur, vous pouvez traduire votre feuille de calcul dans de nombreuses langues disponibles. Sélectionnez le texte à traduire. Passez à l'onglet Modules complémentaires et choisissez Traducteur, l'application de traduction s'affiche dans le panneau de gauche. Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée. Le texte sera traduit vers la langue choisi. Changez la langue cible : Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée. La traduction va changer tout de suite." }, { "id": "UsageInstructions/UndoRedo.htm", "title": "Annuler/rétablir vos actions", - "body": "Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes disponibles dans la partie gauche de l'en-tête de Spreadsheet Editor: Annuler – utilisez l'icône Annuler pour annuler la dernière action effectuée. Rétablir – utilisez l'icône Rétablir pour rétablir la dernière action annulée. Les opérations annuler/rétablir peuvent être effectuées à l'aide des Raccourcis clavier. Remarque : lorsque vous co-éditez une feuilles de calcul en mode Rapide, la possibilité d’Annuler/Rétablir la dernière opération annulée n'est pas disponible." + "body": "Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes disponibles dans la partie gauche de l'en-tête du Tableur : Annuler – utilisez l'icône Annuler pour annuler la dernière action effectuée. Rétablir – utilisez l'icône Rétablir pour rétablir la dernière action annulée. Les opérations annuler/rétablir peuvent être effectuées à l'aide des Raccourcis clavier. Remarque : lorsque vous co-éditez une feuilles de calcul en mode Rapide, la possibilité d'Annuler/Rétablir la dernière opération annulée n'est pas disponible." }, { "id": "UsageInstructions/UseNamedRanges.htm", "title": "Utiliser les plages nommées", - "body": "Les noms sont des notations significatives pouvant être affectées àune cellule ou àune plage de cellules et utilisées pour simplifier l'utilisation de formules dans Spreadsheet Editor. En créant une formule, vous pouvez insérer un nom comme argument au lieu d'utiliser une référence àune plage de cellules. Par exemple, si vous affectez le nom Revenu_Annuel àune plage de cellules, il sera possible d'entrer =SUM(Revenu_Annuel) au lieu de =SUM(B1:B12). Sous une telle forme, les formules deviennent plus claires. Cette fonctionnalité peut également être utile dans le cas où beaucoup de formules se réfèrent àune même plage de cellules. Si l'adresse de plage est modifiée, vous pouvez effectuer la correction en une seule fois àl'aide du Gestionnaire de noms au lieu de modifier toutes les formules une par une. Deux types de noms peuvent être utilisés: Nom défini - nom arbitraire que vous pouvez spécifier pour une certaine plage de cellules. Les noms définis incluent également les noms créés automatiquement lors de la configuration de zones d'impression. Nom de tableau - nom par défaut attribué automatiquement à un nouveau tableau mis en forme d'après un modèle (Table1, Table2, etc.). Ce type de nom peut être modifié ultérieurement. Si vous avez créé un segment pour le tableau mis en forme d'après un modèle , l'e nom du segment qui été ajouté automatiquement s'afficherait dans le Gestionnaire de noms (Slegment_Colonne1, Segment_Colonne2 etc.). Le nom comprend le libellé Segment_ et l'en-tête de la colonne correspondant àcelui-ci de l'ensemble de données sources). Ce type de nom peut être modifié ultérieurement. Les noms sont également classés par Étendue, c'est-à-dire par l'emplacement où un nom est reconnu. La portée d'un nom peut être étendue à l'ensemble du classeur (il sera reconnu pour n'importe quelle feuille de calcul dans ce classeur) ou àune feuille de calcul distincte (il sera reconnu pour la feuille de calcul spécifiée uniquement). Chaque nom doit être unique dans sa portée, les mêmes noms peuvent être utilisés dans des portées différentes. Créer de nouveaux noms Pour créer un nouveau nom défini pour une sélection: Sélectionnez une cellule ou une plage de cellules à laquelle vous souhaitez attribuer un nom. Ouvrez une nouvelle fenêtre de nom d'une manière appropriée: Cliquez avec le bouton droit sur la sélection et choisissez l'option Définir le nom dans le menu contextuel, ou cliquez sur l'icône Plages nommées dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'option Définir un nom dans le menu. ou cliquez sur l'icône Plages nommées dans l'onglet Formule de la barre d'outils supérieure et sélectionnez l'option Gestionnaire de noms dans le menu. Choisissez l'option Nouveau dans la fenêtre qui s'affiche. La fenêtre Nouveau nom s'ouvrira: Entrez le Nom nécessaire dans le champ de saisie de texte. Remarque: un nom ne peut pas commencer àpartir d'un nombre, contenir des espaces ou des signes de ponctuation. Les tirets bas (_) sont autorisés. La casse n'a pas d'importance. Indiquez l'Étendu du nom. L'étendue au Classeur est sélectionnée par défaut, mais vous pouvez spécifier une feuille de calcul individuelle en la sélectionnant dans la liste. Vérifiez l'adresse de la Plage de données sélectionnée. Si nécessaire, vous pouvez la changer. Cliquez sur l'icône - la fenêtre Sélectionner la plage de données s'ouvre. Modifiez le lien àla plage de cellules dans le champ de saisie ou sélectionnez une nouvelle plage dans la feuille de calcul avec la souris et cliquez sur OK. Cliquez sur OK pour enregistrer le nouveau nom. Pour créer rapidement un nouveau nom pour la plage de cellules sélectionnée, vous pouvez également entrer le nom souhaité dans la zone de nom située àgauche de la barre de formule et appuyer sur Entrée. Un nom créé de cette manière a sa portée étendue au Classeur. Gérer les noms Tous les noms existants sont accessibles via le Gestionnaire de noms. Pour l'ouvrir: ou cliquez sur l'icône Plages nommées dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'option Gestionnaire de noms dans le menu. ou cliquez sur la flèche dans le champ du nom et sélectionnez l'option Gestionnaire de noms. La fenêtre Gestionnaire de noms s'ouvre: Pour plus de commodité, vous pouvez filtrer les noms en sélectionnant la catégorie de nom que vous voulez afficher: Tous, Noms définis, Noms de tableaux, Noms étendus àla feuille ou Noms étendus au classeur. Les noms appartenant àla catégorie sélectionnée seront affichés dans la liste, les autres noms seront cachés. Pour modifier l'ordre de tri de la liste affichée, vous pouvez cliquer sur les titres Plages nommées ou Étendue dans cette fenêtre. Pour modifier un nom, sélectionnez-le dans la liste et cliquez sur le bouton Modifier. La fenêtre Modifier le nom s'ouvre: Pour un nom défini, vous pouvez modifier le nom et la plage de données auxquels il fait référence. Pour un nom de tableau, vous pouvez uniquement changer le nom. Lorsque toutes les modifications nécessaires sont apportées, cliquez sur OK pour les appliquer. Pour annuler les modifications, cliquez sur Annuler. Si le nom modifié est utilisé dans une formule, la formule sera automatiquement modifiée en conséquence. Pour supprimer un nom, sélectionnez-le dans la liste et cliquez sur le bouton Suppr. Remarque: si vous supprimez un nom utilisé dans une formule, la formule ne fonctionnera plus (elle retournera l'erreur #NAME?). Vous pouvez également créer un nouveau nom dans la fenêtre Gestionnaire de noms en cliquant sur le bouton Nouveau. Utiliser des noms lorsque vous travaillez avec la feuille de calcul Pour naviguer rapidement entre les plages de cellules, vous pouvez cliquer sur la flèche dans la boite de nom et sélectionner le nom voulu dans la liste des noms. La plage de données correspondant àce nom sera sélectionnée dans la feuille de calcul. Remarque: la liste de noms affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur. Pour ajouter un nom en tant que argument d'une formule: Placez le point d'insertion où vous devez ajouter un nom. Effectuez l'une des actions suivantes: Entrez manuellement le nom de la plage nommée choisie àl'aide du clavier. Une fois que vous avez tapé les lettres initiales, la liste Autocomplétion de formule sera affichée. Au fur et àmesure que vous tapez, les éléments (formules et noms) correspondant aux caractères saisis sont affichés. Vous pouvez sélectionner le nom défini ou le nom du tableau dans la liste et l'insérer dans la formule en double-cliquant dessus ou en appuyant sur la touche Tabulation. ou cliquez sur l'icône Plages nommées dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez l'option Coller le nom dans le menu, choisissez le nom voulu dans la fenêtre Coller le nom et cliquez sur OK: Remarque: la liste Coller le nom affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur. Utiliser un nom comme lien hypertexte interne: Placez le point d'insertion où vous devez ajouter un lien hypertexte. passer àl'onglet Insérer et cliquer sur l'icône Lien hypertexte. Dans la fenêtre Paramètres du lien hypertexte qui apparaît, choisissez l'onglet Plage de données interne. Cliquez sur OK." + "body": "Les noms sont des notations significatives pouvant être affectées àune cellule ou àune plage de cellules et utilisées pour simplifier l'utilisation de formules dans le Tableur. En créant une formule, vous pouvez insérer un nom comme argument au lieu d'utiliser une référence àune plage de cellules. Par exemple, si vous affectez le nom Revenu_Annuel àune plage de cellules, il sera possible d'entrer =SUM(Revenu_Annuel) au lieu de =SUM(B1:B12). Sous une telle forme, les formules deviennent plus claires. Cette fonctionnalité peut également être utile dans le cas où beaucoup de formules se réfèrent àune même plage de cellules. Si l'adresse de plage est modifiée, vous pouvez effectuer la correction en une seule fois àl'aide du Gestionnaire de noms au lieu de modifier toutes les formules une par une. Deux types de noms peuvent être utilisés : Nom défini - nom arbitraire que vous pouvez spécifier pour une certaine plage de cellules. Les noms définis incluent également les noms créés automatiquement lors de la configuration de zones d'impression. Nom de tableau - nom par défaut attribué automatiquement à un nouveau tableau mis en forme d'après un modèle (Table1, Table2, etc.). Ce type de nom peut être modifié ultérieurement. Si vous avez créé un segment pour le tableau mis en forme d'après un modèle , l'e nom du segment qui été ajouté automatiquement s'afficherait dans le Gestionnaire de noms (Slegment_Colonne1, Segment_Colonne2 etc.). Le nom comprend le libellé Segment_ et l'en-tête de la colonne correspondant àcelui-ci de l'ensemble de données sources). Ce type de nom peut être modifié ultérieurement. Les noms sont également classés par Étendue, c'est-à-dire par l'emplacement où un nom est reconnu. La portée d'un nom peut être étendue à l'ensemble du classeur (il sera reconnu pour n'importe quelle feuille de calcul dans ce classeur) ou àune feuille de calcul distincte (il sera reconnu pour la feuille de calcul spécifiée uniquement). Chaque nom doit être unique dans sa portée, les mêmes noms peuvent être utilisés dans des portées différentes. Créer de nouveaux noms Pour créer un nouveau nom défini pour une sélection : Sélectionnez une cellule ou une plage de cellules à laquelle vous souhaitez attribuer un nom. Ouvrez une nouvelle fenêtre de nom d'une manière appropriée : Cliquez avec le bouton droit sur la sélection et choisissez l'option Définir le nom dans le menu contextuel, ou cliquez sur l'icône Plages nommées dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'option Définir un nom dans le menu. ou cliquez sur l'icône Plages nommées dans l'onglet Formule de la barre d'outils supérieure et sélectionnez l'option Gestionnaire de noms dans le menu. Choisissez l'option Nouveau dans la fenêtre qui s'affiche. La fenêtre Nouveau nom s'ouvrira : Entrez le Nom nécessaire dans le champ de saisie de texte. Remarque : un nom ne peut pas commencer àpartir d'un nombre, contenir des espaces ou des signes de ponctuation. Les tirets bas (_) sont autorisés. La casse n'a pas d'importance. Indiquez l'Étendu du nom. L'étendue au Classeur est sélectionnée par défaut, mais vous pouvez spécifier une feuille de calcul individuelle en la sélectionnant dans la liste. Vérifiez l'adresse de la Plage de données sélectionnée. Si nécessaire, vous pouvez la changer. Cliquez sur l'icône - la fenêtre Sélectionner la plage de données s'ouvre. Modifiez le lien àla plage de cellules dans le champ de saisie ou sélectionnez une nouvelle plage dans la feuille de calcul avec la souris et cliquez sur OK. Cliquez sur OK pour enregistrer le nouveau nom. Pour créer rapidement un nouveau nom pour la plage de cellules sélectionnée, vous pouvez également entrer le nom souhaité dans la zone de nom située àgauche de la barre de formule et appuyer sur Entrée. Un nom créé de cette manière a sa portée étendue au Classeur. Gérer les noms Tous les noms existants sont accessibles via le Gestionnaire de noms. Pour l'ouvrir : ou cliquez sur l'icône Plages nommées dans l'onglet Accueil de la barre d'outils supérieure et sélectionnez l'option Gestionnaire de noms dans le menu. ou cliquez sur la flèche dans le champ du nom et sélectionnez l'option Gestionnaire de noms. La fenêtre Gestionnaire de noms s'ouvre : Pour plus de commodité, vous pouvez filtrer les noms en sélectionnant la catégorie de nom que vous voulez afficher : Tous, Noms définis, Noms de tableaux, Noms étendus àla feuille ou Noms étendus au classeur. Les noms appartenant àla catégorie sélectionnée seront affichés dans la liste, les autres noms seront cachés. Pour modifier l'ordre de tri de la liste affichée, vous pouvez cliquer sur les titres Plages nommées ou Étendue dans cette fenêtre. Pour modifier un nom, sélectionnez-le dans la liste et cliquez sur le bouton Modifier. La fenêtre Modifier le nom s'ouvre : Pour un nom défini, vous pouvez modifier le nom et la plage de données auxquels il fait référence. Pour un nom de tableau, vous pouvez uniquement changer le nom. Lorsque toutes les modifications nécessaires sont apportées, cliquez sur OK pour les appliquer. Pour annuler les modifications, cliquez sur Annuler. Si le nom modifié est utilisé dans une formule, la formule sera automatiquement modifiée en conséquence. Pour supprimer un nom, sélectionnez-le dans la liste et cliquez sur le bouton Suppr. Remarque : si vous supprimez un nom utilisé dans une formule, la formule ne fonctionnera plus (elle retournera l'erreur #NAME?). Vous pouvez également créer un nouveau nom dans la fenêtre Gestionnaire de noms en cliquant sur le bouton Nouveau. Utiliser des noms lorsque vous travaillez avec la feuille de calcul Pour naviguer rapidement entre les plages de cellules, vous pouvez cliquer sur la flèche dans la boite de nom et sélectionner le nom voulu dans la liste des noms - la plage de données correspondant à ce nom sera sélectionnée dans la feuille de calcul. Remarque : la liste de noms affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur. Pour ajouter un nom en tant que argument d'une formule : Placez le point d'insertion où vous devez ajouter un nom. Effectuez l'une des actions suivantes : Entrez manuellement le nom de la plage nommée choisie àl'aide du clavier. Une fois que vous avez tapé les lettres initiales, la liste Autocomplétion de formule sera affichée. Au fur et àmesure que vous tapez, les éléments (formules et noms) correspondant aux caractères saisis sont affichés. Vous pouvez sélectionner le nom défini ou le nom du tableau dans la liste et l'insérer dans la formule en double-cliquant dessus ou en appuyant sur la touche Tabulation. ou cliquez sur l'icône Plages nommées dans l'onglet Accueil de la barre d'outils supérieure, sélectionnez l'option Coller le nom dans le menu, choisissez le nom voulu dans la fenêtre Coller le nom et cliquez sur OK : Remarque : la liste Coller le nom affiche les noms définis et les noms de tableaux étendus àla feuille de calcul en cours ou àl'ensemble du classeur. Utiliser un nom comme lien hypertexte interne : Placez le point d'insertion où vous devez ajouter un lien hypertexte. passer àl'onglet Insérer et cliquer sur l'icône Lien hypertexte. Dans la fenêtre Paramètres du lien hypertexte qui apparaît, choisissez l'onglet Plage de données interne. Cliquez sur OK." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Afficher les informations sur le fichier", - "body": "Pour accéder aux informations détaillées sur le classeur actuellement édité dans Spreadsheet Editor, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations du classeur.... Informations générales L'information sur la présentation comprend le titre de la présentation et l'application avec laquelle la présentation a été créée. Certains de ces paramètres sont mis à jour automatiquement mais les autres peuvent être modifiés. Emplacement - le dossier dans le module Documents où le fichier est stocké. Propriétaire - le nom de l'utilisateur qui a créé le fichier. Chargé - la date et l'heure quand le fichier a été créé. Ces paramètres ne sont disponibles que sous la version en ligne. Titre, sujet, commentaire - ces paramètres facilitent la classification des documents. Vos pouvez saisir l'information nécessaire dans les champs appropriés. Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois. Dernière modification par - le nom de l'utilisateur qui a apporté la dernière modification au classeur quand plusieurs utilisateurs travaillent sur un même fichier. Application - l'application dans laquelle on a créé le classeur. Auteur - la personne qui a créé le fichier. Saisissez le nom approprié dans ce champ. Appuyez sur la touche Entrée pour ajouter un nouveau champ et spécifier encore un auteur. Si vous avez modifié les paramètres du fichier, cliquez sur Appliquer pour enregistrer les modifications. Remarque: Les éditeurs en ligne vous permettent de modifier le titre du classeur directement à partir de l'interface de l'éditeur. Pour ce faire, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Renommer..., puis entrez le Nom de fichier voulu dans la nouvelle fenêtre qui s'ouvre et cliquez sur OK. Informations d'autorisation Dans la version en ligne, vous pouvez consulter les informations sur les permissions des fichiers stockés dans le cloud. Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour savoir qui a le droit d'afficher ou de modifier le classur, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche. Vous pouvez également changer les droits d'accès actuels en cliquant sur le bouton Changer les droits d'accès dans la section Personnes qui ont des droits. Historique des versions Dans la version en ligne, vous pouvez consulter l'historique des versions des fichiers stockés dans le cloud. Remarque: cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour afficher toutes les modifications apportées au classeur, sélectionnez l'option Historique des versions dans la barre latérale de gauche sous l'onglet Fichier. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions sous l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce classeur (changements majeurs) et des révisions (modifications mineures) avec l'indication de l'auteur de chaque version/révision et la date et l'heure de création. Pour les versions de classeur, le numéro de version est également spécifié (par exemple ver. 2). Pour savoir exactement quels changements ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Vous pouvez utiliser le lien Restaurer sous la version/révision sélectionnée pour la restaurer. Pour revenir à la version actuelle du document, utilisez l'option Fermer l'historique en haut de la liste des versions. Pour fermer l'onglet Fichier et reprendre le travail sur votre classur, sélectionnez l'option Fermer le menu." + "body": "Pour accéder aux informations détaillées sur le classeur actuellement édité dans le Tableur, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations du classeur.... Informations générales L'information sur la présentation comprend le titre de la présentation et l'application avec laquelle la présentation a été créée. Certains de ces paramètres sont mis à jour automatiquement mais les autres peuvent être modifiés. Emplacement - le dossier dans le module Documents où le fichier est stocké. Propriétaire - le nom de l'utilisateur qui a créé le fichier. Chargé - la date et l'heure quand le fichier a été créé. Ces paramètres ne sont disponibles que sous la version en ligne. Titre, sujet, commentaire - ces paramètres facilitent la classification des documents. Vos pouvez saisir l'information nécessaire dans les champs appropriés. Dernière modification - la date et l'heure quand le fichier a été modifié la dernière fois. Dernière modification par - le nom de l'utilisateur qui a apporté la dernière modification au classeur quand plusieurs utilisateurs travaillent sur un même fichier. Application - l'application dans laquelle on a créé le classeur. Auteur - la personne qui a créé le fichier. Saisissez le nom approprié dans ce champ. Appuyez sur la touche Entrée pour ajouter un nouveau champ et spécifier encore un auteur. Si vous avez modifié les paramètres du fichier, cliquez sur Appliquer pour enregistrer les modifications. Remarque : Les éditeurs en ligne vous permettent de modifier le titre du classeur directement à partir de l'interface de l'éditeur. Pour ce faire, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Renommer..., puis entrez le Nom de fichier voulu dans la nouvelle fenêtre qui s'ouvre et cliquez sur OK. Informations d'autorisation Dans la version en ligne, vous pouvez consulter les informations sur les permissions des fichiers stockés dans le cloud. Remarque : cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour savoir qui a le droit d'afficher ou de modifier le classur, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche. Vous pouvez également changer les droits d'accès actuels en cliquant sur le bouton Changer les droits d'accès dans la section Personnes qui ont des droits. Pour fermer l'onglet Fichier et reprendre le travail sur votre feuille de calcul, sélectionnez l'option Fermer le menu. Historique des versions Dans la version en ligne, vous pouvez consulter l'historique des versions des fichiers stockés dans le cloud. Remarque : cette option n'est pas disponible pour les utilisateurs disposant des autorisations en Lecture seule. Pour afficher toutes les modifications apportées au classeur, sélectionnez l'option Historique des versions dans la barre latérale de gauche sous l'onglet Fichier. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions sous l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce classeur (changements majeurs) et des révisions (modifications mineures) avec l'indication de l'auteur de chaque version/révision et la date et l'heure de création. Pour les versions de classeur, le numéro de version est également spécifié (par exemple ver. 2). Pour savoir exactement quels changements ont été apportés à chaque version/révision, vous pouvez voir celle qui vous intéresse en cliquant dessus dans la barre latérale de gauche. Vous pouvez utiliser le lien Restaurer sous la version/révision sélectionnée pour la restaurer. Pour revenir à la version actuelle du document, utilisez l'option Fermer l'historique en haut de la liste des versions." }, { "id": "UsageInstructions/YouTube.htm", "title": "Insérer une vidéo", - "body": "Dans Spreadsheet Editor, vous pouvez insérer une vidéo dans votre feuille de calcul. Celle-ci sera affichée comme une image. Faites un double-clic sur l'image pour faire apparaître la boîte de dialogue vidéo. Vous pouvez démarrer votre vidéo ici. Copier l'URL de la vidéo à insérer. (l'adresse complète dans la barre d'adresse du navigateur) Accédez à votre feuille de calcul et placez le curseur à l'endroit où la vidéo doit être inséré. Passez à l'onglet Modules complémentaires et choisissez YouTube. Collez l'URL et cliquez sur OK. Vérifiez si la vidéo est vrai et cliquez sur OK au-dessous la vidéo. Maintenant la vidéo est insérée dans votre feuille de calcul." + "body": "Dans le Tableur, vous pouvez insérer une vidéo dans votre feuille de calcul. Celle-ci sera affichée comme une image. Faites un double-clic sur l'image pour faire apparaître la boîte de dialogue vidéo. Vous pouvez démarrer votre vidéo ici. Copier l'URL de la vidéo à insérer. (l'adresse complète dans la barre d'adresse du navigateur) Accédez à votre feuille de calcul et placez le curseur à l'endroit où la vidéo doit être inséré. Passez à l'onglet Modules complémentaires et choisissez YouTube. Collez l'URL et cliquez sur OK. Vérifiez si la vidéo est vrai et cliquez sur OK au-dessous la vidéo. Maintenant la vidéo est insérée dans votre feuille de calcul." } ] \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/images/icons.png b/apps/spreadsheeteditor/main/resources/help/images/icons.png index a53afed3a..ffd732b31 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/images/icons.png and b/apps/spreadsheeteditor/main/resources/help/images/icons.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/sprite.css b/apps/spreadsheeteditor/main/resources/help/images/sprite.css index 0ee0c1be6..b4862cb98 100644 --- a/apps/spreadsheeteditor/main/resources/help/images/sprite.css +++ b/apps/spreadsheeteditor/main/resources/help/images/sprite.css @@ -282,50 +282,38 @@ height: 22px; } -.icon-searchdownbutton { - background-position: -114px -22px; - width: 45px; - height: 22px; -} - -.icon-searchupbutton { - background-position: -114px -44px; - width: 45px; - height: 22px; -} - .icon-SearchOptions { - background-position: -114px -66px; + background-position: -114px -22px; width: 42px; height: 22px; } .icon-verticalalignment { - background-position: 0px -103px; + background-position: -114px -44px; width: 33px; height: 22px; } .icon-pastespecialbutton { - background-position: -33px -103px; + background-position: -114px -66px; width: 30px; height: 22px; } .icon-sparklines_button { - background-position: -63px -103px; + background-position: 0px -103px; width: 28px; height: 22px; } .icon-thesaurus_icon { - background-position: -91px -103px; + background-position: -28px -103px; width: 28px; height: 22px; } .icon-addworksheet { - background-position: -119px -103px; + background-position: -56px -103px; width: 24px; height: 22px; } @@ -337,1531 +325,1567 @@ } .icon-descendingbutton { - background-position: 0px -125px; + background-position: -80px -103px; width: 22px; height: 22px; } .icon-go_to_the_next_word { - background-position: -22px -125px; + background-position: -102px -103px; width: 22px; height: 22px; } .icon-inserttexticon { - background-position: -44px -125px; + background-position: -124px -103px; width: 22px; height: 22px; } .icon-printareabutton { - background-position: -66px -125px; + background-position: 0px -125px; width: 20px; height: 22px; } .icon-calculationicon { - background-position: -86px -125px; + background-position: -20px -125px; width: 18px; height: 22px; } .icon-coeditingmode { - background-position: -104px -125px; + background-position: -38px -125px; width: 18px; height: 22px; } .icon-header_footer_icon { - background-position: -122px -125px; + background-position: -56px -125px; width: 18px; height: 22px; } .icon-versionhistoryicon { - background-position: -159px 0px; + background-position: -74px -125px; width: 24px; height: 21px; } .icon-pivot_refresh { - background-position: -159px -21px; + background-position: -98px -125px; width: 21px; height: 21px; } .icon-selectall { - background-position: 0px -147px; + background-position: -119px -125px; width: 27px; height: 20px; } .icon-dataval_icon { - background-position: -27px -147px; + background-position: -159px 0px; width: 26px; height: 20px; } .icon-sheetview_icon { - background-position: -53px -147px; + background-position: -159px -20px; width: 25px; height: 20px; } .icon-bringforward_toptoolbar { - background-position: -159px -42px; + background-position: -159px -40px; width: 20px; height: 20px; } .icon-changecolorscheme { - background-position: -159px -62px; + background-position: -159px -60px; width: 20px; height: 20px; } .icon-constantproportionsactivated { - background-position: -159px -82px; + background-position: -159px -80px; width: 20px; height: 20px; } .icon-copystyle_selected { - background-position: -159px -102px; + background-position: -159px -100px; width: 20px; height: 20px; } .icon-group_toptoolbar { - background-position: -159px -122px; + background-position: -159px -120px; width: 20px; height: 20px; } .icon-image { - background-position: -78px -147px; + background-position: 0px -147px; width: 20px; height: 20px; } .icon-insertautoshape { - background-position: -98px -147px; + background-position: -20px -147px; width: 20px; height: 20px; } .icon-insert_symbol_icon { - background-position: -118px -147px; + background-position: -40px -147px; width: 20px; height: 20px; } .icon-scaletofit { - background-position: -138px -147px; + background-position: -60px -147px; width: 20px; height: 20px; } .icon-sendbackward_toptoolbar { - background-position: -158px -147px; + background-position: -80px -147px; width: 20px; height: 20px; } .icon-show_password { - background-position: -183px 0px; + background-position: -100px -147px; width: 20px; height: 20px; } .icon-vector { - background-position: -183px -20px; + background-position: -120px -147px; width: 20px; height: 20px; } .icon-align_toptoolbar { - background-position: -183px -40px; + background-position: -140px -147px; width: 19px; height: 20px; } .icon-inserttextarticon { - background-position: -183px -60px; + background-position: -159px -147px; width: 16px; height: 20px; } .icon-sortcommentsicon { - background-position: 0px -167px; + background-position: -185px 0px; width: 31px; height: 19px; } .icon-chat_toptoolbar { - background-position: -31px -167px; + background-position: -185px -19px; width: 24px; height: 19px; } .icon-chart { - background-position: -55px -167px; + background-position: -185px -38px; width: 22px; height: 19px; } .icon-comment_toptoolbar { - background-position: -77px -167px; + background-position: -185px -57px; width: 22px; height: 19px; } .icon-insertequationicon { - background-position: -99px -167px; + background-position: -185px -76px; width: 22px; height: 19px; } .icon-pivotselecticon { - background-position: -121px -167px; + background-position: -185px -95px; width: 22px; height: 19px; } .icon-functionicon { - background-position: -183px -80px; + background-position: -185px -114px; width: 20px; height: 19px; } .icon-paste_style { - background-position: -183px -99px; + background-position: -185px -133px; width: 20px; height: 19px; } .icon-addhyperlink { - background-position: -183px -118px; + background-position: 0px -167px; width: 19px; height: 19px; } .icon-hiderulers { - background-position: -183px -137px; + background-position: -19px -167px; width: 19px; height: 19px; } .icon-removecomment_toptoolbar { - background-position: -143px -103px; + background-position: -144px -66px; width: 15px; height: 19px; } .icon-customsort { - background-position: -140px -125px; + background-position: -38px -167px; width: 18px; height: 18px; } .icon-new_icon { - background-position: -143px -167px; + background-position: -56px -167px; + width: 18px; + height: 18px; +} + +.icon-search_advanced { + background-position: -74px -167px; width: 18px; height: 18px; } .icon-searchbuttons { - background-position: -161px -167px; + background-position: -92px -167px; width: 33px; height: 17px; } .icon-horizontalalignment { - background-position: 0px -186px; + background-position: -125px -167px; width: 31px; height: 17px; } .icon-backgroundcolor { - background-position: -31px -186px; + background-position: -156px -167px; width: 25px; height: 17px; } .icon-removeduplicates_icon { - background-position: -56px -186px; + background-position: -181px -167px; width: 24px; height: 17px; } .icon-table { - background-position: -80px -186px; + background-position: 0px -186px; width: 22px; height: 17px; } .icon-changecolumnwidthcursor { - background-position: -102px -186px; + background-position: -22px -186px; width: 21px; height: 17px; } .icon-sharingicon { - background-position: -123px -186px; + background-position: -43px -186px; width: 21px; height: 17px; } .icon-chaticon_new { - background-position: -144px -186px; + background-position: -64px -186px; width: 19px; height: 17px; } .icon-groupicon { - background-position: -163px -186px; + background-position: -83px -186px; width: 19px; height: 17px; } .icon-selectdata_icon { - background-position: -182px -186px; + background-position: -102px -186px; width: 19px; height: 17px; } .icon-ungroupicon { - background-position: -203px 0px; + background-position: -121px -186px; width: 19px; height: 17px; } +.icon-search_icon_header { + background-position: -140px -186px; + width: 17px; + height: 17px; +} + .icon-insertslicer { - background-position: -203px -17px; + background-position: -157px -186px; width: 16px; height: 17px; } .icon-slicer_settings { - background-position: -203px -34px; + background-position: -173px -186px; width: 16px; height: 17px; } .icon-addgradientpoint { - background-position: -203px -51px; + background-position: -147px -44px; width: 12px; height: 17px; } .icon-removegradientpoint { - background-position: -203px -68px; + background-position: -146px -103px; width: 12px; height: 17px; } .icon-levelnumbericons { - background-position: 0px -203px; + background-position: -216px 0px; width: 48px; height: 16px; } -.icon-access_rights { - background-position: -48px -203px; - width: 29px; - height: 16px; -} - .icon-usersnumber { - background-position: -77px -203px; - width: 28px; + background-position: -216px -16px; + width: 22px; height: 16px; } .icon-close_icon { - background-position: -203px -85px; + background-position: -238px -16px; width: 18px; height: 16px; } .icon-saveupdate { - background-position: -203px -101px; + background-position: -216px -32px; width: 18px; height: 16px; } .icon-savewhilecoediting { - background-position: -203px -117px; + background-position: -234px -32px; width: 17px; height: 16px; } .icon-collapserowsicon { - background-position: -203px -133px; + background-position: -216px -48px; width: 16px; height: 16px; } .icon-converttorange { - background-position: -203px -149px; + background-position: -232px -48px; width: 16px; height: 16px; } .icon-dropdownarrow { - background-position: -203px -165px; + background-position: -248px -48px; width: 16px; height: 16px; } .icon-expandrowsicon { - background-position: -203px -181px; + background-position: -216px -64px; width: 16px; height: 16px; } .icon-filterbutton { - background-position: -105px -203px; + background-position: -232px -64px; width: 16px; height: 16px; } .icon-firstlevelicon { - background-position: -121px -203px; + background-position: -248px -64px; width: 16px; height: 16px; } .icon-highesttolowest { - background-position: -137px -203px; + background-position: -216px -80px; width: 16px; height: 16px; } .icon-highesttolowest1 { - background-position: -153px -203px; + background-position: -232px -80px; width: 16px; height: 16px; } .icon-lowesttohighest { - background-position: -169px -203px; + background-position: -248px -80px; width: 16px; height: 16px; } .icon-lowesttohighest1 { - background-position: -185px -203px; + background-position: -216px -96px; width: 16px; height: 16px; } .icon-pivot_settings { - background-position: -201px -203px; + background-position: -232px -96px; width: 16px; height: 16px; } .icon-secondlevelicon { - background-position: -222px 0px; + background-position: -248px -96px; width: 16px; height: 16px; } .icon-thirdlevelicon { - background-position: -222px -16px; + background-position: -216px -112px; width: 16px; height: 16px; } .icon-distributevertically { - background-position: -222px -32px; + background-position: -232px -112px; width: 14px; height: 16px; } .icon-textart_settings_icon { - background-position: -222px -48px; + background-position: -251px -32px; width: 12px; height: 16px; } .icon-namedrangesicon { - background-position: -114px -88px; + background-position: -216px -128px; width: 23px; height: 15px; } .icon-search_options { - background-position: -137px -88px; + background-position: -239px -128px; width: 22px; height: 15px; } +.icon-access_rights { + background-position: -216px -143px; + width: 19px; + height: 15px; +} + .icon-chaticon { - background-position: 0px -219px; + background-position: -246px -112px; width: 18px; height: 15px; } .icon-gotodocuments { - background-position: -18px -219px; + background-position: -235px -143px; width: 18px; height: 15px; } .icon-print { - background-position: -36px -219px; + background-position: -216px -158px; width: 17px; height: 15px; } .icon-bgcolor { - background-position: -222px -64px; + background-position: -233px -158px; width: 16px; height: 15px; } .icon-about { - background-position: -222px -79px; + background-position: -249px -158px; width: 15px; height: 15px; } .icon-abouticon { - background-position: -222px -94px; + background-position: -216px -173px; width: 15px; height: 15px; } .icon-advanced_settings_icon { - background-position: -222px -109px; + background-position: -231px -173px; width: 15px; height: 15px; } .icon-insertpivot { - background-position: -222px -124px; + background-position: -246px -173px; width: 15px; height: 15px; } .icon-plus { - background-position: -222px -139px; + background-position: -216px -188px; width: 15px; height: 15px; } .icon-plus_sheet { - background-position: -222px -154px; + background-position: -231px -188px; width: 15px; height: 15px; } .icon-save { - background-position: -222px -169px; + background-position: -246px -188px; width: 15px; height: 15px; } .icon-tabstopcenter { - background-position: -222px -184px; + background-position: -185px -152px; width: 15px; height: 15px; } .icon-tabstopleft { - background-position: -222px -199px; + background-position: -200px -152px; width: 15px; height: 15px; } .icon-feedback { - background-position: -53px -219px; + background-position: -114px -88px; width: 14px; height: 15px; } .icon-flipupsidedown { - background-position: -67px -219px; + background-position: -128px -88px; width: 14px; height: 15px; } .icon-shapesettings { - background-position: -81px -219px; + background-position: -142px -88px; width: 14px; height: 15px; } .icon-file { - background-position: -95px -219px; + background-position: -146px -125px; width: 13px; height: 15px; } .icon-back { - background-position: -108px -219px; + background-position: -189px -186px; width: 12px; height: 15px; } .icon-fontcolor { - background-position: -120px -219px; + background-position: 0px -203px; width: 25px; height: 14px; } .icon-numbering { - background-position: -145px -219px; + background-position: -25px -203px; width: 24px; height: 14px; } .icon-spellcheckactivated { - background-position: -169px -219px; + background-position: -49px -203px; width: 17px; height: 14px; } .icon-spellcheckdeactivated { - background-position: -186px -219px; + background-position: -66px -203px; width: 17px; height: 14px; } .icon-distributehorizontally { - background-position: -203px -219px; + background-position: -83px -203px; width: 16px; height: 14px; } .icon-fliplefttoright { - background-position: -219px -219px; + background-position: -201px -186px; width: 15px; height: 14px; } .icon-sort { - background-position: -238px 0px; + background-position: -99px -203px; width: 15px; height: 14px; } .icon-alignobjectbottom { - background-position: -238px -14px; + background-position: -114px -203px; width: 14px; height: 14px; } .icon-alignobjectleft { - background-position: -238px -28px; + background-position: -128px -203px; width: 14px; height: 14px; } .icon-alignobjectright { - background-position: -238px -42px; + background-position: -142px -203px; width: 14px; height: 14px; } .icon-alignobjecttop { - background-position: -238px -56px; + background-position: -156px -203px; width: 14px; height: 14px; } .icon-bordercolor { - background-position: -238px -70px; + background-position: -170px -203px; width: 14px; height: 14px; } .icon-borderwidth { - background-position: -238px -84px; + background-position: -184px -203px; width: 14px; height: 14px; } .icon-chartsettingsicon { - background-position: -238px -98px; + background-position: -198px -203px; width: 14px; height: 14px; } .icon-clearicon { - background-position: -238px -112px; + background-position: -212px -203px; width: 14px; height: 14px; } .icon-commentsicon { - background-position: -238px -126px; + background-position: -226px -203px; width: 14px; height: 14px; } .icon-deleteicon { - background-position: -238px -140px; + background-position: -240px -203px; width: 14px; height: 14px; } .icon-function { - background-position: -238px -154px; + background-position: 0px -217px; width: 14px; height: 14px; } .icon-group { - background-position: -238px -168px; + background-position: -14px -217px; width: 14px; height: 14px; } .icon-image_settings_icon { - background-position: -238px -182px; + background-position: -28px -217px; width: 14px; height: 14px; } .icon-searchicon { - background-position: -238px -196px; + background-position: -42px -217px; width: 14px; height: 14px; } .icon-shape_settings_icon { - background-position: -238px -210px; + background-position: -56px -217px; width: 14px; height: 14px; } .icon-ungroup { - background-position: 0px -234px; + background-position: -70px -217px; width: 14px; height: 14px; } .icon-alignobjectcenter { - background-position: -14px -234px; + background-position: -84px -217px; width: 13px; height: 14px; } .icon-copystyle { - background-position: -27px -234px; + background-position: -97px -217px; width: 12px; height: 14px; } .icon-gradientslider { - background-position: -39px -234px; + background-position: -109px -217px; width: 12px; height: 14px; } .icon-hard { - background-position: -80px -56px; + background-position: -253px -143px; width: 9px; height: 14px; } .icon-clear { - background-position: -51px -234px; + background-position: -121px -217px; width: 26px; height: 13px; } .icon-outline { - background-position: -77px -234px; + background-position: -147px -217px; width: 25px; height: 13px; } .icon-bullets { - background-position: -102px -234px; + background-position: -172px -217px; width: 24px; height: 13px; } .icon-insertfunction { - background-position: -126px -234px; + background-position: -196px -217px; width: 24px; height: 13px; } .icon-orientation { - background-position: -150px -234px; + background-position: -220px -217px; width: 24px; height: 13px; } .icon-insertchart { - background-position: -174px -234px; + background-position: 0px -231px; width: 22px; height: 13px; } .icon-insert_dropcap_icon { - background-position: -196px -234px; + background-position: -22px -231px; width: 22px; height: 13px; } .icon-pagebreak1 { - background-position: -218px -234px; + background-position: -44px -231px; width: 22px; height: 13px; } .icon-headerfooter { - background-position: -253px 0px; + background-position: -66px -231px; width: 21px; height: 13px; } .icon-insertcells { - background-position: -253px -13px; + background-position: -87px -231px; width: 21px; height: 13px; } .icon-pagesize { - background-position: -253px -26px; + background-position: -244px -217px; width: 20px; height: 13px; } +.icon-cut { + background-position: -108px -231px; + width: 16px; + height: 13px; +} + .icon-removeduplicates { - background-position: -253px -39px; + background-position: -124px -231px; width: 16px; height: 13px; } .icon-text_autoshape { - background-position: -253px -52px; + background-position: -140px -231px; width: 16px; height: 13px; } .icon-changerange { - background-position: -253px -65px; + background-position: -156px -231px; width: 15px; height: 13px; } .icon-feedbackicon { - background-position: -253px -78px; + background-position: -171px -231px; width: 15px; height: 13px; } .icon-greencircle { - background-position: -253px -91px; + background-position: -186px -231px; width: 15px; height: 13px; } .icon-alignobjectmiddle { - background-position: -253px -104px; + background-position: -201px -231px; width: 14px; height: 13px; } .icon-clearstyle { - background-position: -253px -117px; + background-position: -215px -231px; width: 14px; height: 13px; } .icon-copy { - background-position: -253px -130px; + background-position: -229px -231px; width: 14px; height: 13px; } .icon-hyperlink { - background-position: -253px -143px; + background-position: -243px -231px; width: 14px; height: 13px; } .icon-multiselect { - background-position: -253px -156px; + background-position: 0px -244px; width: 14px; height: 13px; } .icon-paste { - background-position: -253px -169px; + background-position: -14px -244px; + width: 14px; + height: 13px; +} + +.icon-select_all { + background-position: -28px -244px; width: 14px; height: 13px; } .icon-wraptext { - background-position: -253px -182px; + background-position: -42px -244px; width: 14px; height: 13px; } .icon-allborders { - background-position: -253px -195px; + background-position: -56px -244px; width: 13px; height: 13px; } .icon-bottomborders { - background-position: -253px -208px; + background-position: -69px -244px; width: 13px; height: 13px; } .icon-bringforward { - background-position: -253px -221px; + background-position: -82px -244px; width: 13px; height: 13px; } .icon-bringtofront { - background-position: -253px -234px; + background-position: -95px -244px; width: 13px; height: 13px; } .icon-document_language { - background-position: -240px -234px; + background-position: -108px -244px; width: 13px; height: 13px; } .icon-dropcap_margin { - background-position: 0px -248px; + background-position: -121px -244px; width: 13px; height: 13px; } .icon-dropcap_none { - background-position: -13px -248px; + background-position: -134px -244px; width: 13px; height: 13px; } .icon-dropcap_text { - background-position: -26px -248px; + background-position: -147px -244px; width: 13px; height: 13px; } .icon-equationplaceholder { - background-position: -39px -248px; + background-position: -160px -244px; width: 13px; height: 13px; } .icon-fitpage { - background-position: -52px -248px; + background-position: -173px -244px; width: 13px; height: 13px; } .icon-fitwidth { - background-position: -65px -248px; + background-position: -186px -244px; width: 13px; height: 13px; } .icon-insideborders { - background-position: -78px -248px; + background-position: -199px -244px; width: 13px; height: 13px; } .icon-insidehorizontalborders { - background-position: -91px -248px; + background-position: -212px -244px; width: 13px; height: 13px; } .icon-insideverticalborders { - background-position: -104px -248px; + background-position: -225px -244px; width: 13px; height: 13px; } .icon-leftborders { - background-position: -117px -248px; + background-position: -238px -244px; width: 13px; height: 13px; } .icon-noborders { - background-position: -130px -248px; + background-position: -251px -244px; width: 13px; height: 13px; } .icon-outsideborders { - background-position: -143px -248px; + background-position: -264px 0px; width: 13px; height: 13px; } .icon-rightborders { - background-position: -156px -248px; + background-position: -264px -13px; width: 13px; height: 13px; } .icon-sendbackward { - background-position: -169px -248px; + background-position: -264px -26px; width: 13px; height: 13px; } .icon-sendtoback { - background-position: -182px -248px; + background-position: -264px -39px; width: 13px; height: 13px; } .icon-topborders { - background-position: -195px -248px; + background-position: -264px -52px; width: 13px; height: 13px; } .icon-zoomin { - background-position: -208px -248px; + background-position: -264px -65px; width: 13px; height: 13px; } .icon-currencystyle { - background-position: -221px -248px; + background-position: -264px -78px; width: 12px; height: 13px; } .icon-editcommenticon { - background-position: -233px -248px; + background-position: -264px -91px; width: 12px; height: 13px; } .icon-insertpagenumber { - background-position: -245px -248px; + background-position: -264px -104px; width: 12px; height: 13px; } .icon-rotateclockwise { - background-position: -257px -248px; + background-position: -264px -117px; width: 12px; height: 13px; } .icon-rotatecounterclockwise { - background-position: 0px -261px; + background-position: -264px -130px; width: 12px; height: 13px; } .icon-alignmiddle { - background-position: -12px -261px; + background-position: -264px -143px; width: 11px; height: 13px; } .icon-textsettings { - background-position: -23px -261px; + background-position: -264px -156px; width: 10px; height: 13px; } .icon-accountingstyle { - background-position: -33px -261px; + background-position: 0px -257px; width: 26px; height: 12px; } .icon-cellsettings_rightpanel { - background-position: -59px -261px; + background-position: -26px -257px; width: 15px; height: 12px; } .icon-decreasedecimal { - background-position: -74px -261px; + background-position: -41px -257px; width: 14px; height: 12px; } .icon-slicer_clearfilter { - background-position: -88px -261px; + background-position: -55px -257px; width: 14px; height: 12px; } .icon-increasedecimal { - background-position: -102px -261px; + background-position: -264px -169px; width: 13px; height: 12px; } .icon-angleclockwise { - background-position: -115px -261px; + background-position: -264px -181px; width: 12px; height: 12px; } .icon-anglecounterclockwise { - background-position: -127px -261px; + background-position: -264px -193px; width: 12px; height: 12px; } .icon-circle { - background-position: -139px -261px; + background-position: -264px -205px; width: 12px; height: 12px; } .icon-firstsheet { - background-position: -151px -261px; + background-position: -264px -217px; width: 12px; height: 12px; } .icon-larger { - background-position: -163px -261px; + background-position: -264px -229px; width: 12px; height: 12px; } .icon-nofill { - background-position: -175px -261px; + background-position: -264px -241px; width: 12px; height: 12px; } .icon-sup { - background-position: -187px -261px; + background-position: -69px -257px; width: 12px; height: 12px; } .icon-deletecommenticon { - background-position: -199px -261px; + background-position: -205px -114px; width: 11px; height: 12px; } .icon-selectcolumn_cursor { - background-position: -210px -261px; + background-position: -205px -133px; width: 11px; height: 12px; } .icon-tabletemplate { - background-position: -221px -261px; + background-position: -81px -257px; width: 26px; height: 11px; } .icon-merge { - background-position: -247px -261px; + background-position: -107px -257px; width: 24px; height: 11px; } .icon-subscripticon { - background-position: -274px 0px; + background-position: -131px -257px; width: 24px; height: 11px; } .icon-addborders { - background-position: -274px -11px; + background-position: -155px -257px; width: 22px; height: 11px; } .icon-deletecells { - background-position: -274px -22px; + background-position: -177px -257px; width: 21px; height: 11px; } .icon-linespacing { - background-position: -274px -33px; + background-position: -198px -257px; width: 21px; height: 11px; } .icon-nonprintingcharacters { - background-position: -274px -44px; + background-position: -219px -257px; width: 20px; height: 11px; } .icon-namedranges { - background-position: -274px -55px; + background-position: -239px -257px; width: 16px; height: 11px; } .icon-table_settings_icon { - background-position: -274px -66px; + background-position: -255px -257px; width: 16px; height: 11px; } .icon-viewsettingsicon { - background-position: -274px -77px; + background-position: -277px 0px; width: 16px; height: 11px; } .icon-sub { - background-position: -274px -88px; + background-position: -277px -11px; width: 13px; height: 11px; } .icon-aligncenter { - background-position: -274px -99px; + background-position: -277px -22px; width: 12px; height: 11px; } .icon-alignleft { - background-position: -286px -99px; + background-position: -277px -33px; width: 12px; height: 11px; } .icon-alignright { - background-position: -274px -110px; + background-position: -277px -44px; width: 12px; height: 11px; } .icon-borderstyle { - background-position: -286px -110px; + background-position: -277px -55px; width: 12px; height: 11px; } .icon-clearfilter { - background-position: -274px -121px; + background-position: -277px -66px; width: 12px; height: 11px; } .icon-decreasedec { - background-position: -286px -121px; + background-position: -277px -77px; width: 12px; height: 11px; } .icon-decreaseindent { - background-position: -274px -132px; + background-position: -277px -88px; width: 12px; height: 11px; } .icon-increasedec { - background-position: -286px -132px; + background-position: -277px -99px; width: 12px; height: 11px; } .icon-increaseindent { - background-position: -274px -143px; + background-position: -277px -110px; width: 12px; height: 11px; } .icon-justify { - background-position: -286px -143px; + background-position: -277px -121px; width: 12px; height: 11px; } .icon-resolvedicon { - background-position: -274px -154px; + background-position: -277px -132px; width: 12px; height: 11px; } .icon-resolveicon { - background-position: -286px -154px; + background-position: -277px -143px; width: 12px; height: 11px; } .icon-selecttable_cursor { - background-position: -274px -165px; + background-position: -277px -154px; width: 12px; height: 11px; } .icon-sortandfilter { - background-position: -286px -165px; + background-position: -277px -165px; width: 12px; height: 11px; } .icon-alignbottom { - background-position: -287px -88px; + background-position: -277px -176px; width: 11px; height: 11px; } .icon-aligntop { - background-position: -274px -176px; + background-position: -277px -187px; width: 11px; height: 11px; } .icon-diagonal_down_border { - background-position: -285px -176px; + background-position: -277px -198px; width: 11px; height: 11px; } .icon-diagonal_up_border { - background-position: -274px -187px; + background-position: -277px -209px; width: 11px; height: 11px; } .icon-sortatoz { - background-position: -285px -187px; + background-position: -277px -220px; width: 11px; height: 11px; } .icon-sortztoa { - background-position: -274px -198px; + background-position: -277px -231px; width: 11px; height: 11px; } .icon-percentstyle { - background-position: -285px -198px; + background-position: -277px -242px; width: 10px; height: 11px; } .icon-underline { - background-position: -274px -209px; + background-position: -277px -253px; width: 10px; height: 11px; } .icon-verticaltext { - background-position: -284px -209px; + background-position: -80px -56px; width: 10px; height: 11px; } .icon-zoomout { - background-position: -274px -220px; + background-position: -80px -67px; width: 10px; height: 11px; } .icon-rotatedown { - background-position: -284px -220px; + background-position: -207px -38px; width: 9px; height: 11px; } .icon-highlightcolor { - background-position: -274px -231px; + background-position: 0px -269px; width: 23px; height: 10px; } .icon-navigationicon { - background-position: -274px -241px; + background-position: -23px -269px; width: 13px; height: 10px; } .icon-strike { - background-position: -274px -251px; + background-position: -36px -269px; width: 12px; height: 10px; } .icon-smaller { - background-position: -287px -241px; + background-position: -205px -167px; width: 11px; height: 10px; } .icon-yellowdiamond { - background-position: -286px -251px; + background-position: -48px -269px; width: 11px; height: 10px; } .icon-lastsheet { - background-position: -274px -261px; + background-position: -175px -147px; width: 10px; height: 10px; } .icon-rotateup { - background-position: -284px -261px; + background-position: -207px -57px; width: 9px; height: 10px; } .icon-bold { - background-position: -290px -55px; + background-position: -256px -16px; width: 8px; height: 10px; } .icon-nextsheet { - background-position: -290px -66px; + background-position: -207px -76px; width: 8px; height: 10px; } .icon-previoussheet { - background-position: -290px -77px; + background-position: -207px -95px; width: 8px; height: 10px; } .icon-italic { - background-position: -267px -104px; + background-position: -209px -19px; width: 7px; height: 10px; } .icon-redo { - background-position: -183px -156px; - width: 17px; - height: 9px; -} - -.icon-undo { background-position: -90px -71px; width: 17px; height: 9px; } +.icon-undo { + background-position: -59px -269px; + width: 17px; + height: 9px; +} + .icon-selectrow_cursor { - background-position: -238px -224px; + background-position: -76px -269px; width: 12px; height: 9px; } .icon-horizontaltext { - background-position: -80px -70px; + background-position: -175px -157px; width: 10px; height: 9px; } .icon-cellrow { - background-position: -194px -167px; + background-position: -207px -67px; width: 9px; height: 9px; } .icon-resize_square { - background-position: 0px -274px; + background-position: -207px -86px; width: 9px; height: 9px; } +.icon-searchdownbutton { + background-position: -88px -269px; + width: 14px; + height: 8px; +} + +.icon-searchupbutton { + background-position: -102px -269px; + width: 14px; + height: 8px; +} + .icon-constantproportions { - background-position: -9px -274px; + background-position: -116px -269px; width: 13px; height: 8px; } .icon-tabstopcenter_marker { - background-position: -22px -274px; + background-position: -129px -269px; width: 12px; height: 8px; } .icon-soft { - background-position: -34px -274px; + background-position: -254px -203px; width: 10px; height: 8px; } .icon-tabstopleft_marker { - background-position: -266px -195px; + background-position: -207px -49px; width: 8px; height: 8px; } .icon-tabstopright_marker { - background-position: -266px -208px; + background-position: -207px -105px; width: 8px; height: 8px; } .icon-redo1 { - background-position: -203px -197px; + background-position: -159px -140px; width: 13px; height: 6px; } .icon-undo1 { - background-position: -44px -274px; + background-position: -172px -140px; width: 13px; height: 6px; } .icon-nextpage { - background-position: -293px -220px; + background-position: -288px -176px; width: 5px; height: 6px; } .icon-previouspage { - background-position: -293px -261px; + background-position: -288px -187px; width: 5px; height: 6px; } .icon-tab { - background-position: -222px -214px; + background-position: -277px -264px; width: 10px; height: 5px; } .icon-connectionpoint { - background-position: -293px -226px; + background-position: -288px -182px; width: 5px; height: 5px; } .icon-nonbreakspace { - background-position: -269px -39px; + background-position: -288px -193px; width: 5px; height: 5px; } .icon-square { - background-position: -269px -44px; + background-position: -288px -198px; width: 5px; height: 5px; } .icon-space { - background-position: -296px -11px; + background-position: -290px -11px; width: 2px; height: 3px; } diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/access_rights.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/access_rights.png index 7b9a846a2..fd245dca4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/images/src/icons/access_rights.png and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/access_rights.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/cut.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/cut.png new file mode 100644 index 000000000..69be926ac Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/cut.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/saveupdate.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/saveupdate.png index 4f0bf5de6..09e5b2cd1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/images/src/icons/saveupdate.png and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/saveupdate.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/search_advanced.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/search_advanced.png new file mode 100644 index 000000000..ca9372da7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/search_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/search_icon_header.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/search_icon_header.png new file mode 100644 index 000000000..826bdb98e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/search_icon_header.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchdownbutton.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchdownbutton.png index 4f40e511b..3228e3278 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchdownbutton.png and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchdownbutton.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchupbutton.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchupbutton.png index 20b8513a2..32a672cc0 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchupbutton.png and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/searchupbutton.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/select_all.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/select_all.png new file mode 100644 index 000000000..9a4c4acb4 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/select_all.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/images/src/icons/usersnumber.png b/apps/spreadsheeteditor/main/resources/help/images/src/icons/usersnumber.png index 34b617c33..c1317bd25 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/images/src/icons/usersnumber.png and b/apps/spreadsheeteditor/main/resources/help/images/src/icons/usersnumber.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/SupportedFormats.htm index 051ce98fc..f1d0dbc0c 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/it/HelpfulHints/SupportedFormats.htm @@ -14,75 +14,116 @@
          -

          Supported Formats of Spreadsheets

          -

          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.

          - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
          FormatsDescriptionViewEditDownload
          XLSFile extension for a spreadsheet file created by Microsoft Excel++
          XLSXDefault file extension for a spreadsheet file written in Microsoft Office Excel 2007 (or later versions)+++
          XLTXExcel 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
          +++
          ODSFile extension for a spreadsheet file used by OpenOffice and StarOffice suites, an open standard for spreadsheets+++
          OTSOpenDocument 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
          +++
          CSVComma Separated Values
          File format used to store tabular data (numbers and text) in plain-text form
          +++
          PDFPortable Document Format
          File format used to represent documents in a manner independent of application software, hardware, and operating systems
          +
          PDF/APortable 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.
          ++
          - - +

          Supported Formats of Spreadsheets

          +

          + A spreadsheet is a table of data organized in rows and columns. + It is most frequently used to store financial information because of its ability to re-calculate the entire sheet automatically after a change to a single cell is made. + The Spreadsheet Editor allows you to open, view and edit the most popular spreadsheet file formats. +

          +

          While uploading or opening the file for editing, it will be converted to the Office Open XML (XLSX) format. It's done to speed up the file processing and increase the interoperability.

          +

          The following table contains the formats which can be opened for viewing and/or editing.

          + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
          FormatsDescriptionView nativelyView after conversion to OOXMLEdit nativelyEdit after conversion to OOXML
          CSVComma Separated Values
          File format used to store tabular data (numbers and text) in plain-text form
          ++
          ODSFile extension for spreadsheet files used by OpenOffice and StarOffice suites, an open standard for spreadsheets++
          OTSOpenDocument 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
          ++
          XLSFile extension for spreadsheet files created by Microsoft Excel++
          XLSXDefault file extension for spreadsheet files written in Microsoft Office Excel 2007 (or later versions)++
          XLTXExcel 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
          ++
          +

          The following table contains the formats in which you can download a spreadsheet from the File -> Download as menu.

          + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
          Input formatCan be downloaded as
          CSVCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          ODSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          OTSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLSXCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLTXCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          +

          You can also refer to the conversion matrix on api.onlyoffice.com to see possibility of conversion your spreadsheets into the most known file formats.

          + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Contents.json b/apps/spreadsheeteditor/main/resources/help/ru/Contents.json index faf1e79ba..21d406d8c 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/ru/Contents.json @@ -8,7 +8,7 @@ { "src": "ProgramInterface/DataTab.htm", "name": "Вкладка Данные" }, { "src": "ProgramInterface/PivotTableTab.htm", "name": "Вкладка Сводная таблица" }, {"src": "ProgramInterface/CollaborationTab.htm", "name": "Вкладка Совместная работа"}, - {"src": "ProgramInterface/ProtectionTab.htm", "name": "Вкладка Защита"}, + {"src": "ProgramInterface/ProtectionTab.htm", "name": "Вкладка Защита"}, {"src": "ProgramInterface/ViewTab.htm", "name": "Вкладка Вид"}, {"src": "ProgramInterface/PluginsTab.htm", "name": "Вкладка Плагины"}, {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Создание новой электронной таблицы или открытие существующей", "headername": "Базовые операции" }, @@ -37,15 +37,18 @@ {"src": "UsageInstructions/UseNamedRanges.htm", "name": "Использование именованных диапазонов"}, {"src": "UsageInstructions/InsertImages.htm", "name": "Вставка изображений", "headername": "Действия над объектами"}, {"src": "UsageInstructions/InsertChart.htm", "name": "Вставка диаграмм"}, - {"src": "UsageInstructions/InsertSparklines.htm", "name": "Вставка спарклайнов" }, - {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Вставка и форматирование автофигур" }, + {"src": "UsageInstructions/InsertSparklines.htm", "name": "Вставка спарклайнов" }, + {"src": "UsageInstructions/InsertAutoshapes.htm", "name": "Вставка и форматирование автофигур" }, { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Вставка текстовых объектов" }, - {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Поддержка SmartArt" }, + {"src": "UsageInstructions/SupportSmartArt.htm", "name": "Поддержка SmartArt" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Вставка символов и знаков" }, {"src": "UsageInstructions/ManipulateObjects.htm", "name": "Работа с объектами"}, - { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, - {"src": "HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование электронных таблиц", "headername": "Совместное редактирование таблиц"}, - {"src": "UsageInstructions/SheetView.htm", "name": "Управление предустановками представления листа"}, + { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, + { "src": "HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование электронных таблиц", "headername": "Совместная работа" }, + { "src": "UsageInstructions/SheetView.htm", "name": "Управление предустановками представления листа" }, + { "src": "HelpfulHints/Communicating.htm", "name": "Общение в режиме реального времени" }, + { "src": "HelpfulHints/Commenting.htm", "name": "Комментирование электронных таблиц" }, + { "src": "HelpfulHints/VersionHistory.htm", "name": "История версий" }, { "src": "UsageInstructions/ProtectSpreadsheet.htm", "name": "Защита электронной таблицы", "headername": "Защита электронной таблицы" }, { "src": "UsageInstructions/AllowEditRanges.htm", "name": "Разрешить редактировать диапазоны" }, { "src": "UsageInstructions/Password.htm", "name": "Защита электронных таблиц с помощью пароля" }, @@ -60,8 +63,8 @@ { "src": "HelpfulHints/SpellChecking.htm", "name": "Проверка орфографии" }, {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Функции автозамены" }, {"src": "HelpfulHints/Password.htm", "name": "Защита с помощью пароля"}, - {"src": "HelpfulHints/ImportData.htm", "name": "Получение данных из текстового/CSV-файла" }, - {"src": "HelpfulHints/About.htm", "name": "О редакторе электронных таблиц", "headername": "Полезные советы"}, + {"src": "HelpfulHints/ImportData.htm", "name": "Получение данных из текстового/CSV-файла" }, + {"src": "HelpfulHints/About.htm", "name": "О редакторе электронных таблиц", "headername": "Полезные советы"}, {"src": "HelpfulHints/SupportedFormats.htm", "name": "Поддерживаемые форматы электронных таблиц"}, {"src": "HelpfulHints/KeyboardShortcuts.htm", "name": "Сочетания клавиш"} ] \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/About.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/About.htm index f373b0303..1618aaf0e 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/About.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/About.htm @@ -17,7 +17,7 @@

          О редакторе электронных таблиц

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

          С помощью онлайн-редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

          -

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

          +

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

          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm index 663a12ca0..8783ea38d 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/AdvancedSettings.htm @@ -15,48 +15,61 @@

          Дополнительные параметры редактора электронных таблиц

          -

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

          -

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

          -
            -
          • - Отображение комментариев - используется для включения/отключения опции комментирования в реальном времени: +

            Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры.

            +

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

            +

            Редактирование и сохранение

            +
              +
            1. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании.
            2. +
            3. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления электронной таблицы в случае непредвиденного закрытия программы.
            4. +
            5. Показывать кнопку Параметры вставки при вставке содержимого. Соответствующая кнопка будет появляться при вставке содержимого в электронную таблицу.
            6. +
            + +

            Совместная работа

            +
              +
            1. + Подраздел Режим совместного редактирования позволяет задать предпочтительный режим просмотра изменений, вносимых в электронную таблицу при совместной работе.
                -
              • Включить отображение комментариев в тексте - если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии
                на левой боковой панели.
              • -
              • Включить отображение решенных комментариев - эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии
                на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе.
              • +
              • Быстрый (по умолчанию). Пользователи, участвующие в совместном редактировании электронной таблицы, будут видеть изменения в реальном времени, как только они внесены другими пользователями.
              • +
              • Строгий. Все изменения, внесенные участниками совместной работы, будут отображаться только после того, как вы нажмете на кнопку Сохранить
                с оповещением о наличии новых изменений.
            2. -
            3. Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании.
            4. -
            5. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления электронной таблицы в случае непредвиденного закрытия программы.
            6. +
            7. Показывать изменения других пользователей. Эта функция позволяет видеть изменения, которые вносят другие пользователи, в электонной таблице, открытой только на просмотр, в Режиме просмотра в реальном времени.
            8. +
            9. Показывать комментарии в тексте. Если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии
              на левой боковой панели.
            10. +
            11. Показывать решенные комментарии. Эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии
              на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе.
            12. +
            + +

            Рабочая область

            +
            1. - Стиль ссылок - используется для включения/отключения стиля ссылок R1C1. По умолчанию эта опция отключена, и используется стиль ссылок A1. + Опция Стиль ссылок R1C1 используется для включения/отключения стиля ссылок 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 строки ниже активной ячейки и в том же самом столбце.

              -

              -
            2. -
            3. - Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: -
                -
              • По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями.
              • -
              • Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить
                с оповещением о наличии изменений от других пользователей.
              • -
              +

            4. +
            5. Опция Использовать клавишу Alt для навигации по интерфейсу с помощью клавиатуры используется для включения использования клавиши Alt / Option в сочетаниях клавиш.
            6. - Тема интерфейса - используется для изменения цветовой схемы интерфейса редактора. + Опция Тема интерфейса используется для изменения цветовой схемы интерфейса редактора.
                -
              • Светлая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время.
              • -
              • Светлая классическая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета.
              • -
              • Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. -

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

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

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

            7. -
            8. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%.
            9. -
            10. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: -
                -
              • Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows.
              • -
              • Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов.
              • -
              • Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов.
              • +
              • Опция Единица измерения используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм.
              • +
              • Опция Стандартное значение масштаба используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 500%.
              • +
              • + Опция Хинтинг шрифтов используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: +
                  +
                • Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows.
                • +
                • Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов.
                • +
                • Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов.
                • Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением.

                  В редакторе электронных таблиц есть два режима кэширования:

                  @@ -70,27 +83,42 @@
                • Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования.
              • -
              -
            11. -
            12. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм.
            13. -
            14. - Язык формул - используется для выбора языка отображения и ввода имен формул, аргументов и их описания. -

              Язык формул поддерживается на 31 языке:

              -

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

              -
            15. -
            16. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию.
            17. -
            18. Разделитель - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч.
            19. -
            20. Вырезание, копирование и вставка - используется для отображения кнопки Параметры вставки при вставке содержимого. Установите эту галочку, чтобы включить данную функцию.
            21. -
            22. - Настройки макросов - используется для настройки отображения макросов с уведомлением. -
                -
              • Выберите опцию Отключить все, чтобы отключить все макросы в электронной таблице;
              • -
              • Показывать уведомление, чтобы получать уведомления о макросах в электронной таблице;
              • -
              • Включить все, чтобы автоматически запускать все макросы в электронной таблице.
            23. -
          -

          Чтобы сохранить внесенные изменения, нажмите кнопку Применить.

          +
        6. + Опция Настройки макросов используется для настройки отображения макросов с уведомлением. +
            +
          • Выберите опцию Отключить все, чтобы отключить все макросы в электронной таблице;
          • +
          • Выберите опцию Показывать уведомление, чтобы получать уведомления о макросах в электронной таблице;
          • +
          • Выберите опцию Включить все, чтобы автоматически запускать все макросы в электронной таблице.
          • +
          +
        7. +
        + +

        Региональные параметры

        +
          +
        1. + Опция Язык формул используется для выбора языка отображения и ввода имен формул, аргументов и их описания. +

          Язык формул поддерживается на 32 языках:

          +

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

          +
        2. +
        3. Опция Регион используется для выбора формата отображения денежных единиц и даты и времени по умолчанию.
        4. +
        5. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию, разделители соответствуют заданному региону. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч.
        6. +
        + +

        Правописание

        +
          +
        1. Опция Язык словаря используется для выбора предпочтительного словаря для проверки орфографии.
        2. +
        3. Пропускать слова из ПРОПИСНЫХ БУКВ. Слова, написанные прописными буквами, игнорируются при проверке орфографии.
        4. +
        5. Пропускать слова с цифрами. Слова, в которых есть цифры, игнорируются при проверке орфографии.
        6. +
        7. Меню Параметры автозамены... позволяет открыть параметры автозамены, такие как замена текста при вводе, распознанные функции, автоформат при вводе и другие.
        8. +
        + +

        Вычисление

        +
          +
        1. Опция Использовать систему дат 1904 опция служит для вычисления дат с использованием 1 января 1904 года в качестве отправной точки. Это может пригодиться при работе с электронными таблицами, созданными в MS Excel 2008 для Mac и более ранних версиях MS Excel для Mac.
        2. +
        +

        Чтобы сохранить внесенные изменения, нажмите кнопку Применить.

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm index 526507708..708309711 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/CollaborativeEditing.htm @@ -15,104 +15,25 @@

        Совместное редактирование электронных таблиц

        -

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

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

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

        -

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

        -
        -
        -

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

        -

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

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

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

        -

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

        -

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

        -

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

        -

        Подсветка редактирования

        -

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

        -

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

        -

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

        +

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

        +

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

        +

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

        +

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

        +

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

        +

        Быстрый режим

        +

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

        +

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

        +

        Подсветка совместного редактирования

        +

        Строгий режим

        +

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

        +

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

        +

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

        +

        Режим просмотра в реальном времени

        +

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

        +

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

        Аноним

        Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя.

        Аноним

        -

        Чат

        -

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

        -

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

        -

        Чтобы войти в чат и оставить сообщение для других пользователей:

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

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

        -

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

        -
        -

        Комментарии

        -

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

        -

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

        -
          -
        1. выделите ячейку, в которой, по Вашему мнению, содержится какая-то ошибка или проблема,
        2. -
        3. переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку
          Комментарий или
          - используйте значок
          на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или
          - щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, -
        4. -
        5. введите нужный текст,
        6. -
        7. нажмите кнопку Добавить.
        8. -
        -

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

        -

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

        -

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

        -

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

        -
          -
        • - отсортируйте добавленные комментарии, нажав на значок
          : -
            -
          • по дате: От старых к новым или От новых к старым. Этот порядок сортировки выбран по умолчанию.
          • -
          • по автору: По автору от А до Я или По автору от Я до А.
          • -
          • по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу.
          • -
          • по группе: Все или выберите определенную группу из списка -

            Сортировать комментарии

            -
          • -
          -
        • -
        • отредактируйте выбранный комментарий, нажав значок
          ,
        • -
        • удалите выбранный комментарий, нажав значок
          ,
        • -
        • закройте выбранное обсуждение, нажав на значок
          , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок
          . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок
          .
        • -
        • если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в таблице.
        • -
        -

        Добавление упоминаний

        -

        Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всему документу.

        -

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

        -

        Чтобы добавить упоминание, введите знак "+" или "@" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK.

        -

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

        -

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

        -
          -
        1. нажмите кнопку
          Удалить на вкладке Совместная работа верхней панели инструментов,
        2. -
        3. - выберите нужный пункт меню: -
            -
          • Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены.
          • -
          • Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены.
          • -
          • Удалить все комментарии - чтобы удалить все комментарии в электронной таблице, добавленные вами и другими пользователями.
          • -
          -
        4. -
        -

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

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Commenting.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Commenting.htm new file mode 100644 index 000000000..1351f5605 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Commenting.htm @@ -0,0 +1,88 @@ + + + + Комментирование + + + + + + + + +
        +
        + +
        +

        Комментирование

        +

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

        +

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

        +

        Добавление комментариев и ответ на них

        +

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

        +
          +
        1. выделите ячейку, в которой, по вашему мнению, содержится какая-то ошибка или проблема,
        2. +
        3. + переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку
          Комментарий или
          + используйте значок
          на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или
          + щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, +
        4. +
        5. введите нужный текст,
        6. +
        7. нажмите кнопку Добавить.
        8. +
        +

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

        +

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

        +

        Отключение отображения комментариев

        +

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

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

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

        +

        Управление комментариями

        +

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

        +
          +
        • + отсортируйте добавленные комментарии, нажав на значок
          : +
            +
          • по дате: От старых к новым или От новых к старым. Этот порядок сортировки выбран по умолчанию.
          • +
          • по автору: По автору от А до Я или По автору от Я до А.
          • +
          • по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу.
          • +
          • + по группе: Все или выберите определенную группу из списка +

            Сортировать комментарии

            +
          • +
          +
        • +
        • отредактируйте выбранный комментарий, нажав значок
          ,
        • +
        • удалите выбранный комментарий, нажав значок
          ,
        • +
        • закройте выбранное обсуждение, нажав на значок
          , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок
          . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок
          .
        • +
        • если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в таблице.
        • +
        +

        Добавление упоминаний

        +

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

        +

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

        +

        Чтобы добавить упоминание:

        +
          +
        1. Введите знак "+" или "@" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода.
        2. +
        3. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости.
        4. +
        5. Нажмите кнопку OK.
        6. +
        +

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

        +

        Удаление комментариев

        +

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

        +
          +
        1. нажмите кнопку
          Удалить на вкладке Совместная работа верхней панели инструментов,
        2. +
        3. + выберите нужный пункт меню: +
            +
          • Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены.
          • +
          • Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены.
          • +
          • Удалить все комментарии - чтобы удалить все комментарии в электронной таблице, добавленные вами и другими пользователями.
          • +
          +
        4. +
        +

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

        +
        + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Communicating.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Communicating.htm new file mode 100644 index 000000000..82c527246 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Communicating.htm @@ -0,0 +1,34 @@ + + + + Общение в режиме реального времени + + + + + + + + +
        +
        + +
        +

        Общение в режиме реального времени

        +

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

        +

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

        +

        Чтобы войти в чат и оставить сообщение для других пользователей,

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

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

        +

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

        +

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

        +
        + + \ 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 49d39c5a3..6f3454041 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Navigation.htm @@ -18,25 +18,24 @@

        В Редакторе электронных таблиц доступен ряд инструментов для навигации, облегчающих просмотр и выделение ячеек в больших таблицах: настраиваемые панели, полосы прокрутки, кнопки навигации по листам, ярлычки листов и кнопки масштаба.

        Настройте параметры представления

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

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

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

          -
        • -
        • Скрыть строку формул - скрывает панель, которая располагается под верхней панелью инструментов и используется для ввода и просмотра формул и их значений. Чтобы отобразить скрытую строку формул, щелкните по этой опции еще раз.
        • -
        • Объединить строки листов и состояния - отображает все инструменты навигации и строку состояния в одной объединенной строке. Данная опция включена по умолчанию. Если ее отключить, строка состояния и строка листов будет отображаться отдельно.
        • -
        • Скрыть заголовки - скрывает заголовки столбцов сверху и заголовки строк слева на рабочем листе. Чтобы отобразить скрытые заголовки, щелкните по этой опции еще раз.
        • -
        • Скрыть линии сетки - скрывает линии вокруг ячеек. Чтобы отобразить скрытые линии сетки, щелкните по этой опции еще раз.
        • -
        • Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей.
        • -
        • - Показывать тень закрепленной области - показывает, что столбцы и/или строки закреплены (появляется тонкая линия). -
        • -
        • Отображать нули - позволяет отображать «0» в ячейке. Чтобы включить/выключить эту опцию, на вкладке Вид поставьте/снимите флажок напротив Отображать нули.
        • -
        +
          +
        • Представление листа - для управления представлениями листа. Чтобы получить дополнительную информацию о представлениях листа, прочитайте следующую статью.
        • +
        • Масштаб - чтобы выбрать из выпадающего списка нужное значение масштаба от 50% до 500%.
        • +
        • Тема интерфейса – выберите из выпадающего меню одну из доступных тем интерфейса: Системная, Светлая, Классическая светлая, Темная, Контрастная темная.
        • +
        • Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей.
        • +
        • Строка формул - когда эта опция отключена, будет скрыта панель, которая располагается под верхней панелью инструментов и используется для ввода и просмотра формул и их значений. Чтобы отобразить скрытую строку формул, щелкните по этой опции еще раз. При перетаскивании нижней линейки строки формул, чтобы расширить ее, высота строки формул меняется кратно высоте строки.
        • +
        • Заголовки - когда эта опция отключена, будут скрыты заголовки столбцов сверху и заголовки строк слева на рабочем листе. Чтобы отобразить скрытые заголовки, щелкните по этой опции еще раз.
        • +
        • Линии сетки - когда эта опция отключена, будут скрыты линии вокруг ячеек. Чтобы отобразить скрытые линии сетки, щелкните по этой опции еще раз.
        • +
        • Отображать нули - позволяет отображать «0» в ячейке. Чтобы отключить эту опцию, снимите галочку.
        • +
        • + Всегда показывать панель инструментов – когда эта опция отключена, будет скрыта верхняя панель инструментов, которая содержит команды. Названия вкладок при этом остаются видимыми. +

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

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

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

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

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

        @@ -53,10 +52,8 @@

        Чтобы прокручивать электронную таблицу вверх или вниз, можно также использовать колесо прокрутки мыши.

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

          -
        • нажмите на кнопку Прокрутить до первого листа
          , чтобы прокрутить список листов текущей электронной таблицы до первого ярлычка листа;
        • нажмите на кнопку Прокрутить список листов влево
          , чтобы прокрутить список листов текущей электронной таблицы влево;
        • нажмите на кнопку Прокрутить список листов вправо
          , чтобы прокрутить список листов текущей электронной таблицы вправо;
        • -
        • нажмите на кнопку Прокрутить до последнего листа
          , чтобы прокрутить список листов текущей электронной таблицы до последнего ярлычка листа;

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

        Чтобы выбрать нужный лист:

        @@ -68,9 +65,9 @@

        щелкните по соответствующей Вкладке листа напротив кнопки .

        Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. - Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или + Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%/ 300% / 400% / 500%) или используйте кнопки Увеличить или Уменьшить < class = "icon icon-zoomout">. - Параметры масштаба доступны также из выпадающего списка Параметры представления . + Параметры масштаба доступны также на вкладкe Вид.

        diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm index 1e8efe184..78cfb0cec 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/Search.htm @@ -3,7 +3,7 @@ Функция поиска и замены - + @@ -15,34 +15,33 @@

        Функция поиска и замены

        -

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

        -

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

        -

        Откроется окно Поиск и замена:

        - Окно Поиск и замена -
          -
        1. Введите запрос в соответствующее поле ввода данных.
        2. -
        3. Задайте параметры поиска, нажав на значок
          рядом с полем для ввода данных и отметив нужные опции: -
            -
          • С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены).
          • -
          • Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут).
          • -
          • Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз.
          • -
          • Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист.
          • -
          • Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам.
          • -
          • Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются.
          • -
          -
        4. -
        5. Нажмите на одну из кнопок со стрелками справа. - Поиск будет выполняться или по направлению к началу рабочего листа (если нажата кнопка
          ), или по направлению к концу рабочего листа (если нажата кнопка
          ), начиная с текущей позиции. -
        6. -
        -

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

        -

        Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится:

        - Окно Поиск и замена -
          -
        1. Введите текст для замены в нижнее поле ввода данных.
        2. -
        3. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений.
        4. -
        -

        Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены.

        +

        Чтобы найти нужные символы, слова или фразы, которые используются в текущей электронной таблице, щелкните по значку , расположенному на левой боковой панели, или значку , расположенному в правом верхнем углу. Вы также можете использовать сочетание клавиш Ctrl+F (Command+F для MacOS), чтобы открыть маленькую панель поиска, или сочетание клавиш Ctrl+H, чтобы открыть расширенную панель поиска.

        +

        В правом верхнем углу рабочей области откроется маленькая панель Поиск.

        +

        Маленькая панель Поиск

        +

        Чтобы открыть дополнительные параметры, нажмите значок или используйте сочетание клавиш Ctrl+H.

        +

        Откроется панель Поиск и замена:

        + Панель Поиск и замена +
          +
        1. Введите запрос в соответствующее поле ввода данных Поиск.
        2. +
        3. Для навигации по найденным вхождениям нажмите одну из кнопок со стрелками. Кнопка
          показывает следующее вхождение, а кнопка
          показывает предыдущее.
        4. +
        5. Если требуется заменить одно или более вхождений найденных символов, введите текст для замены в соответствующее поле ввода данных Заменить на. Вы можете заменить одно выделенное в данный момент вхождение или заменить все вхождения, нажав соответствующие кнопки Заменить или Заменить все.
        6. +
        7. + Задайте параметры поиска, выбрав нужные опции: +
            +
          • Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист.
          • +
          • Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам.
          • +
          • Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются.
          • +
          +
        8. +
        9. + Задайте параметры поиска, отметив нужные опции, расположенные под полями ввода: +
            +
          • С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены).
          • +
          • Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут).
          • +
          +
        10. +
        +

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

        \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SpellChecking.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SpellChecking.htm index d9d329e05..07a31f503 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SpellChecking.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SpellChecking.htm @@ -41,7 +41,7 @@

        Когда вы проверите все слова на рабочем листе, на панели проверки орфографии появится сообщение Проверка орфографии закончена.

        Чтобы закрыть панель проверки орфографии, нажмите значок Проверка орфографии на левой боковой панели.

        Изменение настроек проверки орфографии
        -

        Чтобы изменить настройки проверки орфографии, перейдите в дополнительные настройки редактора электронных таблиц (вкладка Файл -> Дополнительные параметры...), и переключитесь на вкладку Проверка орфографии. Здесь вы можете настроить следующие параметры:

        +

        Чтобы изменить настройки проверки орфографии, перейдите в дополнительные настройки редактора электронных таблиц (вкладка Файл -> Дополнительные параметры), и переключитесь на вкладку Проверка орфографии. Здесь вы можете настроить следующие параметры:

        Настройки проверки орфографии

        • Язык словаря - выберите в списке один из доступных языков. Язык словаря на панели проверки орфографии изменится соответственно.
        • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm index 9f3d89e93..90a4c7aa9 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/SupportedFormats.htm @@ -10,79 +10,136 @@ -
          +
          -

          Поддерживаемые форматы электронных таблиц

          -

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

          - - - - - - - - - - - - - - - - - - - - - - +

          Поддерживаемые форматы электронных таблиц

          +

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

          +

          При загрузке или открытии файла на редактирование он будет сконвертирован в формат Office Open XML (XLSX>). Это делается для ускорения обработки файла и повышения совместимости.

          +

          Следующая таблица содержит форматы, которые можно открыть на просмотр и/или редактирование.

          +
          ФорматыОписаниеПросмотрРедактированиеСкачивание
          XLSРасширение имени файла для электронных таблиц, созданных программой Microsoft Excel++
          XLSXСтандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий)+++
          - - - + + + + + + + + + + + + + + + + + + + + - - - - - - - + - + - - - - - - - - + - - + + + + + + + + + + + + -
          XLTXExcel Open XML Spreadsheet Template
          разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов электронных таблиц. Шаблон XLTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием
          +ФорматыОписаниеПросмотр в исходном форматеПросмотр после конвертации в OOXMLРедактирование в исходном форматеРедактирование после конвертации в OOXML
          CSVComma Separated Values
          Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме
          ++
          ODSРасширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц+ +
          ODSРасширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц+++
          OTS OpenDocument Spreadsheet Template
          Формат текстовых файлов OpenDocument для шаблонов электронных таблиц. Шаблон OTS содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием
          ++ +
          CSVComma Separated Values
          Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме
          +++
          PDF Portable Document Format
          Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем
          +
          PDF/A Portable Document Format / A
          Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов.
          XLSРасширение имени файла для электронных таблиц, созданных программой Microsoft Excel + +
          -
          + + + XLSX + Стандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий) + + + + + + + + + XLTX + Excel Open XML Spreadsheet Template
          разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов электронных таблиц. Шаблон XLTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + + + + + + + +

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

          + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
          Исходный форматМожно скачать как
          CSVCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          ODSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          OTSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLSCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLSXCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          XLTXCSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX
          +

          Вы также можете обратиться к матрице конвертации на сайте api.onlyoffice.com, чтобы узнать о возможности конвертации таблиц в самые известные форматы файлов.

          +
          \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/VersionHistory.htm b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/VersionHistory.htm new file mode 100644 index 000000000..1d84f6e59 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/ru/HelpfulHints/VersionHistory.htm @@ -0,0 +1,41 @@ + + + + История версий + + + + + + + + +
          +
          + +
          +

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

          +

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

          +

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

          +

          Просмотр истории версий:

          +

          Чтобы просмотреть все внесенные в электронную таблицу изменения,

          +
            +
          • перейдите на вкладку Файл,
          • +
          • + выберите опцию История версий на левой боковой панели +

            или

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

          Вы увидите список версий и ревизий электронной таблицы с указанием автора и даты и времени создания каждой версии/ревизии. Для версий таблицы также указан номер версии (например, вер. 2).

          +

          Просмотр версий:

          +

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

          +

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

          +

          Восстановление версий:

          +

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

          +

          Восстановление

          +

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

          +
          + + \ 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 71c8619bf..48ab04583 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ProgramInterface.htm @@ -14,7 +14,7 @@
          -

          Знакомство с пользовательским интерфейсом Редактора электронных таблиц

          +

          Знакомство с пользовательским интерфейсом редактора электронных таблиц

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

          Окно онлайн-редактора электронных таблиц:

          @@ -33,13 +33,13 @@

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

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

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

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

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

        • Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки.
        • В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, кнопка добавления нового листа, кнопка список листов, ярлычки листов и кнопки масштаба. В Строке состояния также отображается статус фонового сохранения и состояние восстановления соединения, когда редактор пытается переподключиться, количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные.
        • @@ -49,7 +49,7 @@
        • - позволяет использовать инструмент поиска и замены,
        • - позволяет открыть панель Комментариев
        • (доступно только в онлайн-версии) - позволяет открыть панель Чата,
        • -
        • (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки,
        • +
        • - позволяет обратиться в службу технической поддержки,
        • (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе.
        diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm index 9641d927d..682acd4bc 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/ViewTab.htm @@ -30,9 +30,9 @@
        • управлять преднастройкам представления листа,
        • изменять масштаб,
        • -
        • выбирать тему интерфейса: Светлая, Классическая светлая или Темная,
        • +
        • выбирать тему интерфейса: Системную, Светлую, Классическую светлую, Темную или Контрастную темную,
        • закрепить области при помощи следующих опций: Закрепить области, Закрепить верхнюю строку, Закрепить первый столбец и Показывать тень для закрепленных областей,
        • -
        • управлять отображением строк формул, заголовков, линий сетки и нулей,
        • +
        • управлять отображением строки формул, заголовков, линий сетки и нулей,
        • включать и отключать следующие параметры просмотра:
          • Всегда показывать панель инструментов - всегда отображать верхнюю панель инструментов.
          • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm index 33efa76c5..0d4b01508 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/AddHyperlinks.htm @@ -23,9 +23,11 @@
          • после этого появится окно Параметры гиперссылки, в котором можно указать параметры гиперссылки:
            • Bыберите тип ссылки, которую требуется вставить: -

              Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если вам требуется добавить гиперссылку, ведущую на внешний сайт.

              +

              Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если вам требуется добавить гиперссылку, ведущую на внешний сайт. Если надо добавить гиперссылку на локальный файл, введите URL в формате file://path/Spreadsheet.xlsx (для Windows) или file:///path/Spreadsheet.xlsx (для MacOS и Linux) в поле Связать с.

              +

              Гиперссылки file://path/Spreadsheet.xlsx или file:///path/Spreadsheet.xlsx можно открыть только в десктопной версии редактора. В веб-редакторе можно только добавить такую ссылку без возможности открыть ее.

              Окно Параметры гиперссылки

              -

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

              +

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

              +

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

              Окно Параметры гиперссылки

            • Отображать - введите текст, который должен стать ссылкой и будет вести по веб-адресу, указанному в поле выше. diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm index 2e7f5e75c..aa3bde069 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/CopyPasteData.htm @@ -18,9 +18,9 @@

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

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

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

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

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

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

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

                @@ -33,34 +33,34 @@ установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место.

                -

                Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка.

                +

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

                Использование функции Специальная вставка

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

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

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

                  -
                • Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию.
                • +
                • Вставить (Ctrl+P) - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию.
                • Следующие опции можно использовать, если скопированные данные содержат формулы:
                    -
                  • Вставить только формулу - позволяет вставить формулы, не вставляя форматирование данных.
                  • -
                  • Формула + формат чисел - позволяет вставить формулы вместе с форматированием, примененным к числам.
                  • -
                  • Формула + все форматирование - позволяет вставить формулы вместе со всем форматированием данных.
                  • -
                  • Формула без границ - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек.
                  • -
                  • Формула + ширина столбца - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные.
                  • -
                  • Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц.
                  • +
                  • Вставить только формулу (Ctrl+F) - позволяет вставить формулы, не вставляя форматирование данных.
                  • +
                  • Формула + формат чисел (Ctrl+O) - позволяет вставить формулы вместе с форматированием, примененным к числам.
                  • +
                  • Формула + все форматирование (Ctrl+K) - позволяет вставить формулы вместе со всем форматированием данных.
                  • +
                  • Формула без границ (Ctrl+B) - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек.
                  • +
                  • Формула + ширина столбца (Ctrl+W) - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные.
                  • +
                  • Транспонировать (Ctrl+T) - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц.
                • Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу:
                    -
                  • Вставить только значение - позволяет вставить результаты формул, не вставляя форматирование данных.
                  • -
                  • Значение + формат чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам.
                  • -
                  • Значение + все форматирование - позволяет вставить результаты формул вместе со всем форматированием данных.
                  • +
                  • Вставить только значение (Ctrl+V) - позволяет вставить результаты формул, не вставляя форматирование данных.
                  • +
                  • Значение + формат чисел (Ctrl+A) - позволяет вставить результаты формул вместе с форматированием, примененным к числам.
                  • +
                  • Значение + все форматирование (Ctrl+E) - позволяет вставить результаты формул вместе со всем форматированием данных.
                • - Вставить только форматирование - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. + Вставить только форматирование (Ctrl+R) - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек.

                  Параметры вставки

                • @@ -99,14 +99,14 @@

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

                  -
                • Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных.
                • -
                • Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные.
                • +
                • Исходное форматирование (Ctrl+K) - позволяет сохранить исходное форматирование скопированных данных.
                • +
                • Форматирование конечных ячеек (Ctrl+M) - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные.
                Вставка данных с разделителями

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

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

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

                  Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK.

                  diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm index be3e9216f..621af7f79 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/DataValidation.htm @@ -16,7 +16,7 @@

                  Проверка данных

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

                  -

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

                  Проверка данных. Открытое окно Проверка данных содержит три вкладки: Настройки, Подсказка по вводу и Сообщение об ошибке.

                  +

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

                  Настройки

                  На вкладке Настройки вы можете указать тип данных, которые можно вводить:

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

                  diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm index 2eff08698..0e0193487 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertArrayFormulas.htm @@ -80,15 +80,15 @@ Примеры использования формулы массива

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

                  Подсчет количества символов в диапазоне ячеек

                  -

                  Вы можете использовать следующую формулу массива, заменив диапазон ячеек в аргументе на свой собственный: =СУММ(ДЛСТР(B2:B11)). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция СУММ функция складывает значения.

                  +

                  Вы можете использовать следующую формулу массива, заменив диапазон ячеек в аргументе на свой собственный: =СУММ(ДЛСТР(B2:B11)). Функция ДЛСТР вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция СУММ складывает значения.

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

                  Чтобы получить среднее количество символов, замените СУММ на СРЗНАЧ.

                  Нахождение самой длинной строки в диапазоне ячеек

                  -

                  Вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументе на свои собственные: =ИНДЕКС(B2:B11,ПОИСКПОЗ(МАКС(ДЛСТР(B2:B11)),ДЛСТР(B2:B11),0),1). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция МАКС функция вычисляет наибольшее значение. Функция ПОИСКПОЗ функция находит адрес ячейки с самой длинной строкой. Функция ИНДЕКС функция возвращает значение из найденной ячейки.

                  +

                  Вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументе на свои собственные: =ИНДЕКС(B2:B11,ПОИСКПОЗ(МАКС(ДЛСТР(B2:B11)),ДЛСТР(B2:B11),0),1). Функция ДЛСТР вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция МАКС вычисляет наибольшее значение. Функция ПОИСКПОЗ находит адрес ячейки с самой длинной строкой. Функция ИНДЕКС возвращает значение из найденной ячейки.

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

                  Чтобы найти кратчайшую строку, замените МАКС на МИН.

                  Сумма значений на основе условий

                  -

                  Чтобы суммировать значения больше указанного числа (2 в этом примере), вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументах своими собственными: =СУММ(ЕСЛИ(C2:C11>2,C2:C11)). Функция ЕСЛИ функция создает массив истинных и ложных значений. Функция СУММ игнорирует ложные значения и складывает истинные значения вместе.

                  +

                  Чтобы суммировать значения больше указанного числа (2 в этом примере), вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументах своими собственными: =СУММ(ЕСЛИ(C2:C11>2,C2:C11)). Функция ЕСЛИ создает массив истинных и ложных значений. Функция СУММ игнорирует ложные значения и складывает истинные значения вместе.

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

                  diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm index fabaf564a..bf6c1def4 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm @@ -99,7 +99,7 @@

      После этого диаграмма будет добавлена на рабочий лист.

      -

      Примечание: Редактор электронных таблиц ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальная. /Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм.

      +

      Примечание: Редактор электронных таблиц ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальные/Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм.

      Изменение параметров диаграммы

      Теперь можно изменить параметры вставленной диаграммы. Чтобы изменить тип диаграммы:

        @@ -107,9 +107,10 @@
      1. щелкните по значку Параметры диаграммы
        на правой боковой панели,

        Вкладка Параметры диаграммы на правой боковой панели

        -
      2. -
      3. раскройте выпадающий список Тип и выберите нужный тип,
      4. +
      5. раскройте выпадающий список Стиль, расположенный ниже, и выберите подходящий стиль.
      6. +
      7. раскройте выпадающий список Изменить тип и выберите нужный тип,
      8. +
      9. нажмите опцию Переключить строку/столбец, чтобы изменить расположение строк и столбцов диаграммы.

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

      diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm index 8d9c6b461..c1fccf31c 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertTextObjects.htm @@ -59,6 +59,7 @@

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

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

      Тип (маркированный список) - позволяет выбрать нужный символ, используемый для маркированного списка. При нажатии на поле Новый маркер открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье.

      +

      При нажатии на поле Новое изображение появляется новое поле Импорт, в котором можно выбрать новое изображение для маркеров Из файла, По URL или Из хранилища.

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

      Тип (нумерованный список) - позволяет выбрать нужный формат нумерованного списка.

    +

    Чтобы переименовать открытую таблицу

    +
    +

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

    +
      +
    1. щелкните по имени таблицы наверху страницы,
    2. +
    3. введите новое имя таблицы,
    4. +
    5. нажмите Enter, чтобы принять изменения.
    6. +
    +
    +

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

    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm index 739714b58..c7e737b6a 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm @@ -293,7 +293,8 @@
  • Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение.
  • -
  • В разделе Заголовки полей можно выбрать, надо ли отображать заголовки полей в сводной таблице. Опция Показывать заголовки полей для строк и столбцов выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы.
  • +
  • Опция Показывать заголовки полей для строк и столбцов позволяет выбрать, надо ли отображать заголовки полей в сводной таблице. Эта опция выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы.
  • +
  • Опция Автоматически изменять ширину столбцов при обновлении позволяет включить/отключить автоматическую корректировку ширины столбцов. Эта опция выбрана по умолчанию.
  • Дополнительные параметры сводной таблицы

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

    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm index 35007691a..ac15891af 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SavePrintDownload.htm @@ -37,7 +37,7 @@

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

    1. нажмите на вкладку Файл на верхней панели инструментов,
    2. -
    3. выберите опцию Скачать как...,
    4. +
    5. выберите опцию Скачать как,
    6. выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.

      Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя).

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

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

      1. нажмите на вкладку Файл на верхней панели инструментов,
      2. -
      3. выберите опцию Сохранить копию как...,
      4. +
      5. выберите опцию Сохранить копию как,
      6. выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS,
      7. выберите местоположение файла на портале и нажмите Сохранить.
      @@ -63,7 +63,7 @@ В браузере Firefox возможна печатать таблицы без предварительной загрузки в виде файла .pdf.

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

      -

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

      +

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

      Окно Параметры печати

      Здесь можно задать следующие параметры:

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

      -

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

      +

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

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

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

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

      -

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

      +

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

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

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

      diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/chartsettings.png b/apps/spreadsheeteditor/main/resources/help/ru/images/chartsettings.png index 633251d82..74d18c537 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/chartsettings.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/chartsettings.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 1c431fe75..a43bf9129 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/datatab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.png index 8d3825b75..d8292d8ac 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/datatab.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 index 7c2baacaa..2e45025c7 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_collaborationtab.png 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_datatab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_datatab.png index 65ca1da7c..ee2a2fc95 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_datatab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_datatab.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 index be569ae98..8b48951ef 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_editorwindow.png 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 index 8044cd1f9..dfb4a4c93 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_filetab.png 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_formulatab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_formulatab.png index a9a732fb1..ba0719fd0 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_formulatab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_formulatab.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 index de7d04d3b..955eb537f 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_hometab.png 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 index e48927bc1..cce73de6b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_inserttab.png 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 index 0c45a400b..13df8aeee 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_layouttab.png 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_pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pivottabletab.png index b64e0915f..4f4ae9263 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pivottabletab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pivottabletab.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 index 39545a01f..ea514d237 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png 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/desktop_protectiontab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png index 6cfe011fe..f202e0a5a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png index 4587652f4..245938a79 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/desktop_viewtab.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 032d9e86b..ad275561b 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 5167c404a..84e60c5ff 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/formulatab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.png index fe69a00c0..c2d31f7e1 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/formulatab.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 21cc213c5..2e9afe90b 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 c4ceb56d7..0f47d0dd9 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 af120db0c..ed009a776 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/pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pivottabletab.png index e140a41af..fbe0dac27 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 5c8658e44..5f8630e1f 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/interface/protectiontab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/protectiontab.png index 6928f480c..fc428a1a6 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/protectiontab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/protectiontab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png index 5fcf2b7a3..395b0cde9 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/viewtab.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/pastespecial.png b/apps/spreadsheeteditor/main/resources/help/ru/images/pastespecial.png index 18eb2424a..db1bef42e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/pastespecial.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/pastespecial.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/pivot_advanced.png b/apps/spreadsheeteditor/main/resources/help/ru/images/pivot_advanced.png index 237d75e76..bd601d873 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/pivot_advanced.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/pivot_advanced.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/search_window.png b/apps/spreadsheeteditor/main/resources/help/ru/images/search_window.png index 37b9f4cd5..c4a9fa0bf 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/search_window.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/search_window.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.png b/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.png index 687cfd131..de0ef5713 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/textimportwizard.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 c40bb5912..8001281f3 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -2303,17 +2303,27 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "О редакторе электронных таблиц", - "body": "Редактор электронных таблиц - это онлайн- приложение, которое позволяет редактировать электронные таблицы непосредственно в браузере . С помощью онлайн- редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Для просмотра текущей версии программы и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE" + "body": "Редактор электронных таблиц - это онлайн- приложение, которое позволяет редактировать электронные таблицы непосредственно в браузере . С помощью онлайн- редактора электронных таблиц можно выполнять различные операции редактирования, как в любом десктопном редакторе, распечатывать отредактированные электронные таблицы, сохраняя все детали форматирования, или сохранять таблицы на жесткий диск компьютера как файлы в формате XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Для просмотра текущей версии программы, номера сборки и информации о владельце лицензии в онлайн-версии щелкните по значку на левой боковой панели инструментов. Для просмотра текущей версии программы и информации о владельце лицензии в десктопной версии для Windows выберите пункт меню О программе на левой боковой панели в главном окне приложения. В десктопной версии для Mac OS откройте меню ONLYOFFICE в верхней части и выберите пункт меню О программе ONLYOFFICE" }, { "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 строки ниже активной ячейки и в том же самом столбце. Режим совместного редактирования - используется для выбора способа отображения изменений, вносимых в ходе совместного редактирования: По умолчанию выбран Быстрый режим, при котором пользователи, участвующие в совместном редактировании документа, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Если вы не хотите видеть изменения, вносимые другими пользователями, (чтобы они не мешали вам или по какой-то другой причине), выберите Строгий режим, и все изменения будут отображаться только после того, как вы нажмете на значок Сохранить с оповещением о наличии изменений от других пользователей. Тема интерфейса - используется для изменения цветовой схемы интерфейса редактора. Светлая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время. Светлая классическая цветовая гамма включает стандартные зеленый, белый и светло-серый цвета. Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. Примечание: Помимо доступных тем интерфейса Светлая, Светлая классическая и Темная, в редакторах ONLYOFFICE теперь можно использовать собственную цветовую тему. Чтобы узнать, как это сделать, пожалуйста, следуйте данному руководству. Стандартное значение масштаба - используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 200%. Хинтинг шрифтов - используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе электронных таблиц есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Единица измерения - используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Язык формул - используется для выбора языка отображения и ввода имен формул, аргументов и их описания. Язык формул поддерживается на 31 языке: белорусский, болгарский, каталонский, китайский, чешский, датский, голландский, английский, финский, французский, немецкий, греческий, венгерский, индонезийский, итальянский, японский, корейский, лаосский, латышский, норвежский, польский, португальский (Бразилия), португальский (Португалия), румынский, русский, словацкий, словенский, испанский, шведский, турецкий, украинский, вьетнамский. Региональные параметры - используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Разделитель - используется для определения символов, которые вы хотите использовать как разделители для десятичных знаков и тысяч. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч. Вырезание, копирование и вставка - используется для отображения кнопки Параметры вставки при вставке содержимого. Установите эту галочку, чтобы включить данную функцию. Настройки макросов - используется для настройки отображения макросов с уведомлением. Выберите опцию Отключить все, чтобы отключить все макросы в электронной таблице; Показывать уведомление, чтобы получать уведомления о макросах в электронной таблице; Включить все, чтобы автоматически запускать все макросы в электронной таблице. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "Вы можете изменить дополнительные параметры редактора электронных таблиц. Для перехода к ним откройте вкладку Файл на верхней панели инструментов и выберите опцию Дополнительные параметры. Дополнительные параметры сгруппированы следующим образом: Редактирование и сохранение Автосохранение - используется в онлайн-версии для включения/отключения опции автоматического сохранения изменений, внесенных при редактировании. Автовосстановление - используется в десктопной версии для включения/отключения опции автоматического восстановления электронной таблицы в случае непредвиденного закрытия программы. Показывать кнопку Параметры вставки при вставке содержимого. Соответствующая кнопка будет появляться при вставке содержимого в электронную таблицу. Совместная работа Подраздел Режим совместного редактирования позволяет задать предпочтительный режим просмотра изменений, вносимых в электронную таблицу при совместной работе. Быстрый (по умолчанию). Пользователи, участвующие в совместном редактировании электронной таблицы, будут видеть изменения в реальном времени, как только они внесены другими пользователями. Строгий. Все изменения, внесенные участниками совместной работы, будут отображаться только после того, как вы нажмете на кнопку Сохранить с оповещением о наличии новых изменений. Показывать изменения других пользователей. Эта функция позволяет видеть изменения, которые вносят другие пользователи, в электонной таблице, открытой только на просмотр, в Режиме просмотра в реальном времени. Показывать комментарии в тексте. Если отключить эту функцию, ячейки, к которым добавлены комментарии, будут помечаться на листе, только когда Вы нажмете на значок Комментарии на левой боковой панели. Показывать решенные комментарии. Эта функция отключена по умолчанию, чтобы решенные комментарии были скрыты на листе. Просмотреть такие комментарии можно только при нажатии на значок Комментарии на левой боковой панели. Включите эту опцию, если требуется отображать решенные комментарии на листе. Рабочая область Опция Стиль ссылок R1C1 используется для включения/отключения стиля ссылок 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 строки ниже активной ячейки и в том же самом столбце. Опция Использовать клавишу Alt для навигации по интерфейсу с помощью клавиатуры используется для включения использования клавиши Alt / Option в сочетаниях клавиш. Опция Тема интерфейса используется для изменения цветовой схемы интерфейса редактора. Опция Системная позволяет редактору соответствовать системной теме интерфейса. Светлая цветовая гамма включает стандартные синий, белый и светло-серый цвета с меньшим контрастом элементов интерфейса, подходящие для работы в дневное время. Классическая светлая цветовая гамма включает стандартные синий, белый и светло-серый цвета. Темная цветовая гамма включает черный, темно-серый и светло-серый цвета, подходящие для работы в ночное время. Контрастная темная цветовая гамма включает черный, темно-серый и белый цвета с большим контрастом элементов интерфейса, выделяющих рабочую область файла. Опция Включить темный режим используется, чтобы сделать рабочую область темнее, если для редактора выбрана Темная или Контрастная темная тема интерфейса. Поставьте галочку Включить темный режим, чтобы активировать эту опцию. Примечание: Помимо доступных тем интерфейса Светлая, Классическая светлая, Темная и Контрастная темная, в редакторах ONLYOFFICE теперь можно использовать собственную цветовую тему. Чтобы узнать, как это сделать, пожалуйста, следуйте данному руководству. Опция Единица измерения используется для определения единиц, которые должны использоваться для измерения параметров элементов, таких как ширина, высота, интервалы, поля и т.д. Можно выбрать опцию Сантиметр, Пункт или Дюйм. Опция Стандартное значение масштаба используется для установки стандартного значения масштаба путем его выбора из списка доступных вариантов от 50% до 500%. Опция Хинтинг шрифтов используется для выбора типа отображения шрифта в онлайн-редакторе электронных таблиц: Выберите опцию Как Windows, если Вам нравится отображение шрифтов в операционной системе Windows, то есть с использованием хинтинга шрифтов Windows. Выберите опцию Как OS X, если Вам нравится отображение шрифтов в операционной системе Mac, то есть вообще без хинтинга шрифтов. Выберите опцию Собственный, если хотите, чтобы текст отображался с хинтингом, встроенным в файлы шрифтов. Режим кэширования по умолчанию - используется для выбора режима кэширования символов шрифта. Не рекомендуется переключать без особых причин. Это может быть полезно только в некоторых случаях, например, при возникновении проблемы в браузере Google Chrome с включенным аппаратным ускорением. В редакторе электронных таблиц есть два режима кэширования: В первом режиме кэширования каждая буква кэшируется как отдельная картинка. Во втором режиме кэширования выделяется картинка определенного размера, в которой динамически располагаются буквы, а также реализован механизм выделения и удаления памяти в этой картинке. Если памяти недостаточно, создается другая картинка, и так далее. Настройка Режим кэширования по умолчанию применяет два вышеуказанных режима кэширования по отдельности для разных браузеров: Когда настройка Режим кэширования по умолчанию включена, в Internet Explorer (v. 9, 10, 11) используется второй режим кэширования, в других браузерах используется первый режим кэширования. Когда настройка Режим кэширования по умолчанию выключена, в Internet Explorer (v. 9, 10, 11) используется первый режим кэширования, в других браузерах используется второй режим кэширования. Опция Настройки макросов используется для настройки отображения макросов с уведомлением. Выберите опцию Отключить все, чтобы отключить все макросы в электронной таблице; Выберите опцию Показывать уведомление, чтобы получать уведомления о макросах в электронной таблице; Выберите опцию Включить все, чтобы автоматически запускать все макросы в электронной таблице. Региональные параметры Опция Язык формул используется для выбора языка отображения и ввода имен формул, аргументов и их описания. Язык формул поддерживается на 32 языках: белорусский, болгарский, каталонский, китайский, чешский, датский, голландский, английский, финский, французский, немецкий, греческий, венгерский, индонезийский, итальянский, японский, корейский, лаосский, латышский, норвежский, польский, португальский (Бразилия), португальский (Португалия), румынский, русский, словацкий, словенский, испанский, шведский, турецкий, украинский, вьетнамский. Опция Регион используется для выбора формата отображения денежных единиц и даты и времени по умолчанию. Опция Использовать разделители на базе региональных настроек выбрана по умолчанию, разделители соответствуют заданному региону. Если вы хотите использовать особые разделители, снимите этот флажок и введите нужные символы в расположенных ниже полях Десятичный разделитель и Разделитель разрядов тысяч. Правописание Опция Язык словаря используется для выбора предпочтительного словаря для проверки орфографии. Пропускать слова из ПРОПИСНЫХ БУКВ. Слова, написанные прописными буквами, игнорируются при проверке орфографии. Пропускать слова с цифрами. Слова, в которых есть цифры, игнорируются при проверке орфографии. Меню Параметры автозамены... позволяет открыть параметры автозамены, такие как замена текста при вводе, распознанные функции, автоформат при вводе и другие. Вычисление Опция Использовать систему дат 1904 опция служит для вычисления дат с использованием 1 января 1904 года в качестве отправной точки. Это может пригодиться при работе с электронными таблицами, созданными в MS Excel 2008 для Mac и более ранних версиях MS Excel для Mac. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Совместное редактирование электронных таблиц", - "body": "В Редакторе электронных таблиц вы можете работать над электронной таблицей совместно с другими пользователями. Эта возможность включает в себя следующее: одновременный многопользовательский доступ к редактируемой электронной таблице визуальная индикация ячеек, которые редактируются другими пользователями мгновенное отображение изменений или синхронизация изменений одним нажатием кнопки чат для обмена идеями по поводу отдельных частей электронной таблицы комментарии, содержащие описание задачи или проблемы, которую необходимо решить (работа с комментариями доступна и в автономном режиме без подключения к онлайн-версии) Подключение к онлайн-версии В десктопном редакторе необходимо открыть пункт меню Подключиться к облаку на левой боковой панели в главном окне программы и подключиться к облачной версии, указав логин и пароль учетной записи. Совместное редактирование В редакторе электронных таблиц можно выбрать один из двух доступных режимов совместного редактирования: Быстрый используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Обратите внимание: при совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Отменить/Повторить последнее действие. Когда электронную таблицу редактируют одновременно несколько пользователей в Строгом режиме, редактируемые ячейки, а также ярлычок листа, на котором находятся эти ячейки, помечаются пунктирными линиями разных цветов. При наведении курсора мыши на одну из редактируемых ячеек отображается имя того пользователя, который в данный момент ее редактирует. В Быстром режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования. Количество пользователей, которые в данный момент работают над текущей электронной таблицей, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Если файл не просматривают или не редактируют другие пользователи, значок в шапке редактора будет выглядеть следующим образом: . C его помощью можно непосредственно из документа управлять пользователями, имеющими доступ к файлу: приглашать новых пользователей, предоставляя им права на редактирование, просмотр или комментирование электронной таблицы, или запрещать доступ к файлу для некоторых пользователей. Нажмите на этот значок для управления доступом к файлу; это можно сделать и в отсутствие других пользователей, которые просматривают или совместно редактируют документ в настоящий момент, и при наличии других пользователей, когда значок выглядит так: . Права доступа также можно задать, используя значок Совместный доступ на вкладке Совместная работа верхней панели инструментов. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в левом верхнем углу примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя. Чат Этот инструмент можно использовать для оперативного согласования процесса совместного редактирования, например, для того, чтобы договориться с другими участниками, кто и что должен делать, какой абзац вы собираетесь сейчас отредактировать и т.д. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания документа лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Чтобы войти в чат и оставить сообщение для других пользователей: нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые Вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз. Комментарии Работа с комментариями доступна в офлайн-режиме без подключения к онлайн-версии. Чтобы оставить комментарий: выделите ячейку, в которой, по Вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Комментарий появится на панели слева. В правом верхнем углу ячейки, к которой Вы добавили комментарий, появится оранжевый треугольник. Если требуется отключить эту функцию, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение комментариев в тексте. В этом случае ячейки, к которым добавлены комментарии, будут помечаться, только если Вы нажмете на значок . Для просмотра комментария щелкните по ячейке. Вы или любой другой пользователь можете ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, ввести текст ответа в поле ввода и нажать кнопку Ответить. Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отсортируйте добавленные комментарии, нажав на значок : по дате: От старых к новым или От новых к станым. Это порядок сортировки выбран по умолчанию. по автору: По автору от А до Я или По автору от Я до А по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу. по группе: Все или выберите определенную группу из списка отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в таблице. Добавление упоминаний Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всему документу. При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание, введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости и нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в электронной таблице, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + "body": "Редактор электронных таблиц позволяет осуществлять постоянный общекомандный подход к рабочему процессу: предоставлять доступ к файлам и папкам, общаться прямо в редакторе, комментировать определенные фрагменты таблиц, требующие особого внимания, сохранять версии таблиц для дальнейшего использования. В Редакторе электронных таблиц вы можете работать над электронной таблицей совместно, используя два режима: Быстрый или Строгий. Режим можно выбрать в Дополнительных настройках. Нужный режим также можно выбрать, используя значок Режим совместного редактирования на вкладке Совместная работа верхней панели инструментов: Количество пользователей, которые в данный момент работают над текущей электронной таблицей, отображается в правой части шапки редактора - . Чтобы увидеть, кто именно редактирует файл в настоящий момент, можно щелкнуть по этому значку или открыть панель Чата с полным списком пользователей. Быстрый режим Быстрый режим используется по умолчанию, в нем изменения, вносимые другими пользователями, отображаются в реальном времени. При совместном редактировании электронной таблицы в Быстром режиме недоступна возможность Повторить последнее отмененное действие. В этом режиме действия и имена участников совместного редактирования отображаются непосредственно в процессе редактирования данных в ячейках. Диапазоны ячеек, выделенные пользователями в данный момент, также подсвечиваются границами разных цветов. Наведите курсор мыши на выделенный диапазон, чтобы показать имя пользователя, который его редактирует. Строгий режим Строгий режим позволяет скрывать изменения, внесенные другими пользователями, до тех пор, пока вы не нажмете значок Сохранить  , чтобы сохранить ваши изменения и принять изменения, внесенные другими. Когда электронную таблицу редактируют одновременно несколько пользователей в Строгом режиме, редактируемые ячейки помечаются пунктирными линиями разных цветов, а ярлычок листа, на котором находятся эти ячейки, помечается красным маркером. При наведении курсора мыши на одну из редактируемых ячеек отображается имя того пользователя, который в данный момент ее редактирует. Как только один из пользователей сохранит свои изменения, нажав на значок , все остальные увидят в строке состояния примечание, которое сообщает о наличии обновлений. Чтобы сохранить внесенные вами изменения и сделать их доступными для других пользователей, а также получить обновления, сохраненные другими пользователями, нажмите на значок в левом верхнем углу верхней панели инструментов. Режим просмотра в реальном времени Режим просмотра в реальном времени используется для просмотра в реальном времени изменений, которые вносят другие пользователи, когда таблица открыта пользователем с правами доступа Только чтение. Для правильной работы этого режима убедитесь, что включена галочка Показывать изменения других пользователей в Дополнительных параметрах редактора. Аноним Пользователи портала, которые не зарегистрированы и не имеют профиля, считаются анонимными, хотя они по-прежнему могут совместно работать над документами. Чтобы добавить имя, анонимный пользователь должен ввести его в соответствующее поле, появляющееся в правом верхнем углу экрана при первом открытии документа. Установите флажок «Больше не спрашивать», чтобы сохранить имя." + }, + { + "id": "HelpfulHints/Commenting.htm", + "title": "Комментирование", + "body": "Редактор электронных таблиц позволяет осуществлять постоянный общекомандный подход к рабочему процессу: предоставлять доступ к файлам и папкам, вести совместную работу над таблицами в режиме реального времени, общаться прямо в редакторе, сохранять версии таблиц для дальнейшего использования. В редакторе электронных таблиц вы можете оставлять комментарии к содержимому таблиц, не редактируя его непосредственно. В отличие от сообщений в чате, комментарии хранятся, пока вы не удалите их. Добавление комментариев и ответ на них Чтобы оставить комментарий, выделите ячейку, в которой, по вашему мнению, содержится какая-то ошибка или проблема, переключитесь на вкладку Вставка или Совместная работа верхней панели инструментов и нажмите на кнопку Комментарий или используйте значок на левой боковой панели, чтобы открыть панель Комментарии, и нажмите на ссылку Добавить комментарий к документу или щелкните правой кнопкой мыши внутри выделенной ячейки и выберите в меню команду Добавить комментарий, введите нужный текст, нажмите кнопку Добавить. Если Вы используете Строгий режим совместного редактирования, новые комментарии, добавленные другими пользователями, станут видимыми только после того, как Вы нажмете на значок в левом верхнем углу верхней панели инструментов. Для просмотра комментария щелкните по ячейке. Вы или любой другой пользователь можете ответить на добавленный комментарий, чтобы дать ответ на вопросы или отчитаться о проделанной работе. Для этого надо нажать на ссылку Добавить ответ, ввести текст ответа в поле ввода и нажать кнопку Ответить. Отключение отображения комментариев Комментарий появится на панели слева. В правом верхнем углу ячейки, к которой Вы добавили комментарий, появится оранжевый треугольник. Если требуется отключить эту функцию, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры, снимите флажок Включить отображение комментариев в тексте. В этом случае ячейки, к которым добавлены комментарии, будут помечаться, только если Вы нажмете на значок . Управление комментариями Вы можете управлять добавленными комментариями, используя значки во всплывающем окне комментария или на панели Комментарии слева: отсортируйте добавленные комментарии, нажав на значок : по дате: От старых к новым или От новых к старым. Этот порядок сортировки выбран по умолчанию. по автору: По автору от А до Я или По автору от Я до А. по местонахождению: Сверху вниз или Снизу вверх. Обычный порядок сортировки комментариев по их расположению в документе выглядит следующим образом (сверху вниз): комментарии к тексту, комментарии к сноскам, комментарии к примечаниям, комментарии к верхним/нижним колонтитулам, комментарии ко всему документу. по группе: Все или выберите определенную группу из списка отредактируйте выбранный комментарий, нажав значок , удалите выбранный комментарий, нажав значок , закройте выбранное обсуждение, нажав на значок , если задача или проблема, обозначенная в комментарии, решена; после этого обсуждение, которое Вы открыли своим комментарием, приобретет статус решенного. Чтобы вновь его открыть, нажмите на значок . Если Вы хотите скрыть решенные комментарии, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Дополнительные параметры... и снимите флажок Включить отображение решенных комментариев. В этом случае решенные комментарии будут подсвечиваться, только когда Вы нажмете на значок . если вы хотите решить сразу несколько комментариев, на вкладке Совместная работа нажмите выпадающий список Решить и выберите один из вариантов решения комментариев: решить текущие комментарии, решить мои комментарии или решить все комментарии в таблице. Добавление упоминаний Примечание: Упоминания можно добавлять в комментарии к тексту, а не в комментарии ко всей электронной таблице. При вводе комментариев можно использовать функцию упоминаний, которая позволяет привлечь чье-либо внимание к комментарию и отправить оповещение упомянутому пользователю по электронной почте и в Чат. Чтобы добавить упоминание: Введите знак \"+\" или \"@\" в любом месте текста комментария - откроется список пользователей портала. Чтобы упростить процесс поиска, вы можете начать вводить имя в поле комментария - список пользователей будет меняться по мере ввода. Выберите из списка нужного человека. Если упомянутому пользователю еще не был предоставлен доступ к файлу, откроется окно Настройки совместного доступа. По умолчанию выбран тип доступа Только чтение. Измените его в случае необходимости. Нажмите кнопку OK. Упомянутый пользователь получит по электронной почте оповещение о том, что он был упомянут в комментарии. Если к файлу был предоставлен доступ, пользователь также получит соответствующее оповещение. Удаление комментариев Чтобы удалить комментарии, нажмите кнопку Удалить на вкладке Совместная работа верхней панели инструментов, выберите нужный пункт меню: Удалить текущие комментарии - чтобы удалить выбранный комментарий. Если к комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить мои комментарии - чтобы удалить добавленные вами комментарии, не удаляя комментарии, добавленные другими пользователями. Если к вашему комментарию были добавлены ответы, все ответы к нему также будут удалены. Удалить все комментарии - чтобы удалить все комментарии в электронной таблице, добавленные вами и другими пользователями. Чтобы закрыть панель с комментариями, нажмите на значок еще раз." + }, + { + "id": "HelpfulHints/Communicating.htm", + "title": "Общение в режиме реального времени", + "body": "Редактор электронных таблиц позволяет осуществлять постоянный общекомандный подход к рабочему процессу: предоставлять доступ к файлам и папкам, вести совместную работу над таблицами в режиме реального времени, комментировать определенные фрагменты таблиц, требующие особого внимания, сохранять версии таблиц для дальнейшего использования. В редакторе электронных таблиц вы можете общаться в режиме реального времени с другими пользователями, участвующими в процессе совместного редактирования, используя встроенный Чат, а также ряд полезных плагинов, например, Telegram или Rainbow. Чтобы войти в чат и оставить сообщение для других пользователей, нажмите на значок на левой боковой панели или переключитесь на вкладку Совместная работа верхней панели инструментов и нажмите на кнопку Чат, введите текст в соответствующем поле ниже, нажмите кнопку Отправить. Сообщения в чате хранятся только в течение одной сессии. Для обсуждения содержания таблицы лучше использовать комментарии, которые хранятся до тех пор, пока вы не решите их удалить. Все сообщения, оставленные пользователями, будут отображаться на панели слева. Если есть новые сообщения, которые вы еще не прочитали, значок чата будет выглядеть так - . Чтобы закрыть панель с сообщениями чата, нажмите на значок на левой боковой панели или кнопку Чат на верхней панели инструментов еще раз." }, { "id": "HelpfulHints/ImportData.htm", @@ -2323,12 +2333,12 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Сочетания клавиш", - "body": "Подсказки для клавиш Используйте сочетания клавиш для более быстрого и удобного доступа к функциям Редактора электронных таблиц без использования мыши. Нажмите клавишу Alt, чтобы показать все подсказки для клавиш верхней панели инструментов, правой и левой боковой панели, а также строке состояния. Нажмите клавишу, соответствующую элементу, который вы хотите использовать. В зависимости от нажатой клавиши, могут появляться дополнительные подсказки. Когда появляются дополнительные подсказки для клавиш, первичные - скрываются. Например, чтобы открыть вкладку Вставка, нажмите Alt и просмотрите все подсказки по первичным клавишам. Нажмите букву И, чтобы открыть вкладку Вставка и просмотреть все доступные сочетания клавиш для этой вкладки. Затем нажмите букву, соответствующую элементу, который вы хотите использовать. Нажмите Alt, чтобы скрыть все подсказки для клавиш, или Escape, чтобы вернуться к предыдущей группе подсказок для клавиш. 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+0 ^ Ctrl+0 или ⌘ Cmd+0 Сбросить масштаб текущей электронной таблицы до значения по умолчанию 100%. Навигация Перейти на одну ячейку вверх, вниз, влево или вправо ← → ↑ ↓ ← → ↑ ↓ Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее. Перейти к краю видимой области данных или к следующей заполненной ячейке 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 Перейти на один экран вверх по рабочему листу. Переместить вертикальную полосу прокрутки Вверх/Вниз Прокрутка колесика мыши Вверх/Вниз Прокрутка колесика мыши Вверх/Вниз Переместить вертикальную полосу прокрутки Вверх/Вниз. Переместить горизонтальную полосу прокрутки Влево/Вправо ⇧ Shift+Прокрутка колесика мыши Вверх/Вниз ⇧ Shift+Прокрутка колесика мыши Вверх/Вниз Перемещение горизонтальной полосы прокрутки влево/вправо. Чтобы переместить полосу прокрутки вправо, прокрутите колесико мыши вниз. Чтобы переместить полосу прокрутки влево, прокрутите колесо мыши вверх. Увеличить Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Увеличить масштаб редактируемой электронной таблицы. Уменьшить Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Уменьшить масштаб редактируемой электронной таблицы. Перейти между элементами управления Tab, Shift+Tab Tab, Shift+Tab Перейти на следующий или предыдущий элемент управления в модальных окнах. Выделение данных Выделить все 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 Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. Вставка ячеек Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Открыть диалоговое окно для вставки новых ячеек в текущую электронную таблицу с дополнительным параметром: со сдвигом вправо, со сдвигом вниз, вставка целой строки или целого столбца. Удаление ячеек Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Открыть диалоговое окно для удаления ячеек из текущей электронной таблицы с дополнительным параметром: со сдвигом влево, со сдвигом вверх, удаление всей строки или всего столбца. Вставка текущей даты Ctrl+; Ctrl+; Вставить сегодняшнюю дату в активную ячейку. Вставка текущего времени Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Вставить текущее время в активную ячейку. Вставка текущей даты и времени Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Вставить текущую дату и время в активную ячейку. Функции Вставка функции ⇧ Shift+F3 ⇧ Shift+F3 Открыть диалоговое окно для вставки новой функции путем выбора из списка. Функция SUM Alt+= ⌥ Option+= Вставить функцию SUM в выделенную ячейку. Открыть выпадающий список Alt+↓ Открыть выбранный выпадающий список. Открыть контекстное меню ≣ Menu Открыть контекстное меню для выбранной ячейки или диапазона ячеек. Пересчет функций F9 F9 Выполнить пересчет всей рабочей книги. Пересчет функций ⇧ Shift+F9 ⇧ Shift+F9 Выполнить пересчет текущего рабочего листа. Форматы данных Открыть диалоговое окно 'Числовой формат' 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 и используйте стрелки на клавиатуре, чтобы перемещать выбранный объект на один пиксель за раз." + "body": "Подсказки для клавиш Используйте сочетания клавиш для более быстрого и удобного доступа к функциям Редактора электронных таблиц без использования мыши. Нажмите клавишу Alt, чтобы показать все подсказки для клавиш верхней панели инструментов, правой и левой боковой панели, а также строке состояния. Нажмите клавишу, соответствующую элементу, который вы хотите использовать. В зависимости от нажатой клавиши, могут появляться дополнительные подсказки. Когда появляются дополнительные подсказки для клавиш, первичные - скрываются. Например, чтобы открыть вкладку Вставка, нажмите Alt и просмотрите все подсказки по первичным клавишам. Нажмите букву И, чтобы открыть вкладку Вставка и просмотреть все доступные сочетания клавиш для этой вкладки. Затем нажмите букву, соответствующую элементу, который вы хотите использовать. Нажмите Alt, чтобы скрыть все подсказки для клавиш, или Escape, чтобы вернуться к предыдущей группе подсказок для клавиш. 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+0 ^ Ctrl+0 или ⌘ Cmd+0 Сбросить масштаб текущей электронной таблицы до значения по умолчанию 100%. Навигация Перейти на одну ячейку вверх, вниз, влево или вправо ← → ↑ ↓ ← → ↑ ↓ Выделить ячейку выше/ниже выделенной в данный момент или справа/слева от нее. Перейти к краю видимой области данных или к следующей заполненной ячейке 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 Перейти на один экран вверх по рабочему листу. Переместить вертикальную полосу прокрутки Вверх/Вниз Прокрутка колесика мыши Вверх/Вниз Прокрутка колесика мыши Вверх/Вниз Переместить вертикальную полосу прокрутки Вверх/Вниз. Переместить горизонтальную полосу прокрутки Влево/Вправо ⇧ Shift+Прокрутка колесика мыши Вверх/Вниз ⇧ Shift+Прокрутка колесика мыши Вверх/Вниз Перемещение горизонтальной полосы прокрутки влево/вправо. Чтобы переместить полосу прокрутки вправо, прокрутите колесико мыши вниз. Чтобы переместить полосу прокрутки влево, прокрутите колесо мыши вверх. Увеличить Ctrl++ ^ Ctrl+= Увеличить масштаб редактируемой электронной таблицы. Уменьшить Ctrl+- ^ Ctrl+- Уменьшить масштаб редактируемой электронной таблицы. Перейти между элементами управления Tab, Shift+Tab Tab, Shift+Tab Перейти на следующий или предыдущий элемент управления в модальных окнах. Выделение данных Выделить все 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 Завершить ввод в выделенную ячейку или строку формул и перейти в ячейку слева. Вставка ячеек Ctrl+⇧ Shift+= Ctrl+⇧ Shift+= Открыть диалоговое окно для вставки новых ячеек в текущую электронную таблицу с дополнительным параметром: со сдвигом вправо, со сдвигом вниз, вставка целой строки или целого столбца. Удаление ячеек Ctrl+⇧ Shift+- Ctrl+⇧ Shift+- Открыть диалоговое окно для удаления ячеек из текущей электронной таблицы с дополнительным параметром: со сдвигом влево, со сдвигом вверх, удаление всей строки или всего столбца. Вставка текущей даты Ctrl+; Ctrl+; Вставить сегодняшнюю дату в активную ячейку. Вставка текущего времени Ctrl+⇧ Shift+; Ctrl+⇧ Shift+; Вставить текущее время в активную ячейку. Вставка текущей даты и времени Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Ctrl+; затем ␣ Spacebar затем Ctrl+⇧ Shift+; Вставить текущую дату и время в активную ячейку. Функции Вставка функции ⇧ Shift+F3 ⇧ Shift+F3 Открыть диалоговое окно для вставки новой функции путем выбора из списка. Функция SUM Alt+= ⌥ Option+= Вставить функцию SUM в выделенную ячейку. Открыть выпадающий список Alt+↓ Открыть выбранный выпадающий список. Открыть контекстное меню ≣ Menu Открыть контекстное меню для выбранной ячейки или диапазона ячеек. Пересчет функций F9 F9 Выполнить пересчет всей рабочей книги. Пересчет функций ⇧ Shift+F9 ⇧ Shift+F9 Выполнить пересчет текущего рабочего листа. Форматы данных Открыть диалоговое окно 'Числовой формат' 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", "title": "Параметры представления и инструменты навигации", - "body": "В Редакторе электронных таблиц доступен ряд инструментов для навигации, облегчающих просмотр и выделение ячеек в больших таблицах: настраиваемые панели, полосы прокрутки, кнопки навигации по листам, ярлычки листов и кнопки масштаба. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с электронной таблицей, щелкните по значку Параметры представления в правой части шапки редактора и выберите, какие элементы интерфейса требуется скрыть или отобразить. Из выпадающего списка Параметры представления можно выбрать следующие опции: Скрыть панель инструментов - скрывает верхнюю панель инструментов, которая содержит команды. Вкладки при этом остаются видимыми. Чтобы показать панель инструментов, когда эта опция включена, можно нажать на любую вкладку. Панель инструментов будет отображаться до тех пор, пока вы не щелкнете мышью где-либо за ее пределами. Чтобы отключить этот режим, нажмите значок Параметры представления и еще раз щелкните по опции Скрыть панель инструментов. Верхняя панель инструментов будет отображаться постоянно. Примечание: можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Скрыть строку формул - скрывает панель, которая располагается под верхней панелью инструментов и используется для ввода и просмотра формул и их значений. Чтобы отобразить скрытую строку формул, щелкните по этой опции еще раз. Объединить строки листов и состояния - отображает все инструменты навигации и строку состояния в одной объединенной строке. Данная опция включена по умолчанию. Если ее отключить, строка состояния и строка листов будет отображаться отдельно. Скрыть заголовки - скрывает заголовки столбцов сверху и заголовки строк слева на рабочем листе. Чтобы отобразить скрытые заголовки, щелкните по этой опции еще раз. Скрыть линии сетки - скрывает линии вокруг ячеек. Чтобы отобразить скрытые линии сетки, щелкните по этой опции еще раз. Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей. Показывать тень закрепленной области - показывает, что столбцы и/или строки закреплены (появляется тонкая линия). Отображать нули - позволяет отображать «0» в ячейке. Чтобы включить/выключить эту опцию, на вкладке Вид поставьте/снимите флажок напротив Отображать нули. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект (например, изображение, диаграмму, фигуру) и щелкните по значку вкладки, которая в данный момент активирована. Чтобы свернуть правую боковую панель, щелкните по этому значку еще раз. Можно также изменить размер открытой панели Комментарии или Чат путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по электронной таблице используйте следующие инструменты: Используйте клавишу Tab на клавиатуре, чтобы перейти к ячейке справа от выбранной. Полосы прокрутки (внизу или справа) используются для прокручивания текущего листа вверх/вниз и влево/вправо. Для навигации по электронной таблице с помощью полос прокрутки: нажимайте стрелки вверх/вниз или вправо/влево на полосах прокрутки; перетаскивайте ползунок прокрутки; прокрутите колесико мыши для перемещения по вертикали; используйте комбинацию клавиши Shift и колесика прокрутки мыши для перемещения по горизонтали; щелкните в любой области слева/справа или выше/ниже ползунка на полосе прокрутки. Чтобы прокручивать электронную таблицу вверх или вниз, можно также использовать колесо прокрутки мыши. Кнопки Навигации по листам расположены в левом нижнем углу и используются для прокручивания списка листов вправо и влево и перемещения между ярлычками листов. нажмите на кнопку Прокрутить до первого листа , чтобы прокрутить список листов текущей электронной таблицы до первого ярлычка листа; нажмите на кнопку Прокрутить список листов влево , чтобы прокрутить список листов текущей электронной таблицы влево; нажмите на кнопку Прокрутить список листов вправо , чтобы прокрутить список листов текущей электронной таблицы вправо; нажмите на кнопку Прокрутить до последнего листа , чтобы прокрутить список листов текущей электронной таблицы до последнего ярлычка листа; Нажмите кнопку в строке состояния, чтобы добавить новый лист. Чтобы выбрать нужный лист: нажмите кнопку в строке состояния, чтобы открыть список всех листов и выбрать нужный лист. В списке листов также отображается статус листа. или щелкните по соответствующей Вкладке листа напротив кнопки . Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%) или используйте кнопки Увеличить или Уменьшить . Параметры масштаба доступны также из выпадающего списка Параметры представления ." + "body": "В Редакторе электронных таблиц доступен ряд инструментов для навигации, облегчающих просмотр и выделение ячеек в больших таблицах: настраиваемые панели, полосы прокрутки, кнопки навигации по листам, ярлычки листов и кнопки масштаба. Настройте параметры представления Чтобы настроить стандартные параметры представления и установить наиболее удобный режим работы с электронной таблицей, перейдите на вкладку Вид. Можно выбрать следующие опции: Представление листа - для управления представлениями листа. Чтобы получить дополнительную информацию о представлениях листа, прочитайте следующую статью. Масштаб - чтобы выбрать из выпадающего списка нужное значение масштаба от 50% до 500%. Тема интерфейса – выберите из выпадающего меню одну из доступных тем интерфейса: Системная, Светлая, Классическая светлая, Темная, Контрастная темная. Закрепить области - закрепляет все строки выше активной ячейки и все столбцы слева от нее таким образом, что они остаются видимыми при прокрутке электронной таблицы вправо или вниз. Чтобы снять закрепление областей, щелкните по этой опции еще раз или щелкните в любом месте рабочего листа правой кнопкой мыши и выберите пункт меню Снять закрепление областей. Строка формул - когда эта опция отключена, будет скрыта панель, которая располагается под верхней панелью инструментов и используется для ввода и просмотра формул и их значений. Чтобы отобразить скрытую строку формул, щелкните по этой опции еще раз. При перетаскивании нижней линейки строки формул, чтобы расширить ее, высота строки формул меняется кратно высоте строки. Заголовки - когда эта опция отключена, будут скрыты заголовки столбцов сверху и заголовки строк слева на рабочем листе. Чтобы отобразить скрытые заголовки, щелкните по этой опции еще раз. Линии сетки - когда эта опция отключена, будут скрыты линии вокруг ячеек. Чтобы отобразить скрытые линии сетки, щелкните по этой опции еще раз. Отображать нули - позволяет отображать «0» в ячейке. Чтобы отключить эту опцию, снимите галочку. Всегда показывать панель инструментов – когда эта опция отключена, будет скрыта верхняя панель инструментов, которая содержит команды. Названия вкладок при этом остаются видимыми. Можно также дважды щелкнуть по любой вкладке, чтобы скрыть верхнюю панель инструментов или отобразить ее снова. Объединить строки листов и состояния - отображает все инструменты навигации и строку состояния в одной объединенной строке. Данная опция включена по умолчанию. Если ее отключить, строка состояния и строка листов будет отображаться отдельно. Правая боковая панель свернута по умолчанию. Чтобы ее развернуть, выделите любой объект (например, изображение, диаграмму, фигуру) и щелкните по значку вкладки, которая в данный момент активирована. Чтобы свернуть правую боковую панель, щелкните по этому значку еще раз. Можно также изменить размер открытой панели Комментарии или Чат путем простого перетаскивания: наведите курсор мыши на край левой боковой панели, чтобы курсор превратился в двунаправленную стрелку, и перетащите край панели вправо, чтобы увеличить ширину панели. Чтобы восстановить исходную ширину, перетащите край панели влево. Используйте инструменты навигации Для осуществления навигации по электронной таблице используйте следующие инструменты: Используйте клавишу Tab на клавиатуре, чтобы перейти к ячейке справа от выбранной. Полосы прокрутки (внизу или справа) используются для прокручивания текущего листа вверх/вниз и влево/вправо. Для навигации по электронной таблице с помощью полос прокрутки: нажимайте стрелки вверх/вниз или вправо/влево на полосах прокрутки; перетаскивайте ползунок прокрутки; прокрутите колесико мыши для перемещения по вертикали; используйте комбинацию клавиши Shift и колесика прокрутки мыши для перемещения по горизонтали; щелкните в любой области слева/справа или выше/ниже ползунка на полосе прокрутки. Чтобы прокручивать электронную таблицу вверх или вниз, можно также использовать колесо прокрутки мыши. Кнопки Навигации по листам расположены в левом нижнем углу и используются для прокручивания списка листов вправо и влево и перемещения между ярлычками листов. нажмите на кнопку Прокрутить список листов влево , чтобы прокрутить список листов текущей электронной таблицы влево; нажмите на кнопку Прокрутить список листов вправо , чтобы прокрутить список листов текущей электронной таблицы вправо; Нажмите кнопку в строке состояния, чтобы добавить новый лист. Чтобы выбрать нужный лист: нажмите кнопку в строке состояния, чтобы открыть список всех листов и выбрать нужный лист. В списке листов также отображается статус листа. или щелкните по соответствующей Вкладке листа напротив кнопки  . Кнопки Масштаб расположены в правом нижнем углу и используются для увеличения и уменьшения текущего листа. Чтобы изменить выбранное в текущий момент значение масштаба в процентах, щелкните по нему и выберите в списке один из доступных параметров масштабирования (50% / 75% / 100% / 125% / 150% / 175% / 200%/ 300% / 400% / 500%) или используйте кнопки Увеличить или Уменьшить < class = \"icon icon-zoomout\">. Параметры масштаба доступны также на вкладкe Вид." }, { "id": "HelpfulHints/Password.htm", @@ -2338,17 +2348,22 @@ var indexes = { "id": "HelpfulHints/Search.htm", "title": "Функция поиска и замены", - "body": "Чтобы найти нужные символы, слова или фразы, которые используются в текущей электронной таблице, щелкните по значку , расположенному на левой боковой панели, или используйте сочетание клавиш Ctrl+F. Если вы хотите выполнить поиск или замену значений только в пределах определенной области на текущем листе, выделите нужный диапазон ячеек, а затем щелкните по значку . Откроется окно Поиск и замена: Введите запрос в соответствующее поле ввода данных. Задайте параметры поиска, нажав на значок рядом с полем для ввода данных и отметив нужные опции: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут). Выделить результаты - используется для подсветки всех найденных вхождений сразу. Чтобы отключить этот параметр и убрать подсветку, щелкните по этой опции еще раз. Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист. Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам. Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются. Нажмите на одну из кнопок со стрелками справа. Поиск будет выполняться или по направлению к началу рабочего листа (если нажата кнопка ), или по направлению к концу рабочего листа (если нажата кнопка ), начиная с текущей позиции. Первое вхождение искомых символов в выбранном направлении будет подсвечено. Если это не то слово, которое вы ищете, нажмите на выбранную кнопку еще раз, чтобы найти следующее вхождение символов, которые вы ввели. Чтобы заменить одно или более вхождений найденных символов, нажмите на ссылку Заменить, расположенную под полем для ввода данных, или используйте сочетание клавиш Ctrl+H. Окно Поиск и замена изменится: Введите текст для замены в нижнее поле ввода данных. Нажмите кнопку Заменить для замены выделенного в данный момент вхождения или кнопку Заменить все для замены всех найденных вхождений. Чтобы скрыть поле замены, нажмите на ссылку Скрыть поле замены." + "body": "Чтобы найти нужные символы, слова или фразы, которые используются в текущей электронной таблице, щелкните по значку , расположенному на левой боковой панели, или значку , расположенному в правом верхнем углу. Вы также можете использовать сочетание клавиш Ctrl+F (Command+F для MacOS), чтобы открыть маленькую панель поиска, или сочетание клавиш Ctrl+H, чтобы открыть расширенную панель поиска. В правом верхнем углу рабочей области откроется маленькая панель Поиск. Чтобы открыть дополнительные параметры, нажмите значок или используйте сочетание клавиш Ctrl+H. Откроется панель Поиск и замена: Введите запрос в соответствующее поле ввода данных Поиск. Для навигации по найденным вхождениям нажмите одну из кнопок со стрелками. Кнопка показывает следующее вхождение, а кнопка показывает предыдущее. Если требуется заменить одно или более вхождений найденных символов, введите текст для замены в соответствующее поле ввода данных Заменить на. Вы можете заменить одно выделенное в данный момент вхождение или заменить все вхождения, нажав соответствующие кнопки Заменить или Заменить все. Задайте параметры поиска, выбрав нужные опции: Искать - используется для поиска только на активном Листе или во всей Книге. Если вы хотите выполнить поиск внутри выделенной области на листе, убедитесь, что выбрана опция Лист. Просматривать - используется для указания нужного направления поиска: вправо По строкам или вниз По столбцам. Область поиска - используется для указания, надо ли произвести поиск по Значениям ячеек или по Формулам, на основании которых они высчитываются. Задайте параметры поиска, отметив нужные опции, расположенные под полями ввода: С учетом регистра - используется для поиска только тех вхождений, которые набраны в таком же регистре, что и ваш запрос, (например, если вы ввели запрос 'Редактор' и выбрали эту опцию, такие слова, как 'редактор' или 'РЕДАКТОР' и т.д. не будут найдены). Все содержимое ячеек - используется для поиска только тех ячеек, которые не содержат никаких других символов, кроме указанных в запросе (например, если вы ввели запрос '56' и выбрали эту опцию, то ячейки, содержащие такие данные, как '0,56', '156' и т.д., найдены не будут). Все вхождения будут подсвечены в файле и показаны в виде списка на панели Поиск слева. Используйте список для перехода к нужному вхождению или используйте кнопки навигации и ." }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Проверка орфографии", - "body": "В редакторе электронных таблиц можно проверять правописание текста на определенном языке и исправлять ошибки в ходе редактирования. В десктопной версии также доступна возможность добавлять слова в пользовательский словарь, общий для всех трех редакторов. Нажмите значок Проверка орфографии на левой боковой панели, чтобы открыть панель проверки орфографии. Левая верхняя ячейка, которая содержит текстовое значение с ошибкой, будет автоматически выделена на текущем рабочем листе. Первое слово с ошибкой будет отображено в поле проверки орфографии, а в поле ниже появятся предложенные похожие слова, которые написаны правильно. Для навигации между неправильно написанными словами используйте кнопку Перейти к следующему слову. Замена слов, написанных с ошибкой Чтобы заменить выделенное слово с ошибкой на предложенное, выберите одно из предложенных похожих слов, написанных правильно, и используйте опцию Заменить: нажмите кнопку Заменить или нажмите направленную вниз стрелку рядом с кнопкой Заменить и выберите опцию Заменить. Текущее слово будет заменено, и вы перейдете к следующему слову с ошибкой. Чтобы быстро заменить все идентичные слова, повторяющиеся на листе, нажмите направленную вниз стрелку рядом с кнопкой Заменить и выберите опцию Заменить все. Пропуск слов Чтобы пропустить текущее слово: нажмите кнопку Пропустить или нажмите направленную вниз стрелку рядом с кнопкой Пропустить и выберите опцию Пропустить. Текущее слово будет пропущено, и вы перейдете к следующему слову с ошибкой. Чтобы пропустить все идентичные слова, повторяющиеся на листе, нажмите направленную вниз стрелку рядом с кнопкой Пропустить и выберите опцию Пропустить все. Если текущее слово отсутствует в словаре, его можно добавить в пользовательский словарь, используя кнопку Добавить в словарь на панели проверки орфографии. В следующий раз это слово не будет расцениваться как ошибка. Эта возможность доступна в десктопной версии. Язык словаря, который используется для проверки орфографии, отображается в списке ниже. В случае необходимости его можно изменить. Когда вы проверите все слова на рабочем листе, на панели проверки орфографии появится сообщение Проверка орфографии закончена. Чтобы закрыть панель проверки орфографии, нажмите значок Проверка орфографии на левой боковой панели. Изменение настроек проверки орфографии Чтобы изменить настройки проверки орфографии, перейдите в дополнительные настройки редактора электронных таблиц (вкладка Файл -> Дополнительные параметры...), и переключитесь на вкладку Проверка орфографии. Здесь вы можете настроить следующие параметры: Язык словаря - выберите в списке один из доступных языков. Язык словаря на панели проверки орфографии изменится соответственно. Пропускать слова из ПРОПИСНЫХ БУКВ - отметьте эту опцию, чтобы пропускать слова, написанные заглавными буквами, например, такие аббревиатуры, как СМБ. Пропускать слова с цифрами - отметьте эту опцию, чтобы пропускать слова, содержащие цифры, например, такие сокращения, как пункт 1б. Правописание - используется для автоматической замены слова или символа, введенного в поле Заменить: или выбранного из списка, на новое слово или символ, отображенные в поле На:. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." + "body": "В редакторе электронных таблиц можно проверять правописание текста на определенном языке и исправлять ошибки в ходе редактирования. В десктопной версии также доступна возможность добавлять слова в пользовательский словарь, общий для всех трех редакторов. Нажмите значок Проверка орфографии на левой боковой панели, чтобы открыть панель проверки орфографии. Левая верхняя ячейка, которая содержит текстовое значение с ошибкой, будет автоматически выделена на текущем рабочем листе. Первое слово с ошибкой будет отображено в поле проверки орфографии, а в поле ниже появятся предложенные похожие слова, которые написаны правильно. Для навигации между неправильно написанными словами используйте кнопку Перейти к следующему слову. Замена слов, написанных с ошибкой Чтобы заменить выделенное слово с ошибкой на предложенное, выберите одно из предложенных похожих слов, написанных правильно, и используйте опцию Заменить: нажмите кнопку Заменить или нажмите направленную вниз стрелку рядом с кнопкой Заменить и выберите опцию Заменить. Текущее слово будет заменено, и вы перейдете к следующему слову с ошибкой. Чтобы быстро заменить все идентичные слова, повторяющиеся на листе, нажмите направленную вниз стрелку рядом с кнопкой Заменить и выберите опцию Заменить все. Пропуск слов Чтобы пропустить текущее слово: нажмите кнопку Пропустить или нажмите направленную вниз стрелку рядом с кнопкой Пропустить и выберите опцию Пропустить. Текущее слово будет пропущено, и вы перейдете к следующему слову с ошибкой. Чтобы пропустить все идентичные слова, повторяющиеся на листе, нажмите направленную вниз стрелку рядом с кнопкой Пропустить и выберите опцию Пропустить все. Если текущее слово отсутствует в словаре, его можно добавить в пользовательский словарь, используя кнопку Добавить в словарь на панели проверки орфографии. В следующий раз это слово не будет расцениваться как ошибка. Эта возможность доступна в десктопной версии. Язык словаря, который используется для проверки орфографии, отображается в списке ниже. В случае необходимости его можно изменить. Когда вы проверите все слова на рабочем листе, на панели проверки орфографии появится сообщение Проверка орфографии закончена. Чтобы закрыть панель проверки орфографии, нажмите значок Проверка орфографии на левой боковой панели. Изменение настроек проверки орфографии Чтобы изменить настройки проверки орфографии, перейдите в дополнительные настройки редактора электронных таблиц (вкладка Файл -> Дополнительные параметры), и переключитесь на вкладку Проверка орфографии. Здесь вы можете настроить следующие параметры: Язык словаря - выберите в списке один из доступных языков. Язык словаря на панели проверки орфографии изменится соответственно. Пропускать слова из ПРОПИСНЫХ БУКВ - отметьте эту опцию, чтобы пропускать слова, написанные заглавными буквами, например, такие аббревиатуры, как СМБ. Пропускать слова с цифрами - отметьте эту опцию, чтобы пропускать слова, содержащие цифры, например, такие сокращения, как пункт 1б. Правописание - используется для автоматической замены слова или символа, введенного в поле Заменить: или выбранного из списка, на новое слово или символ, отображенные в поле На:. Чтобы сохранить внесенные изменения, нажмите кнопку Применить." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Поддерживаемые форматы электронных таблиц", - "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 и предназначен для долгосрочного архивного хранения электронных документов. + +" + "body": "Электронная таблица - это таблица данных, организованных в строки и столбцы. Очень часто используется для хранения финансовой информации благодаря возможности автоматически пересчитывать весь лист после изменения отдельной ячейки. Редактор электронных таблиц позволяет открывать, просматривать и редактировать самые популярные форматы файлов электронных таблиц. При загрузке или открытии файла на редактирование он будет сконвертирован в формат Office Open XML (XLSX>). Это делается для ускорения обработки файла и повышения совместимости. Следующая таблица содержит форматы, которые можно открыть на просмотр и/или редактирование. Форматы Описание Просмотр в исходном формате Просмотр после конвертации в OOXML Редактирование в исходном формате Редактирование после конвертации в OOXML CSV Comma Separated Values Формат файлов, используемый для хранения табличных данных (чисел и текста) в текстовой форме + + ODS Расширение имени файла для электронных таблиц, используемых пакетами офисных приложений OpenOffice и StarOffice, открытый стандарт для электронных таблиц + + OTS OpenDocument Spreadsheet Template Формат текстовых файлов OpenDocument для шаблонов электронных таблиц. Шаблон OTS содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + PDF Portable Document Format Формат файлов, используемый для представления документов независимо от программного обеспечения, аппаратных средств и операционных систем PDF/A Portable Document Format / A Подмножество формата PDF, содержащее ограниченный набор возможностей представления данных. Данный формат является стандартом ISO и предназначен для долгосрочного архивного хранения электронных документов. XLS Расширение имени файла для электронных таблиц, созданных программой Microsoft Excel + + XLSX Стандартное расширение для файлов электронных таблиц, созданных с помощью программы Microsoft Office Excel 2007 (или более поздних версий) + + XLTX Excel Open XML Spreadsheet Template разработанный компанией Microsoft формат файлов на основе XML, сжатых по технологии ZIP. Предназначен для шаблонов электронных таблиц. Шаблон XLTX содержит настройки форматирования, стили и т.д. и может использоваться для создания множества электронных таблиц со схожим форматированием + + Следующая таблица содержит форматы, в которые можно скачать таблицу из меню Файл -> Скачать как. Исходный формат Можно скачать как CSV CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX ODS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX OTS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLS CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLSX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX XLTX CSV, ODS, OTS, PDF, PDF/A, XLSX, XLTX Вы также можете обратиться к матрице конвертации на сайте api.onlyoffice.com, чтобы узнать о возможности конвертации таблиц в самые известные форматы файлов." + }, + { + "id": "HelpfulHints/VersionHistory.htm", + "title": "История версий", + "body": "Редактор электронных таблиц позволяет осуществлять постоянный общекомандный подход к рабочему процессу: предоставлять доступ к файлам и папкам, вести совместную работу над таблицами в режиме реального времени, общаться прямо в редакторе, комментировать определенные фрагменты таблиц, требующие особого внимания. В редакторе электронных таблиц вы можете просматривать историю версий для таблицы, над которой работаете совместно. Просмотр истории версий: Чтобы просмотреть все внесенные в электронную таблицу изменения, перейдите на вкладку Файл, выберите опцию История версий на левой боковой панели или перейдите на вкладку Совместная работа, откройте историю версий, используя значок История версий на верхней панели инструментов. Вы увидите список версий и ревизий электронной таблицы с указанием автора и даты и времени создания каждой версии/ревизии. Для версий таблицы также указан номер версии (например, вер. 2). Просмотр версий: Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Чтобы вернуться к текущей версии таблицы, нажмите на ссылку Закрыть историю над списком версий. Восстановление версий: Если вам надо вернуться к одной из предыдущих версий электронной таблицы, нажмите на ссылку Восстановить под выбранной версией или ревизией. Чтобы узнать больше об управлении версиями и промежуточными ревизиями, а также о восстановлении предыдущих версий, пожалуйста, прочитайте следующую статью." }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -2398,7 +2413,7 @@ var indexes = { "id": "ProgramInterface/ProgramInterface.htm", "title": "Знакомство с пользовательским интерфейсом редактора электронных таблиц", - "body": "Знакомство с пользовательским интерфейсом Редактора электронных таблиц В редакторе электронных таблиц используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Параметры представления, с помощью которого можно настраивать параметры представления и получать доступ к дополнительным параметрам редактора. Управление правами доступа (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Формула, Данные, Сводная таблица, Совместная работа, Защита, Вид, Плагины. Опции Копировать и Вставить всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, кнопка добавления нового листа, кнопка список листов, ярлычки листов и кнопки масштаба. В Строке состояния также отображается статус фонового сохранения и состояние восстановления соединения, когда редактор пытается переподключиться, количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, (доступно только в онлайн-версии) - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." + "body": "В редакторе электронных таблиц используется вкладочный интерфейс, в котором команды редактирования сгруппированы во вкладки по функциональности. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: Интерфейс редактора состоит из следующих основных элементов: В Шапке редактора отображается логотип, вкладки открытых документов, название документа и вкладки меню. В левой части Шапки редактора расположены кнопки Сохранить, Напечатать файл, Отменить и Повторить. В правой части Шапки редактора отображается имя пользователя и находятся следующие значки: Открыть расположение файла, с помощью которого в десктопной версии можно открыть в окне Проводника папку, в которой сохранен файл. В онлайн-версии можно открыть в новой вкладке браузера папку модуля Документы, в которой сохранен файл . Доступ (доступно только в онлайн-версии), с помощью которого можно задать права доступа к документам, сохраненным в облаке. Добавить в избранное, чтобы добавить файл в избранное и упростить поиск. Добавленный файл - это просто ярлык, поэтому сам файл остается в исходном месте. Удаление файла из избранного не приводит к удалению файла из исходного местоположения. Поиск - позволяет искать в электронной таблице определенное слово, символ и т.д. На Верхней панели инструментов отображается набор команд редактирования в зависимости от выбранной вкладки меню. В настоящее время доступны следующие вкладки: Файл, Главная, Вставка, Макет, Формула, Данные, Сводная таблица, Совместная работа, Защита, Вид, Плагины. Опции Копировать, Вставить, Вырезать и Выделить все всегда доступны в левой части Верхней панели инструментов, независимо от выбранной вкладки. Строка формул позволяет вводить и изменять формулы или значения в ячейках. В Строке формул отображается содержимое выделенной ячейки. В Строке состояния, расположенной внизу окна редактора, находятся некоторые инструменты навигации: кнопки навигации по листам, кнопка добавления нового листа, кнопка список листов, ярлычки листов и кнопки масштаба. В Строке состояния также отображается статус фонового сохранения и состояние восстановления соединения, когда редактор пытается переподключиться, количество отфильтрованных записей при применении фильтра или результаты автоматических вычислений при выделении нескольких ячеек, содержащих данные. На Левой боковой панели находятся следующие значки: - позволяет использовать инструмент поиска и замены, - позволяет открыть панель Комментариев (доступно только в онлайн-версии) - позволяет открыть панель Чата, - позволяет обратиться в службу технической поддержки, (доступно только в онлайн-версии) - позволяет посмотреть информацию о программе. Правая боковая панель позволяет настроить дополнительные параметры различных объектов. При выделении на рабочем листе определенного объекта активируется соответствующий значок на правой боковой панели. Нажмите на этот значок, чтобы развернуть правую боковую панель. В Рабочей области вы можете просматривать содержимое электронной таблицы, вводить и редактировать данные. Горизонтальная и вертикальная Полосы прокрутки позволяют прокручивать текущий лист вверх/вниз и влево/вправо. Для удобства вы можете скрыть некоторые элементы и снова отобразить их при необходимости. Для получения дополнительной информации о настройке параметров представления, пожалуйста, обратитесь к этой странице." }, { "id": "ProgramInterface/ProtectionTab.htm", @@ -2408,22 +2423,22 @@ var indexes = { "id": "ProgramInterface/ViewTab.htm", "title": "Вкладка Вид", - "body": "Вкладка Вид в Редакторе электронных таблиц позволяет управлять предустановками представления рабочего листа на основе примененных фильтров. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: управлять преднастройкам представления листа, изменять масштаб, выбирать тему интерфейса: Светлая, Классическая светлая или Темная, закрепить области при помощи следующих опций: Закрепить области, Закрепить верхнюю строку, Закрепить первый столбец и Показывать тень для закрепленных областей, управлять отображением строк формул, заголовков, линий сетки и нулей, включать и отключать следующие параметры просмотра: Всегда показывать панель инструментов - всегда отображать верхнюю панель инструментов. Объединить строки листов и состояния - отображать все инструменты навигации по листу и строку состояния в одной строке. Если этот флажок не установлен, строка состояния будет отображаться в виде двух строк." + "body": "Вкладка Вид в Редакторе электронных таблиц позволяет управлять предустановками представления рабочего листа на основе примененных фильтров. Окно онлайн-редактора электронных таблиц: Окно десктопного редактора электронных таблиц: С помощью этой вкладки вы можете выполнить следующие действия: управлять преднастройкам представления листа, изменять масштаб, выбирать тему интерфейса: Системную, Светлую, Классическую светлую, Темную или Контрастную темную, закрепить области при помощи следующих опций: Закрепить области, Закрепить верхнюю строку, Закрепить первый столбец и Показывать тень для закрепленных областей, управлять отображением строки формул, заголовков, линий сетки и нулей, включать и отключать следующие параметры просмотра: Всегда показывать панель инструментов - всегда отображать верхнюю панель инструментов. Объединить строки листов и состояния - отображать все инструменты навигации по листу и строку состояния в одной строке. Если этот флажок не установлен, строка состояния будет отображаться в виде двух строк." }, { "id": "UsageInstructions/AddBorders.htm", "title": "Добавление фона и границ ячеек", - "body": "Добавление фона ячеек Для применения и форматирования фона ячеек: выделите ячейку или диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. чтобы применить к фону ячейки заливку сплошным цветом, щелкните по значку Цвет фона , расположенному на вкладке Главная верхней панели инструментов, и выберите нужный цвет. чтобы применить другие типы заливок, такие как градиентная заливка или узор, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Заливка: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить выделенные ячейки. Нажмите на цветной прямоугольник, расположенный ниже, и выберите на палитре один из цветов темы или стандартных цветов или задайте пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить выделенные ячейки двумя цветами, плавно переходящими друг в друга. Угол - вручную укажите точное значение в градусах, определяющее направление градиента (цвета изменяются по прямой под заданным углом). Направление - выберите готовый шаблон из меню. Доступны следующие направления : из левого верхнего угла в нижний правый (45°), сверху вниз (90°), из правого верхнего угла в нижний левый (135°), справа налево (180°), из правого нижнего угла в верхний левый (225°), снизу вверх (270°), из левого нижнего угла в верхний правый (315°), слева направо (0°). Точки градиента - это определенные точки перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Узор - выберите эту опцию, чтобы залить выделенные ячейки с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Добавление границ ячеек Для добавления и форматирования границ на рабочем листе: выделите ячейку или диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. щелкните по значку Границы , расположенному на вкладке Главная верхней панели инструментов, или нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Стиль границ, выберите стиль границ, который требуется применить: откройте подменю Стиль границ и выберите один из доступных вариантов, откройте подменю Цвет границ или используйте палитру Цвет на правой боковой панели и выберите нужный цвет на палитре, выберите один из доступных шаблонов границ: Внешние границы , Все границы , Верхние границы , Нижние границы , Левые границы , Правые границы , Без границ , Внутренние границы , Внутренние вертикальные границы , Внутренние горизонтальные границы , Диагональная граница снизу вверх , Диагональная граница сверху вниз ." + "body": "Добавление фона ячеек Для применения и форматирования фона ячеек: выделите ячейку или диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. чтобы применить к фону ячейки заливку сплошным цветом, щелкните по значку Цвет заливки , расположенному на вкладке Главная верхней панели инструментов, и выберите нужный цвет, чтобы применить другие типы заливок, такие как градиентная заливка или узор, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Заливка: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить выделенные ячейки. Нажмите на цветной прямоугольник, расположенный ниже, и выберите на палитре один из цветов темы или стандартных цветов или задайте пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить выделенные ячейки двумя цветами, плавно переходящими друг в друга. Угол - вручную укажите точное значение в градусах, определяющее направление градиента (цвета изменяются по прямой под заданным углом). Направление - выберите готовый шаблон из меню. Доступны следующие направления: из левого верхнего угла в нижний правый (45°), сверху вниз (90°), из правого верхнего угла в нижний левый (135°), справа налево (180°), из правого нижнего угла в верхний левый (225°), снизу вверх (270°), из левого нижнего угла в верхний правый (315°), слева направо (0°). Точки градиента - это определенные точки перехода от одного цвета к другому. Чтобы добавить точку градиента, используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Узор - выберите эту опцию, чтобы залить выделенные ячейки с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если вы вообще не хотите использовать заливку. Добавление границ ячеек Для добавления и форматирования границ на рабочем листе: выделите ячейку или диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. щелкните по значку Границы , расположенному на вкладке Главная верхней панели инструментов, или нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Стиль границ, выберите стиль границ, который требуется применить: откройте подменю Стиль границ и выберите один из доступных вариантов, откройте подменю Цвет границ или используйте палитру Цвет на правой боковой панели и выберите нужный цвет на палитре, выберите один из доступных шаблонов границ: Внешние границы , Все границы , Верхние границы , Нижние границы , Левые границы , Правые границы , Без границ , Внутренние границы , Внутренние вертикальные границы , Внутренние горизонтальные границы , Диагональная граница снизу вверх , Диагональная граница сверху вниз ." }, { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Добавление гиперссылок", - "body": "Для добавления гиперссылки: выделите ячейку, в которую требуется добавить гиперссылку, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Гиперссылка на верхней панели инструментов, после этого появится окно Параметры гиперссылки, в котором можно указать параметры гиперссылки: Bыберите тип ссылки, которую требуется вставить: Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если вам требуется добавить гиперссылку, ведущую на внешний сайт. Используйте опцию Внутренний диапазон данных и выберите рабочий лист и диапазон ячеек в поле ниже или ранее добавленный Именной диапазон, если вам требуется добавить гиперссылку, ведущую на определенный диапазон ячеек в той же самой электронной таблице. Отображать - введите текст, который должен стать ссылкой и будет вести по веб-адресу, указанному в поле выше. Примечание: если выбранная ячейка уже содержит данные, они автоматически отобразятся в этом поле. Текст всплывающей подсказки - введите текст краткого примечания к гиперссылке, который будет появляться в маленьком всплывающем окне при наведении на гиперссылку курсора. нажмите кнопку OK. Для добавления гиперссылки можно также использовать сочетание клавиш Ctrl+K или щелкнуть правой кнопкой мыши там, где требуется добавить гиперссылку, и выбрать в контекстном меню команду Гиперссылка. При наведении курсора на добавленную гиперссылку появится подсказка с заданным текстом. Для перехода по ссылке щелкните по ссылке в таблице. Чтобы выделить ячейку со ссылкой, не переходя по этой ссылке, щелкните и удерживайте кнопку мыши. Для удаления добавленной гиперссылки активируйте ячейку, которая содержит добавленную гиперссылку, и нажмите клавишу Delete, или щелкните по ячейке правой кнопкой мыши и выберите из выпадающего списка команду Очистить все." + "body": "Для добавления гиперссылки: выделите ячейку, в которую требуется добавить гиперссылку, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Гиперссылка на верхней панели инструментов, после этого появится окно Параметры гиперссылки, в котором можно указать параметры гиперссылки: Bыберите тип ссылки, которую требуется вставить: Используйте опцию Внешняя ссылка и введите URL в формате http://www.example.com в расположенном ниже поле Связать с, если вам требуется добавить гиперссылку, ведущую на внешний сайт. Если надо добавить гиперссылку на локальный файл, введите URL в формате file://path/Spreadsheet.xlsx (для Windows) или file:///path/Spreadsheet.xlsx (для MacOS и Linux) в поле Связать с. Гиперссылки file://path/Spreadsheet.xlsx или file:///path/Spreadsheet.xlsx можно открыть только в десктопной версии редактора. В веб-редакторе можно только добавить такую ссылку без возможности открыть ее. Используйте опцию Внутренний диапазон данных и выберите рабочий лист и диапазон ячеек в поле ниже или ранее добавленный Именованный диапазон, если вам требуется добавить гиперссылку, ведущую на определенный диапазон ячеек в той же самой электронной таблице. Вы также можете сгенерировать внешнюю ссылку, ведущую на определенную ячейку или диапазон ячеек, нажав кнопку Получить ссылку или используя опцию Получить ссылку на этот диапазон в контекстном меню, вызываемом правой кнопкой мыши, нужного диапазона ячеек. Отображать - введите текст, который должен стать ссылкой и будет вести по веб-адресу, указанному в поле выше. Примечание: если выбранная ячейка уже содержит данные, они автоматически отобразятся в этом поле. Текст всплывающей подсказки - введите текст краткого примечания к гиперссылке, который будет появляться в маленьком всплывающем окне при наведении на гиперссылку курсора. нажмите кнопку OK. Для добавления гиперссылки можно также использовать сочетание клавиш Ctrl+K или щелкнуть правой кнопкой мыши там, где требуется добавить гиперссылку, и выбрать в контекстном меню команду Гиперссылка. При наведении курсора на добавленную гиперссылку появится подсказка с заданным текстом. Для перехода по ссылке щелкните по ссылке в таблице. Чтобы выделить ячейку со ссылкой, не переходя по этой ссылке, щелкните и удерживайте кнопку мыши. Для удаления добавленной гиперссылки активируйте ячейку, которая содержит добавленную гиперссылку, и нажмите клавишу Delete, или щелкните по ячейке правой кнопкой мыши и выберите из выпадающего списка команду Очистить все." }, { "id": "UsageInstructions/AlignText.htm", "title": "Выравнивание данных в ячейках", - "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Вертикальный текст , чтобы расположить текст вертикально, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Чтобы добавить отступ для текста в ячейке, в разделе Параметры ячейки правой боковой панели введите значение Отступа, на которое содержимое ячейки будет перемещено вправо. Если вы измените ориентацию текста, отступы будут сброшены. Если вы измените отступы для повернутого текста, ориентация текста будет сброшена. Отступы можно установить только если выбрана горизонтальная или вертикальная ориентация текста. Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . При изменении ширины столбца перенос текста настраивается автоматически. Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установте флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри." + "body": "Данные внутри ячейки можно выравнивать горизонтально или вертикально или даже поворачивать. Для этого выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A. Можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. Затем выполните одну из следующих операций, используя значки, расположенные на вкладке Главная верхней панели инструментов. Примените один из типов горизонтального выравнивания данных внутри ячейки: нажмите на значок По левому краю для выравнивания данных по левому краю ячейки (правый край остается невыровненным); нажмите на значок По центру для выравнивания данных по центру ячейки (правый и левый края остаются невыровненными); нажмите на значок По правому краю для выравнивания данных по правому краю ячейки (левый край остается невыровненным); нажмите на значок По ширине для выравнивания данных как по левому, так и по правому краю ячейки (выравнивание осуществляется за счет добавления дополнительных интервалов там, где это необходимо). Измените вертикальное выравнивание данных внутри ячейки: нажмите на значок По верхнему краю для выравнивания данных по верхнему краю ячейки; нажмите на значок По середине для выравнивания данных по центру ячейки; нажмите на значок По нижнему краю для выравнивания данных по нижнему краю ячейки. Измените угол наклона данных внутри ячейки, щелкнув по значку Ориентация и выбрав одну из опций: используйте опцию Горизонтальный текст , чтобы расположить текст по горизонтали (эта опция используется по умолчанию), используйте опцию Текст против часовой стрелки , чтобы расположить текст в ячейке от левого нижнего угла к правому верхнему, используйте опцию Текст по часовой стрелке , чтобы расположить текст в ячейке от левого верхнего угла к правому нижнему углу, используйте опцию Вертикальный текст , чтобы расположить текст вертикально, используйте опцию Повернуть текст вверх , чтобы расположить текст в ячейке снизу вверх, используйте опцию Повернуть текст вниз , чтобы расположить текст в ячейке сверху вниз. Чтобы добавить отступ для текста в ячейке, в разделе Параметры ячейки правой боковой панели введите значение Отступа, на которое содержимое ячейки будет перемещено вправо. Если вы измените ориентацию текста, отступы будут сброшены. Если вы измените отступы для повернутого текста, ориентация текста будет сброшена. Отступы можно установить только если выбрана горизонтальная или вертикальная ориентация текста. Чтобы повернуть текст на точно заданный угол, нажмите на значок Параметры ячейки на правой боковой панели и используйте раздел Ориентация. Введите в поле Угол нужное значение в градусах или скорректируйте его, используя стрелки справа. Расположите данные в ячейке в соответствии с шириной столбца, щелкнув по значку Перенос текста . При изменении ширины столбца перенос текста настраивается автоматически. Чтобы расположить данные в ячейке в соответствии с шириной ячейки, установите флажок Автоподбор ширины на правой боковой панели. Содержимое ячейки будет уменьшено в размерах так, чтобы оно могло полностью уместиться внутри." }, { "id": "UsageInstructions/AllowEditRanges.htm", @@ -2433,7 +2448,7 @@ var indexes = { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Изменение формата представления чисел", - "body": "Применение числового формата Можно легко изменить числовой формат, то есть то, каким образом выглядят введенные числа в электронной таблице. Для этого: выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. разверните список Числовой формат , расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и и используйте пункт контекстного меню Числовой формат. Выберите формат представления чисел, который надо применить: Общий - используется для отображения введенных данных как обычных чисел, самым компактным образом без дополнительных знаков, Числовой - используется для отображения чисел с 0-30 знаками после десятичной запятой, где между каждой группой из трех цифр перед десятичной запятой вставляется разделитель тысяч, Научный (экспоненциальный) - используется для представления очень длинных чисел за счет преобразования в строку типа d.dddE+ddd или d.dddE-ddd, где каждый символ d обозначает цифру от 0 до 9, Финансовый - используется для отображения денежных значений с используемым по умолчанию обозначением денежной единицы и двумя десятичными знаками. Чтобы применить другое обозначение денежной единицы или количество десятичных знаков, следуйте приведенным ниже инструкциям. В отличие от Денежного формата, в Финансовом формате обозначения денежной единицы выравниваются по левому краю ячейки, нулевые значения представляются как тире, а отрицательные значения отображаются в скобках. Примечание: чтобы быстро применить к выделенным данным Финансовый формат, можно также щелкнуть по значку Финансовый формат на вкладке Главная верхней панели инструментов и выбрать нужное обозначение денежной единицы: $ Доллар, € Евро, £ Фунт, ₽ Рубль, ¥ Йена, kn Хорватская куна. Денежный - используется для отображения денежных значений с используемым по умолчанию обозначением денежной единицы и двумя десятичными знаками. Чтобы применить другое обозначение денежной единицы или количество десятичных знаков, следуйте приведенным ниже инструкциям. В отличие от Финансового формата, в Денежном формате обозначение денежной единицы помещается непосредственно рядом с числом, а отрицательные значения отображаются с отрицательным знаком (-). Дата - используется для отображения дат, Время - используется для отображения времени, Процентный - используется для отображения данных в виде процентов со знаком процента %, Примечание: чтобы быстро применить к данным процентный формат, можно также использовать значок Процентный формат на вкладке Главная верхней панели инструментов. Дробный - используется для отображения чисел в виде обыкновенных, а не десятичных дробей. Текстовый - используется для отображения числовых значений, при котором они рассматриваются как обычный текст, с максимально доступной точностью. Другие форматы - используется для настройки уже примененных числовых форматов с указанием дополнительных параметров (см. описание ниже). Особый - используется для создания собственного формата: выберите ячейку, диапазон ячеек или весь лист для значений, которые вы хотите отформатировать, выберите пункт Особый в меню Другие форматы, введите требуемые коды и проверьте результат в области предварительного просмотра или выберите один из шаблонов и / или объедините их. Если вы хотите создать формат на основе существующего, сначала примените существующий формат, а затем отредактируйте коды по своему усмотрению, нажмите OK. при необходимости измените количество десятичных разрядов: используйте значок Увеличить разрядность , расположенный на вкладке Главная верхней панели инструментов, чтобы увеличить количество знаков, отображаемых после десятичной запятой, используйте значок Уменьшить разрядность , расположенный на вкладке Главная верхней панели инструментов, чтобы уменьшить количество знаков, отображаемых после десятичной запятой. Примечание: чтобы изменить числовой формат, можно также использовать сочетания клавиш. Настройка числового формата Настроить числовой формат можно следующим образом: выделите ячейки, для которых требуется настроить числовой формат, разверните список Числовой формат , расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и и используйте пункт контекстного меню Числовой формат, выберите опцию Другие форматы, в открывшемся окне Числовой формат настройте доступные параметры. Опции различаются в зависимости от того, какой числовой формат применен к выделенным ячейкам. Чтобы изменить числовой формат, можно использовать список Категория. для Числового формата можно задать количество Десятичных знаков, указать, надо ли Использовать разделитель разрядов, и выбрать один из доступных Форматов для отображения отрицательных значений. для Научного и Процентного форматов, можно задать количество Десятичных знаков. для Финансового и Денежного форматов, можно задать количество Десятичных знаков, выбрать одно из доступных Обозначений денежных единиц и один из доступных Форматов для отображения отрицательных значений. для формата Дата можно выбрать один из доступных форматов представления дат: 15.4, 15.4.06, 15.04.06, 15.4.2006, 15.4.06 0:00, 15.4.06 12:00 AM, A, апреля 15 2006, 15-апр, 15-апр-06, апр-06, Апрель-06, A-06, 06-апр, 15-апр-2006, 2006-апр-15, 06-апр-15, 15.апр, 15.апр.06, апр.06, Апрель.06, А.06, 06.апр, 15.апр.2006, 2006.апр.15, 06.апр.15, 15 апр, 15 апр 06, апр 06, Апрель 06, А 06, 06 апр, 15 апр 2006, 2006 апр 15, 06 апр 15, 06.4.15, 06.04.15, 2006.4.15. для формата Время можно выбрать один из доступных форматов представления времени: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57,6, 36:48:58. для Дробного формата можно выбрать один из доступных форматов: До одной цифры (1/3), До двух цифр (12/25), До трех цифр (131/135), Половинными долями (1/2), Четвертыми долями (2/4), Восьмыми долями (4/8), Шестнадцатыми долями (8/16), Десятыми долями (5/10) , Сотыми долями (50/100). нажмите кнопку OK, чтобы применить изменения." + "body": "Применение числового формата Можно легко изменить числовой формат, то есть то, каким образом выглядят введенные числа в электронной таблице. Для этого: выделите ячейку, диапазон ячеек мышью или весь рабочий лист, нажав сочетание клавиш Ctrl+A, Примечание: можно также выделить несколько ячеек или диапазонов ячеек, которые не являются смежными, удерживая клавишу Ctrl при выделении ячеек и диапазонов с помощью мыши. разверните список Числовой формат , расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и используйте пункт контекстного меню Числовой формат. Выберите формат представления чисел, который надо применить: Общий - используется для отображения введенных данных как обычных чисел, самым компактным образом без дополнительных знаков, Числовой - используется для отображения чисел с 0-30 знаками после десятичной запятой, где между каждой группой из трех цифр перед десятичной запятой вставляется разделитель тысяч, Научный (экспоненциальный) - используется для представления очень длинных чисел за счет преобразования в строку типа d.dddE+ddd или d.dddE-ddd, где каждый символ d обозначает цифру от 0 до 9, Финансовый - используется для отображения денежных значений с используемым по умолчанию обозначением денежной единицы и двумя десятичными знаками. Чтобы применить другое обозначение денежной единицы или количество десятичных знаков, следуйте приведенным ниже инструкциям. В отличие от Денежного формата, в Финансовом формате обозначения денежной единицы выравниваются по левому краю ячейки, нулевые значения представляются как тире, а отрицательные значения отображаются в скобках. Примечание: чтобы быстро применить к выделенным данным Финансовый формат, можно также щелкнуть по значку Финансовый формат на вкладке Главная верхней панели инструментов и выбрать нужное обозначение денежной единицы: $ Доллар, € Евро, £ Фунт, ₽ Рубль, ¥ Йена, kn Хорватская куна. Денежный - используется для отображения денежных значений с используемым по умолчанию обозначением денежной единицы и двумя десятичными знаками. Чтобы применить другое обозначение денежной единицы или количество десятичных знаков, следуйте приведенным ниже инструкциям. В отличие от Финансового формата, в Денежном формате обозначение денежной единицы помещается непосредственно рядом с числом, а отрицательные значения отображаются с отрицательным знаком (-). Дата - используется для отображения дат, Время - используется для отображения времени, Процентный - используется для отображения данных в виде процентов со знаком процента %, Примечание: чтобы быстро применить к данным процентный формат, можно также использовать значок Процентный формат на вкладке Главная верхней панели инструментов. Дробный - используется для отображения чисел в виде обыкновенных, а не десятичных дробей. Текстовый - используется для отображения числовых значений, при котором они рассматриваются как обычный текст, с максимально доступной точностью. Другие форматы - используется для настройки уже примененных числовых форматов с указанием дополнительных параметров (см. описание ниже). Особый - используется для создания собственного формата: выберите ячейку, диапазон ячеек или весь лист для значений, которые вы хотите отформатировать, выберите пункт Особый в меню Другие форматы, введите требуемые коды и проверьте результат в области предварительного просмотра или выберите один из шаблонов и / или объедините их. Если вы хотите создать формат на основе существующего, сначала примените существующий формат, а затем отредактируйте коды по своему усмотрению, нажмите OK. при необходимости измените количество десятичных разрядов: используйте значок Увеличить разрядность , расположенный на вкладке Главная верхней панели инструментов, чтобы увеличить количество знаков, отображаемых после десятичной запятой, используйте значок Уменьшить разрядность , расположенный на вкладке Главная верхней панели инструментов, чтобы уменьшить количество знаков, отображаемых после десятичной запятой. Примечание: чтобы изменить числовой формат, можно также использовать сочетания клавиш. Настройка числового формата Настроить числовой формат можно следующим образом: выделите ячейки, для которых требуется настроить числовой формат, разверните список Числовой формат , расположенный на вкладке Главная верхней панели инструментов, или щелкните по выделенным ячейкам правой кнопкой мыши и используйте пункт контекстного меню Числовой формат, выберите опцию Другие форматы, в открывшемся окне Числовой формат настройте доступные параметры. Опции различаются в зависимости от того, какой числовой формат применен к выделенным ячейкам. Чтобы изменить числовой формат, можно использовать список Категория. для Числового формата можно задать количество Десятичных знаков, указать, надо ли Использовать разделитель разрядов, и выбрать один из доступных Форматов для отображения отрицательных значений. для Научного и Процентного форматов, можно задать количество Десятичных знаков. для Финансового и Денежного форматов, можно задать количество Десятичных знаков, выбрать одно из доступных Обозначений денежных единиц и один из доступных Форматов для отображения отрицательных значений. для формата Дата можно выбрать один из доступных форматов представления дат: 15.4, 15.4.06, 15.04.06, 15.4.2006, 15.4.06 0:00, 15.4.06 12:00 AM, A, апреля 15 2006, 15-апр, 15-апр-06, апр-06, Апрель-06, A-06, 06-апр, 15-апр-2006, 2006-апр-15, 06-апр-15, 15.апр, 15.апр.06, апр.06, Апрель.06, А.06, 06.апр, 15.апр.2006, 2006.апр.15, 06.апр.15, 15 апр, 15 апр 06, апр 06, Апрель 06, А 06, 06 апр, 15 апр 2006, 2006 апр 15, 06 апр 15, 06.4.15, 06.04.15, 2006.4.15. для формата Время можно выбрать один из доступных форматов представления времени: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57,6, 36:48:58. для Дробного формата можно выбрать один из доступных форматов: До одной цифры (1/3), До двух цифр (12/25), До трех цифр (131/135), Половинными долями (1/2), Четвертыми долями (2/4), Восьмыми долями (4/8), Шестнадцатыми долями (8/16), Десятыми долями (5/10), Сотыми долями (50/100). нажмите кнопку OK, чтобы применить изменения." }, { "id": "UsageInstructions/ClearFormatting.htm", @@ -2448,12 +2463,12 @@ var indexes = { "id": "UsageInstructions/CopyPasteData.htm", "title": "Вырезание / копирование / вставка данных", - "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов: Вырезание - выделите данные и используйте опцию Вырезать, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы. Копирование - выделите данные, затем или используйте значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы. Вставка - выберите место, затем или используйте значок Вставить на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Вставить, чтобы вставить ранее скопированные или вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из этой же электронной таблицы. В онлайн-версии для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того, чтобы вырезать и вставлять данные на одном и том же рабочем листе, можно выделить нужную ячейку/диапазон ячеек, установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры... и поставьте / снимите галочку Вырезание, копирование и вставка. Использование функции Специальная вставка Примечание: Во время совсестной работы, Специальная вставка доступна только в Строгом режиме редактирования. После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке ячейки/диапазона ячеек с отформатированными данными доступны следующие параметры: Вставить - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию. Следующие опции можно использовать, если скопированные данные содержат формулы: Вставить только формулу - позволяет вставить формулы, не вставляя форматирование данных. Формула + формат чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Формула + все форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формула без границ - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек. Формула + ширина столбца - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц. Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу: Вставить только значение - позволяет вставить результаты формул, не вставляя форматирование данных. Значение + формат чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значение + все форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Вставить только форматирование - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. Специальная вставка - открывает диалоговое окно Специальная вставка, которое содержит следующие опции: Параметры вставки Формулы - позволяет вставить формулы, не вставляя форматирование данных. Значения - позволяет вставить формулы вместе с форматированием, примененным к числам. Форматы - позволяет вставить формулы вместе со всем форматированием данных. Комментарии - позволяет вставить только комментарии, добавленные к ячейкам выделенного диапазона. Ширина столбцов - позволяет установить ширину столбцов исходных ячеек для диапазона ячеек. Без рамки - позволяет вставить формулы без форматирования границ. Формулы и форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формулы и ширина столбцов - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Формулы и форматы чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Занчения и форматы чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значения и форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Операция Сложение - позволяет автоматически произвести операцию сложения для числовых значений в каждой вставленной ячейке. Вычитание -позволяет автоматически произвести операцию вычитания для числовых значений в каждой вставленной ячейке. Умножение - позволяет автоматически произвести операцию умножения для числовых значений в каждой вставленной ячейке. Деление - позволяет автоматически произвести операцию деления для числовых значений в каждой вставленной ячейке. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Пропускать пустые ячейки - позволяет не вставлять форматирование и значения пустых ячеек. При вставке содержимого отдельной ячейки или текста в автофигурах доступны следующие параметры: Исходное форматирование - позволяет сохранить исходное форматирование скопированных данных. Форматирование конечных ячеек - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные. Вставка данных с разделителями При вставке текста с разделителями, скопированного из файла .txt, доступны следующие параметры: Текст с разделителями может содержать несколько записей, где каждая запись соответствует одной табличной строке. Запись может включать в себя несколько текстовых значений, разделенных с помощью разделителей (таких как запятая, точка с запятой, двоеточие, табуляция, пробел или другой символ). Файл должен быть сохранен как простой текст в формате .txt. Сохранить только текст - позволяет вставить текстовые значения в один столбец, где содержимое каждой ячейки соответствует строке в исходном текстовом файле. Использовать мастер импорта текста - позволяет открыть Мастер импорта текста, с помощью которого можно легко распределить текстовые значения на несколько столбцов, где каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK. Если вы вставили данные с разделителями из источника, который не является простым текстовым файлом (например, текст, скопированный с веб-страницы и т.д.), или если вы применили функцию Сохранить только текст, а теперь хотите распределить данные из одного столбца по нескольким столбцам, вы можете использовать опцию Текст по столбцам. Чтобы разделить данные на несколько столбцов: Выделите нужную ячейку или столбец, содержащий данные с разделителями. Перейдите на вкладку Данные. Нажмите кнопку Текст по столбцам на верхней панели инструментов. Откроется Мастер распределения текста по столбцам. В выпадающем списке Разделитель выберите разделитель, который используется в данных с разделителем. Нажмите кнопку Дополнительно, чтобы открыть окно Дополнительные параметры, в котором можно указать Десятичный разделитель и Разделитель разрядов тысяч. Просмотрите результат в расположенном ниже поле и нажмите кнопку OK. После этого каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Если в ячейках справа от столбца, который требуется разделить, содержатся какие-то данные, эти данные будут перезаписаны. Использование функции автозаполнения Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: выберите ячейку/диапазон ячеек, содержащие нужные данные, поместите указатель мыши рядом с маркером заполнения в правом нижнем углу ячейки. При этом указатель будет выглядеть как черный крест: перетащите маркер заполнения по соседним ячейкам, которые вы хотите заполнить выбранными данными. Примечание: если вам нужно создать последовательный ряд цифр (например 1, 2, 3, 4...; 2, 4, 6, 8... и т.д.) или дат, можно ввести хотя бы два начальных значения и быстро продолжить ряд, выделив эти ячейки и перетащив мышью маркер заполнения. Заполнение ячеек в столбце текстовыми значениями Если столбец электронной таблицы содержит какие-то текстовые значения, можно легко заменить любое значение в этом столбце или заполнить следующую пустую ячейку, выбрав одно из уже существующих текстовых значений. Щелкните по нужной ячейке правой кнопкой мыши и выберите в контекстном меню пункт Выбрать из списка. Выберите одно из доступных текстовых значений для замены текущего значения или заполнения пустой ячейки." + "body": "Использование основных операций с буфером обмена Для вырезания, копирования и вставки данных в текущей электронной таблице используйте контекстное меню или соответствующие значки, доступные на любой вкладке верхней панели инструментов: Вырезание - выделите данные и используйте опцию контекстного меню Вырезать или значок Вырезать на верхней панели инструментов, чтобы удалить выделенные данные и отправить их в буфер обмена компьютера. Вырезанные данные можно затем вставить в другое место этой же электронной таблицы. Копирование - выделите данные, затем или используйте значок Копировать на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Копировать, чтобы отправить выделенные данные в буфер обмена компьютера. Скопированные данные можно затем вставить в другое место этой же электронной таблицы. Вставка - выберите место, затем или используйте значок Вставить на верхней панели инструментов, или щелкните правой кнопкой мыши и выберите в меню пункт Вставить, чтобы вставить ранее скопированные или вырезанные данные из буфера обмена компьютера в текущей позиции курсора. Данные могут быть ранее скопированы из этой же электронной таблицы. В онлайн-версии для копирования данных из другой электронной таблицы или какой-то другой программы или вставки данных в них используются только сочетания клавиш, в десктопной версии для любых операций копирования и вставки можно использовать как кнопки на панели инструментов или опции контекстного меню, так и сочетания клавиш: сочетание клавиш Ctrl+X для вырезания; сочетание клавиш Ctrl+C для копирования; сочетание клавиш Ctrl+V для вставки. Примечание: вместо того, чтобы вырезать и вставлять данные на одном и том же рабочем листе, можно выделить нужную ячейку/диапазон ячеек, установить указатель мыши у границы выделения (при этом он будет выглядеть так: ) и перетащить выделение мышью в нужное место. Чтобы включить / отключить автоматическое появление кнопки Специальная вставка после вставки, перейдите на вкладку Файл > Дополнительные параметры и поставьте / снимите галочку Показывать кнопку Параметры вставки при вставке содержимого. Использование функции Специальная вставка Примечание: Во время совместной работы, Специальная вставка доступна только в Строгом режиме редактирования. После вставки скопированных данных рядом с правым нижним углом вставленной ячейки/диапазона ячеек появляется кнопка Специальная вставка . Нажмите на эту кнопку, чтобы выбрать нужный параметр вставки. При вставке ячейки/диапазона ячеек с отформатированными данными доступны следующие параметры: Вставить (Ctrl+P) - позволяет вставить все содержимое ячейки, включая форматирование данных. Эта опция выбрана по умолчанию. Следующие опции можно использовать, если скопированные данные содержат формулы: Вставить только формулу (Ctrl+F) - позволяет вставить формулы, не вставляя форматирование данных. Формула + формат чисел (Ctrl+O) - позволяет вставить формулы вместе с форматированием, примененным к числам. Формула + все форматирование (Ctrl+K) - позволяет вставить формулы вместе со всем форматированием данных. Формула без границ (Ctrl+B) - позволяет вставить формулы вместе со всем форматированием данных, кроме границ ячеек. Формула + ширина столбца (Ctrl+W) - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Транспонировать (Ctrl+T) - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Эта опция доступна для обычных диапазонов данных, но не для форматированных таблиц. Следующие опции позволяют вставить результат, возвращаемый скопированной формулой, не вставляя саму формулу: Вставить только значение (Ctrl+V) - позволяет вставить результаты формул, не вставляя форматирование данных. Значение + формат чисел (Ctrl+A) - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значение + все форматирование (Ctrl+E) - позволяет вставить результаты формул вместе со всем форматированием данных. Вставить только форматирование (Ctrl+R) - позволяет вставить только форматирование ячеек, не вставляя содержимое ячеек. Специальная вставка - открывает диалоговое окно Специальная вставка, которое содержит следующие опции: Параметры вставки Формулы - позволяет вставить формулы, не вставляя форматирование данных. Значения - позволяет вставить формулы вместе с форматированием, примененным к числам. Форматы - позволяет вставить формулы вместе со всем форматированием данных. Комментарии - позволяет вставить только комментарии, добавленные к ячейкам выделенного диапазона. Ширина столбцов - позволяет установить ширину столбцов исходных ячеек для диапазона ячеек. Без рамки - позволяет вставить формулы без форматирования границ. Формулы и форматирование - позволяет вставить формулы вместе со всем форматированием данных. Формулы и ширина столбцов - позволяет вставить формулы вместе со всем форматированием данных и установить ширину столбцов исходных ячеек для диапазона ячеек, в который вы вставляете данные. Формулы и форматы чисел - позволяет вставить формулы вместе с форматированием, примененным к числам. Значения и форматы чисел - позволяет вставить результаты формул вместе с форматированием, примененным к числам. Значения и форматирование - позволяет вставить результаты формул вместе со всем форматированием данных. Операция Сложение - позволяет автоматически произвести операцию сложения для числовых значений в каждой вставленной ячейке. Вычитание - позволяет автоматически произвести операцию вычитания для числовых значений в каждой вставленной ячейке. Умножение - позволяет автоматически произвести операцию умножения для числовых значений в каждой вставленной ячейке. Деление - позволяет автоматически произвести операцию деления для числовых значений в каждой вставленной ячейке. Транспонировать - позволяет вставить данные, изменив столбцы на строки, а строки на столбцы. Пропускать пустые ячейки - позволяет не вставлять форматирование и значения пустых ячеек. При вставке содержимого отдельной ячейки или текста в автофигурах доступны следующие параметры: Исходное форматирование (Ctrl+K) - позволяет сохранить исходное форматирование скопированных данных. Форматирование конечных ячеек (Ctrl+M) - позволяет применить форматирование, которое уже используется для ячейки/автофигуры, в которую вы вставляете данные. Вставка данных с разделителями При вставке текста с разделителями, скопированного из файла .txt, доступны следующие параметры: Текст с разделителями может содержать несколько записей, где каждая запись соответствует одной табличной строке. Запись может включать в себя несколько текстовых значений, разделенных с помощью разделителей (таких как запятая, точка с запятой, двоеточие, табуляция, пробел или другой символ). Файл должен быть сохранен как простой текст в формате .txt. Сохранить только текст (Ctrl+T) - позволяет вставить текстовые значения в один столбец, где содержимое каждой ячейки соответствует строке в исходном текстовом файле. Использовать мастер импорта текста - позволяет открыть Мастер импорта текста, с помощью которого можно легко распределить текстовые значения на несколько столбцов, где каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Когда откроется окно Мастер импорта текста, из выпадающего списка Разделитель выберите разделитель текста, который используется в данных с разделителем. Данные, разделенные на столбцы, будут отображены в расположенном ниже поле Просмотр. Если вас устраивает результат, нажмите кнопку OK. Если вы вставили данные с разделителями из источника, который не является простым текстовым файлом (например, текст, скопированный с веб-страницы и т.д.), или если вы применили функцию Сохранить только текст, а теперь хотите распределить данные из одного столбца по нескольким столбцам, вы можете использовать опцию Текст по столбцам. Чтобы разделить данные на несколько столбцов: Выделите нужную ячейку или столбец, содержащий данные с разделителями. Перейдите на вкладку Данные. Нажмите кнопку Текст по столбцам на верхней панели инструментов. Откроется Мастер распределения текста по столбцам. В выпадающем списке Разделитель выберите разделитель, который используется в данных с разделителем. Нажмите кнопку Дополнительно, чтобы открыть окно Дополнительные параметры, в котором можно указать Десятичный разделитель и Разделитель разрядов тысяч. Просмотрите результат в расположенном ниже поле и нажмите кнопку OK. После этого каждое текстовое значение, отделенное разделителем, будет помещено в отдельной ячейке. Если в ячейках справа от столбца, который требуется разделить, содержатся какие-то данные, эти данные будут перезаписаны. Использование функции автозаполнения Для быстрого заполнения множества ячеек одними и теми же данными воспользуйтесь функцией Автозаполнение: выберите ячейку/диапазон ячеек, содержащие нужные данные, поместите указатель мыши рядом с маркером заполнения в правом нижнем углу ячейки. При этом указатель будет выглядеть как черный крест: перетащите маркер заполнения по соседним ячейкам, которые вы хотите заполнить выбранными данными. Примечание: если вам нужно создать последовательный ряд цифр (например 1, 2, 3, 4...; 2, 4, 6, 8... и т.д.) или дат, можно ввести хотя бы два начальных значения и быстро продолжить ряд, выделив эти ячейки и перетащив мышью маркер заполнения. Заполнение ячеек в столбце текстовыми значениями Если столбец электронной таблицы содержит какие-то текстовые значения, можно легко заменить любое значение в этом столбце или заполнить следующую пустую ячейку, выбрав одно из уже существующих текстовых значений. Щелкните по нужной ячейке правой кнопкой мыши и выберите в контекстном меню пункт Выбрать из списка. Выберите одно из доступных текстовых значений для замены текущего значения или заполнения пустой ячейки." }, { "id": "UsageInstructions/DataValidation.htm", "title": "Проверка данных", - "body": "Редактор электронных таблиц ONLYOFFICE предоставляет функцию Проверка данных, которая позволяет настраивать параметры данных, вводимые в ячейки. Чтобы получить доступ к функции проверки данных, выберите ячейку, диапазон ячеек или всю электронную таблицу, к которой вы хотите применить эту функцию, на верхней панели инструментов перейдите на вкладку Данные и нажмите кнопку Проверка данных. Открытое окно Проверка данных содержит три вкладки: Настройки, Подсказка по вводу и Сообщение об ошибке. Настройки На вкладка Настройки вы можете указать тип данных, которые можно вводить: Примечание: Установите флажок Распространить изменения на все другие ячейки с тем же условием, чтобы использовать те же настройки для выбранного диапазона ячеек или всего листа. выберите нужный вариант в выпадающем списке Разрешить: Любое значение: без ограничений по типу данных. Целое число: разрешены только целые числа. Десятичное число: разрешены только числа с десятичной запятой. Список: разрешены только варианты из выпадающего списка, который вы создали. Снимите флажок Показывать раскрывающийся список в ячейке, чтобы скрыть стрелку раскрывающегося списка. Дата: разрешены только ячейки с форматом даты. Время: разрешены только ячейки с форматом времени. Длина текста: устанавливает лимит символов. Другое: устанавливает желаемый параметр проверки, заданный в виде формулы. Примечание: Установите флажок Распространить изменения на все другие ячейки с тем же условием, чтобы использовать те же настройки для выбранного диапазона ячеек или всего листа. укажите условие проверки в выпадающем списке Данные: между: данные в ячейках должны быть в пределах диапазона, установленного правилом проверки. не между: данные в ячейках не должны находиться в пределах диапазона, установленного правилом проверки. равно: данные в ячейках должны быть равны значению, установленному правилом проверки. не равно: данные в ячейках не должны быть равны значению, установленному правилом проверки. больше: данные в ячейках должны превышать значения, установленные правилом проверки. меньше: данные в ячейках должны быть меньше значений, установленных правилом проверки. больше или равно: данные в ячейках должны быть больше или равны значению, установленному правилом проверки. меньше или равно: данные в ячейках должны быть меньше или равны значению, установленному правилом проверки. создайте правило проверки в зависимости от разрешенного типа данных: Условие проверки Правило проверки Описание Доступно Между / не между Минимум / Максимум Устанавливает диапазон значений Целое число / Деесятичное число / Длина текста Дата начала / Дата окончания Устанавливает диапазон дат Дата Время начала / Время окончание Устанавливает временной диапазон Время Равно / не равно Сравнение Устанавливает значение для сравнения Целое число / Десятичное число Дата Устанавливает дату для сравнения Дата Пройденное время Устанавливает время для сравнения Время Длина Устанавливает значение длины текста для сравнения Длина текста Больше / больше или равно Минимум Устанавливает нижний предел Целое число / Десятичное число / Длина текста Дата начала Устанавливает дату начала Дата Время начала Устанавливает время начала Время Меньше / меньше или равно Максимум Устанавливает верхний предел Целое число / Десятичное число / Длина текста Дата окончания Устанавливает дату окончания Время Дата окончания Устанавливает дату окончания Время А также: Источник: укажите ячейку или диапазон ячеек данных для типа данных Список. Формула: введите требуемую формулу или ячейку, содержажую формулу, чтобы создать настраиваемое правило проверки для типа данных Другое. Подсказка по вводу Вкладка Подсказка по вводу позволяет создавать настраиваемое сообщение, отображаемое при наведении курсором мыши на ячейку. Укажите Заголовок и текст вашей Подсказки по вводу. Уберите флажок с Отображать подсказку, если ячейка является текущей , чтобы отключить отображение сообщения. Оставьте его, чтобы отображать сообщение. Сообщение об ошибке Вкладка Сообщение об ошибке позволяет указать, какое сообщение будет отображаться, когда данные, введенные пользователями, не соответствуют правилам проверки. Стиль: выберите одну из доступных опций оповещения: Стоп, Предупреждение или Сообщение. Заголовок: укажите заголовок сообщения об ошибке. Сообщение об ошибке: введите текст сообщения об ошибке. Снимите флажок с Выводить сообщение об ошибке, чтобы отключить отображение сообщения об ошибке." + "body": "Редактор электронных таблиц ONLYOFFICE предоставляет функцию Проверка данных, которая позволяет настраивать параметры данных, вводимые в ячейки. Чтобы получить доступ к функции проверки данных, выберите ячейку, диапазон ячеек или всю электронную таблицу, к которой вы хотите применить эту функцию, на верхней панели инструментов перейдите на вкладку Данные и нажмите кнопку Проверка данных. Открытое окно Проверка данных содержит три вкладки: Настройки, Подсказка по вводу и Сообщение об ошибке. Настройки На вкладке Настройки вы можете указать тип данных, которые можно вводить: Примечание: Установите флажок Распространить изменения на все другие ячейки с тем же условием, чтобы использовать те же настройки для выбранного диапазона ячеек или всего листа. выберите нужный вариант в выпадающем списке Разрешить: Любое значение: без ограничений по типу данных. Целое число: разрешены только целые числа. Десятичное число: разрешены только числа с десятичной запятой. Список: разрешены только варианты из выпадающего списка, который вы создали. Снимите флажок Показывать раскрывающийся список в ячейке, чтобы скрыть стрелку раскрывающегося списка. Дата: разрешены только ячейки с форматом даты. Время: разрешены только ячейки с форматом времени. Длина текста: устанавливает лимит символов. Другое: устанавливает желаемый параметр проверки, заданный в виде формулы. Примечание: Установите флажок Распространить изменения на все другие ячейки с тем же условием, чтобы использовать те же настройки для выбранного диапазона ячеек или всего листа. укажите условие проверки в выпадающем списке Данные: между: данные в ячейках должны быть в пределах диапазона, установленного правилом проверки. не между: данные в ячейках не должны находиться в пределах диапазона, установленного правилом проверки. равно: данные в ячейках должны быть равны значению, установленному правилом проверки. не равно: данные в ячейках не должны быть равны значению, установленному правилом проверки. больше: данные в ячейках должны превышать значения, установленные правилом проверки. меньше: данные в ячейках должны быть меньше значений, установленных правилом проверки. больше или равно: данные в ячейках должны быть больше или равны значению, установленному правилом проверки. меньше или равно: данные в ячейках должны быть меньше или равны значению, установленному правилом проверки. создайте правило проверки в зависимости от разрешенного типа данных: Условие проверки Правило проверки Описание Доступно Между / не между Минимум / Максимум Устанавливает диапазон значений Целое число / Десятичное число / Длина текста Дата начала / Дата окончания Устанавливает диапазон дат Дата Время начала / Время окончание Устанавливает временной диапазон Время Равно / не равно Сравнение Устанавливает значение для сравнения Целое число / Десятичное число Дата Устанавливает дату для сравнения Дата Пройденное время Устанавливает время для сравнения Время Длина Устанавливает значение длины текста для сравнения Длина текста Больше / больше или равно Минимум Устанавливает нижний предел Целое число / Десятичное число / Длина текста Дата начала Устанавливает дату начала Дата Время начала Устанавливает время начала Время Меньше / меньше или равно Максимум Устанавливает верхний предел Целое число / Десятичное число / Длина текста Дата окончания Устанавливает дату окончания Время Дата окончания Устанавливает дату окончания Время А также: Источник: укажите ячейку или диапазон ячеек данных для типа данных Список. Формула: введите требуемую формулу или ячейку, содержащую формулу, чтобы создать настраиваемое правило проверки для типа данных Другое. Подсказка по вводу Вкладка Подсказка по вводу позволяет создавать настраиваемое сообщение, отображаемое при наведении курсором мыши на ячейку. Укажите Заголовок и текст вашей Подсказки по вводу. Уберите флажок с Отображать подсказку, если ячейка является текущей, чтобы отключить отображение сообщения. Оставьте его, чтобы отображать сообщение. Сообщение об ошибке Вкладка Сообщение об ошибке позволяет указать, какое сообщение будет отображаться, когда данные, введенные пользователями, не соответствуют правилам проверки. Стиль: выберите одну из доступных опций оповещения: Стоп, Предупреждение или Сообщение. Заголовок: укажите заголовок сообщения об ошибке. Сообщение об ошибке: введите текст сообщения об ошибке. Снимите флажок с Выводить сообщение об ошибке, чтобы отключить отображение сообщения об ошибке." }, { "id": "UsageInstructions/FontTypeSizeStyle.htm", @@ -2473,22 +2488,22 @@ var indexes = { "id": "UsageInstructions/InsertArrayFormulas.htm", "title": "Вставка формул массива", - "body": "Редактор электронных таблиц позволяет использовать формулы массива. Формулы массива обеспечивают согласованность формул в электронной таблице, так как вместо нескольких обычных формул можно ввести одну формулу массива. Формула массива упрощает работу с большим объемом данных, предоставляет возможность быстро заполнить лист данными и многое другое. Вы можете вводить формулы и встроенные функции в качестве формулы массива, чтобы: выполнять несколько вычислений одновременно и отображать один результат, или возвращать диапазон значений, отображаемых в нескольких строках и/или столбцах. Существуют специально назначенные функции, которые могут возвращать несколько значений. Если ввести их, нажав клавишу Enter, они вернут одно значение. Если выбрать выходной диапазон ячеек для отображения результатов, а затем ввести функцию, нажав Ctrl + Shift + Enter, будет возвращен диапазон значений (количество возвращаемых значений зависит от размера ранее выбранного диапазона). Список ниже содержит ссылки на подробные описания этих функций. Формулы массива ЯЧЕЙКА СТОЛБЕЦ Ф.ТЕКСТ ЧАСТОТА РОСТ ГИПЕРССЫЛКА ДВССЫЛ ИНДЕКС ЕФОРМУЛА ЛИНЕЙН ЛГРФПРИБЛ МОБР МУМНОЖ МЕДИН СМЕЩ СЛУЧМАССИВ СТРОКА ТРАНСП ТЕНДЕНЦИЯ УНИК ПРОСМОТРX Вставка формул массива Чтобы вставить формулу массива, Выберите диапазон ячеек, в которых вы хотите отобразить результаты. Введите формулу, которую вы хотите использовать, в строке формул и укажите необходимые аргументы в круглых скобках (). Нажмите комбинацию клавиш Ctrl + Shift + Enter. Результаты будут отображаться в выбранном диапазоне ячеек, а формула в строке формул будет автоматически заключена в фигурные скобки { }, чтобы указать, что это формула массива. Например, {=УНИК(B2:D6)}. Эти фигурные скобки нельзя вводить вручную. Создание формулы массива в одной ячейке В следующем примере показан результат формулы массива, отображаемый в одной ячейке. Выберите ячейку, введите =СУММ(C2:C11*D2:D11) и нажмите Ctrl + Shift + Enter. Создание формулы массива в нескольких ячейках В следующем примере показаны результаты формулы массива, отображаемые в диапазоне ячеек. Выберите диапазон ячеек, введите =C2:C11*D2:D11 и нажмите Ctrl + Shift + Enter. Редактирование формулы массива Каждый раз, когда вы редактируете введенную формулу массива (например, меняете аргументы), вам нужно нажимать комбинацию клавиш Ctrl + Shift + Enter, чтобы сохранить изменения. В следующем примере показано, как расширить формулу массива с несколькими ячейками при добавлении новых данных. Выделите все ячейки, содержащие формулу массива, а также пустые ячейки рядом с новыми данными, отредактируйте аргументы в строке формул, чтобы они включали новые данные, и нажмите Ctrl + Shift + Enter. Если вы хотите применить формулу массива с несколькими ячейками к меньшему диапазону ячеек, вам нужно удалить текущую формулу массива, а затем ввести новую формулу массива. Часть массива нельзя изменить или удалить. Если вы попытаетесь изменить, переместить или удалить одну ячейку в массиве или вставить новую ячейку в массив, вы получите следующее предупреждение: Нельзя изменить часть массива. Чтобы удалить формулу массива, выделите все ячейки, содержащие формулу массива, и нажмите клавишу Delete. Либо выберите формулу массива в строке формул, нажмите Delete, а затем нажмите Ctrl + Shift + Enter. Примеры использования формулы массива В этом разделе приведены некоторые примеры того, как использовать формулы массива для выполнения определенных задач. Подсчет количества символов в диапазоне ячеек Вы можете использовать следующую формулу массива, заменив диапазон ячеек в аргументе на свой собственный: =СУММ(ДЛСТР(B2:B11)). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция СУММ функция складывает значения. Чтобы получить среднее количество символов, замените СУММ на СРЗНАЧ. Нахождение самой длинной строки в диапазоне ячеек Вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументе на свои собственные: =ИНДЕКС(B2:B11,ПОИСКПОЗ(МАКС(ДЛСТР(B2:B11)),ДЛСТР(B2:B11),0),1). Функция ДЛСТР функция вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция МАКС функция вычисляет наибольшее значение. Функция ПОИСКПОЗ функция находит адрес ячейки с самой длинной строкой. Функция ИНДЕКС функция возвращает значение из найденной ячейки. Чтобы найти кратчайшую строку, замените МАКС на МИН. Сумма значений на основе условий Чтобы суммировать значения больше указанного числа (2 в этом примере), вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументах своими собственными: =СУММ(ЕСЛИ(C2:C11>2,C2:C11)). Функция ЕСЛИ функция создает массив истинных и ложных значений. Функция СУММ игнорирует ложные значения и складывает истинные значения вместе." + "body": "Редактор электронных таблиц позволяет использовать формулы массива. Формулы массива обеспечивают согласованность формул в электронной таблице, так как вместо нескольких обычных формул можно ввести одну формулу массива. Формула массива упрощает работу с большим объемом данных, предоставляет возможность быстро заполнить лист данными и многое другое. Вы можете вводить формулы и встроенные функции в качестве формулы массива, чтобы: выполнять несколько вычислений одновременно и отображать один результат, или возвращать диапазон значений, отображаемых в нескольких строках и/или столбцах. Существуют специально назначенные функции, которые могут возвращать несколько значений. Если ввести их, нажав клавишу Enter, они вернут одно значение. Если выбрать выходной диапазон ячеек для отображения результатов, а затем ввести функцию, нажав Ctrl + Shift + Enter, будет возвращен диапазон значений (количество возвращаемых значений зависит от размера ранее выбранного диапазона). Список ниже содержит ссылки на подробные описания этих функций. Формулы массива ЯЧЕЙКА СТОЛБЕЦ Ф.ТЕКСТ ЧАСТОТА РОСТ ГИПЕРССЫЛКА ДВССЫЛ ИНДЕКС ЕФОРМУЛА ЛИНЕЙН ЛГРФПРИБЛ МОБР МУМНОЖ МЕДИН СМЕЩ СЛУЧМАССИВ СТРОКА ТРАНСП ТЕНДЕНЦИЯ УНИК ПРОСМОТРX Вставка формул массива Чтобы вставить формулу массива, Выберите диапазон ячеек, в которых вы хотите отобразить результаты. Введите формулу, которую вы хотите использовать, в строке формул и укажите необходимые аргументы в круглых скобках (). Нажмите комбинацию клавиш Ctrl + Shift + Enter. Результаты будут отображаться в выбранном диапазоне ячеек, а формула в строке формул будет автоматически заключена в фигурные скобки { }, чтобы указать, что это формула массива. Например, {=УНИК(B2:D6)}. Эти фигурные скобки нельзя вводить вручную. Создание формулы массива в одной ячейке В следующем примере показан результат формулы массива, отображаемый в одной ячейке. Выберите ячейку, введите =СУММ(C2:C11*D2:D11) и нажмите Ctrl + Shift + Enter. Создание формулы массива в нескольких ячейках В следующем примере показаны результаты формулы массива, отображаемые в диапазоне ячеек. Выберите диапазон ячеек, введите =C2:C11*D2:D11 и нажмите Ctrl + Shift + Enter. Редактирование формулы массива Каждый раз, когда вы редактируете введенную формулу массива (например, меняете аргументы), вам нужно нажимать комбинацию клавиш Ctrl + Shift + Enter, чтобы сохранить изменения. В следующем примере показано, как расширить формулу массива с несколькими ячейками при добавлении новых данных. Выделите все ячейки, содержащие формулу массива, а также пустые ячейки рядом с новыми данными, отредактируйте аргументы в строке формул, чтобы они включали новые данные, и нажмите Ctrl + Shift + Enter. Если вы хотите применить формулу массива с несколькими ячейками к меньшему диапазону ячеек, вам нужно удалить текущую формулу массива, а затем ввести новую формулу массива. Часть массива нельзя изменить или удалить. Если вы попытаетесь изменить, переместить или удалить одну ячейку в массиве или вставить новую ячейку в массив, вы получите следующее предупреждение: Нельзя изменить часть массива. Чтобы удалить формулу массива, выделите все ячейки, содержащие формулу массива, и нажмите клавишу Delete. Либо выберите формулу массива в строке формул, нажмите Delete, а затем нажмите Ctrl + Shift + Enter. Примеры использования формулы массива В этом разделе приведены некоторые примеры того, как использовать формулы массива для выполнения определенных задач. Подсчет количества символов в диапазоне ячеек Вы можете использовать следующую формулу массива, заменив диапазон ячеек в аргументе на свой собственный: =СУММ(ДЛСТР(B2:B11)). Функция ДЛСТР вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция СУММ складывает значения. Чтобы получить среднее количество символов, замените СУММ на СРЗНАЧ. Нахождение самой длинной строки в диапазоне ячеек Вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументе на свои собственные: =ИНДЕКС(B2:B11,ПОИСКПОЗ(МАКС(ДЛСТР(B2:B11)),ДЛСТР(B2:B11),0),1). Функция ДЛСТР вычисляет длину каждой текстовой строки в диапазоне ячеек. Функция МАКС вычисляет наибольшее значение. Функция ПОИСКПОЗ находит адрес ячейки с самой длинной строкой. Функция ИНДЕКС возвращает значение из найденной ячейки. Чтобы найти кратчайшую строку, замените МАКС на МИН. Сумма значений на основе условий Чтобы суммировать значения больше указанного числа (2 в этом примере), вы можете использовать следующую формулу массива, заменив диапазоны ячеек в аргументах своими собственными: =СУММ(ЕСЛИ(C2:C11>2,C2:C11)). Функция ЕСЛИ создает массив истинных и ложных значений. Функция СУММ игнорирует ложные значения и складывает истинные значения вместе." }, { "id": "UsageInstructions/InsertAutoshapes.htm", "title": "Вставка и форматирование автофигур", - "body": "Вставка автофигур Для добавления автофигуры в электронную таблицу, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Последние использованные, Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее открыть, выделите фигуру мышью и щелкните по значку Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить. Пользовательский цвет будет применен к автофигуре и добавлен в палитру Пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите Линейный или Радиальный: Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните на стрелку рядом с окном предварительного просмотра Направление или же задайте точное значение угла градиента в поле Угол. Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, Используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно нажать кнопку Выбрать изображение и добавить изображение Из файла, выбрав его на жестком диске компьютера, Из хранилища, используя файловый менеджер ONLYOFFICE, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Изменение дополнительныx параметров автофигуры Чтобы изменить дополнительные параметры автофигуры, используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно Подгонять размер фигуры под текст, Разрешить переполнение фигуры текстом или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), фигура будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер фигуры также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее, не допуская изменения размера фигуры. Если ячейка перемещается, фигура будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры фигуры останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера фигуры при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит автофигура. Вставка и форматирование текста внутри автофигуры Чтобы вставить текст в автофигуру, выделите фигуру и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Все параметры форматирования, которые можно применить к тексту в автофигуре, перечислены здесь. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения. Назначение макроса к фигуре Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой фигуре. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по фигуре и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." + "body": "Вставка автофигур Для добавления автофигуры в электронную таблицу, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Фигура на верхней панели инструментов, выберите одну из доступных групп автофигур: Последние использованные, Основные фигуры, Фигурные стрелки, Математические знаки, Схемы, Звезды и ленты, Выноски, Кнопки, Прямоугольники, Линии, щелкните по нужной автофигуре внутри выбранной группы, установите курсор там, где требуется поместить автофигуру, после того как автофигура будет добавлена, можно изменить ее размер и местоположение и другие параметры. Изменение параметров автофигуры Некоторые параметры автофигуры можно изменить с помощью вкладки Параметры фигуры на правой боковой панели. Чтобы ее открыть, выделите фигуру мышью и щелкните по значку Параметры фигуры справа. Здесь можно изменить следующие свойства: Заливка - используйте этот раздел, чтобы выбрать заливку автофигуры. Можно выбрать следующие варианты: Заливка цветом - выберите эту опцию, чтобы задать сплошной цвет, которым требуется заполнить внутреннее пространство выбранной фигуры. Нажмите на цветной прямоугольник, расположенный ниже, и выберите нужный цвет из доступных наборов цветов или задайте любой цвет, который вам нравится: Цвета темы - цвета, соответствующие выбранной цветовой схеме электронной таблицы. Стандартные цвета - набор стандартных цветов. Пользовательский цвет - щелкните по этой надписи, если в доступных палитрах нет нужного цвета. Выберите нужный цветовой диапазон, перемещая вертикальный ползунок цвета, и определите конкретный цвет, перетаскивая инструмент для выбора цвета внутри большого квадратного цветового поля. Как только Вы выберете какой-то цвет, в полях справа отобразятся соответствующие цветовые значения RGB и sRGB. Также можно задать цвет на базе цветовой модели RGB, введя нужные числовые значения в полях R, G, B (красный, зеленый, синий), или указать шестнадцатеричный код sRGB в поле, отмеченном знаком #. Выбранный цвет появится в окне предпросмотра Новый. Если к объекту был ранее применен какой-то пользовательский цвет, этот цвет отображается в окне Текущий, так что вы можете сравнить исходный и измененный цвета. Когда цвет будет задан, нажмите на кнопку Добавить. Пользовательский цвет будет применен к автофигуре и добавлен в палитру Пользовательский цвет. Градиентная заливка - выберите эту опцию, чтобы залить фигуру двумя цветами, плавно переходящими друг в друга. Стиль - выберите Линейный или Радиальный: Линейный используется, когда вам нужно, чтобы цвета изменялись слева направо, сверху вниз или под любым выбранным вами углом в одном направлении. Чтобы выбрать предустановленное направление, щелкните на стрелку рядом с окном предварительного просмотра Направление или же задайте точное значение угла градиента в поле Угол. Радиальный используется, когда вам нужно, чтобы цвета изменялись по кругу от центра к краям. Точка градиента - это определенная точка перехода от одного цвета к другому. Чтобы добавить точку градиента, используйте кнопку Добавить точку градиента или ползунок. Вы можете добавить до 10 точек градиента. Каждая следующая добавленная точка градиента никоим образом не повлияет на внешний вид текущей градиентной заливки. Чтобы удалить определенную точку градиента, используйте кнопку Удалить точку градиента. Чтобы изменить положение точки градиента, используйте ползунок или укажите Положение в процентах для точного местоположения. Чтобы применить цвет к точке градиента, щелкните точку на панели ползунка, а затем нажмите Цвет, чтобы выбрать нужный цвет. Изображение или текстура - выберите эту опцию, чтобы использовать в качестве фона фигуры какое-то изображение или готовую текстуру. Если Вы хотите использовать изображение в качестве фона фигуры, можно нажать кнопку Выбрать изображение и добавить изображение Из файла, выбрав его на жестком диске компьютера, Из хранилища, используя файловый менеджер ONLYOFFICE, или По URL, вставив в открывшемся окне соответствующий URL-адрес. Если Вы хотите использовать текстуру в качестве фона фигуры, разверните меню Из текстуры и выберите нужную предустановленную текстуру. В настоящее время доступны следующие текстуры: Холст, Картон, Темная ткань, Песок, Гранит, Серая бумага, Вязание, Кожа, Крафт-бумага, Папирус, Дерево. В том случае, если выбранное изображение имеет большие или меньшие размеры, чем автофигура, можно выбрать из выпадающего списка параметр Растяжение или Плитка. Опция Растяжение позволяет подогнать размер изображения под размер автофигуры, чтобы оно могло полностью заполнить пространство. Опция Плитка позволяет отображать только часть большего изображения, сохраняя его исходные размеры, или повторять меньшее изображение, сохраняя его исходные размеры, по всей площади автофигуры, чтобы оно могло полностью заполнить пространство. Примечание: любая выбранная предустановленная текстура полностью заполняет пространство, но в случае необходимости можно применить эффект Растяжение. Узор - выберите эту опцию, чтобы залить фигуру с помощью двухцветного рисунка, который образован регулярно повторяющимися элементами. Узор - выберите один из готовых рисунков в меню. Цвет переднего плана - нажмите на это цветовое поле, чтобы изменить цвет элементов узора. Цвет фона - нажмите на это цветовое поле, чтобы изменить цвет фона узора. Без заливки - выберите эту опцию, если Вы вообще не хотите использовать заливку. Непрозрачность - используйте этот раздел, чтобы задать уровень Непрозрачности, перетаскивая ползунок или вручную вводя значение в процентах. Значение, заданное по умолчанию, составляет 100%. Оно соответствует полной непрозрачности. Значение 0% соответствует полной прозрачности. Контур - используйте этот раздел, чтобы изменить толщину, цвет или тип контура. Для изменения толщины контура выберите из выпадающего списка Толщина одну из доступных опций. Доступны следующие опции: 0.5 пт, 1 пт, 1.5 пт, 2.25 пт, 3 пт, 4.5 пт, 6 пт. Или выберите опцию Без линии, если вы вообще не хотите использовать контур. Для изменения цвета контура щелкните по цветному прямоугольнику и выберите нужный цвет. Для изменения типа контура выберите нужную опцию из соответствующего выпадающего списка (по умолчанию применяется сплошная линия, ее можно изменить на одну из доступных пунктирных линий). Поворот - используется, чтобы повернуть фигуру на 90 градусов по часовой стрелке или против часовой стрелки, а также чтобы отразить фигуру слева направо или сверху вниз. Нажмите на одну из кнопок: чтобы повернуть фигуру на 90 градусов против часовой стрелки чтобы повернуть фигуру на 90 градусов по часовой стрелке чтобы отразить фигуру по горизонтали (слева направо) чтобы отразить фигуру по вертикали (сверху вниз) Изменить автофигуру - используйте этот раздел, чтобы заменить текущую автофигуру на другую, выбрав ее из выпадающего списка. Отображать тень - отметьте эту опцию, чтобы отображать фигуру с тенью. Изменение дополнительныx параметров автофигуры Чтобы изменить дополнительные параметры автофигуры, используйте ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Фигура - дополнительные параметры': Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту автофигуры. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон фигуры. Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть фигуру на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить фигуру по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить фигуру по вертикали (сверху вниз). Вкладка Линии и стрелки содержит следующие параметры: Стиль линии - эта группа опций позволяет задать такие параметры: Тип окончания - эта опция позволяет задать стиль окончания линии, поэтому ее можно применить только для фигур с разомкнутым контуром, таких как линии, ломаные линии и т.д.: Плоский - конечные точки будут плоскими. Закругленный - конечные точки будут закругленными. Квадратный - конечные точки будут квадратными. Тип соединения - эта опция позволяет задать стиль пересечения двух линий, например, она может повлиять на контур ломаной линии или углов треугольника или прямоугольника: Закругленный - угол будет закругленным. Скошенный - угол будет срезан наискось. Прямой - угол будет заостренным. Хорошо подходит для фигур с острыми углами. Примечание: эффект будет лучше заметен при использовании контура большей толщины. Стрелки - эта группа опций доступна только в том случае, если выбрана фигура из группы автофигур Линии. Она позволяет задать Начальный и Конечный стиль и Размер стрелки, выбрав соответствующие опции из выпадающих списков. На вкладке Текстовое поле можно Подгонять размер фигуры под текст, Разрешить переполнение фигуры текстом или изменить внутренние поля автофигуры Сверху, Снизу, Слева и Справа (то есть расстояние между текстом внутри фигуры и границами автофигуры). Примечание: эта вкладка доступна, только если в автофигуру добавлен текст, в противном случае вкладка неактивна. На вкладке Колонки можно добавить колонки текста внутри автофигуры, указав нужное Количество колонок (не более 16) и Интервал между колонками. После того как вы нажмете кнопку ОК, уже имеющийся текст или любой другой текст, который вы введете, в этой автофигуре будет представлен в виде колонок и будет перетекать из одной колонки в другую. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), фигура будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер фигуры также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать фигуру к ячейке позади нее, не допуская изменения размера фигуры. Если ячейка перемещается, фигура будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры фигуры останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера фигуры при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит автофигура. Вставка и форматирование текста внутри автофигуры Чтобы вставить текст в автофигуру, выделите фигуру и начинайте печатать текст. Текст, добавленный таким способом, становится частью автофигуры (при перемещении или повороте автофигуры текст будет перемещаться или поворачиваться вместе с ней). Все параметры форматирования, которые можно применить к тексту в автофигуре, перечислены здесь. Соединение автофигур с помощью соединительных линий Автофигуры можно соединять, используя линии с точками соединения, чтобы продемонстрировать зависимости между объектами (например, если вы хотите создать блок-схему). Для этого: щелкните по значку Фигура на вкладке Вставка верхней панели инструментов, выберите в меню группу Линии, щелкните по нужной фигуре в выбранной группе (кроме трех последних фигур, которые не являются соединительными линиями, а именно Кривая, Рисованная кривая и Произвольная форма), наведите указатель мыши на первую автофигуру и щелкните по одной из точек соединения , появившихся на контуре фигуры, перетащите указатель мыши ко второй фигуре и щелкните по нужной точке соединения на ее контуре. При перемещении соединенных автофигур соединительная линия остается прикрепленной к фигурам и перемещается вместе с ними. Можно также открепить соединительную линию от фигур, а затем прикрепить ее к любым другим точкам соединения. Назначение макроса к фигуре Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой фигуре. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по фигуре и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." }, { "id": "UsageInstructions/InsertChart.htm", "title": "Вставка диаграмм", - "body": "Вставка диаграммы Для вставки диаграммы в электронную таблицу: Выделите диапазон ячеек, содержащих данные, которые необходимо использовать для диаграммы, Перейдите на вкладку Вставка верхней панели инструментов, Щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы: Гистограмма Гистограмма с группировкой Гистограмма с накоплением Нормированная гистограмма с накоплением Трехмерная гистограмма с группировкой Трехмерная гистограмма с накоплением Трехмерная нормированная гистограмма с накоплением Трехмерная гистограмма График График График с накоплением Нормированный график с накоплением График с маркерами График с накоплениями с маркерами Нормированный график с маркерами и накоплением Трехмерный график Круговая Круговая Кольцевая диаграмма Трехмерная круговая диаграмма Линейчатая Линейчатая с группировкой Линейчатая с накоплением Нормированная линейчатая с накоплением Трехмерная линейчатая с группировкой Трехмерная линейчатая с накоплением Трехмерная нормированная линейчатая с накоплением С областями С областями Диаграмма с областями с накоплением Нормированная с областями и накоплением Биржевая Точечная Точечная диаграмма Точечная с гладкими кривыми и маркерами Точечная с гладкими кривыми Точечная с прямыми отрезками и маркерами Точечная с прямыми отрезками Комбинированные Гистограмма с группировкой и график Гистограмма с группировкой и график на вспомогательной оси С областями с накоплением и гистограмма с группировкой Пользовательская комбинация После этого диаграмма будет добавлена на рабочий лист. Примечание: Редактор электронных таблиц ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальная. /Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм. Изменение параметров диаграммы Теперь можно изменить параметры вставленной диаграммы. Чтобы изменить тип диаграммы: выделите диаграмму мышью, щелкните по значку Параметры диаграммы на правой боковой панели, раскройте выпадающий список Тип и выберите нужный тип, раскройте выпадающий список Стиль, расположенный ниже, и выберите подходящий стиль. Тип и стиль выбранной диаграммы будут изменены. Если требуется отредактировать данные, использованные для построения диаграммы, Нажмите кнопку Выбор данных на правой боковой панели. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключением строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. Нажмите Дополнительные параметры, чтобы изменить другие настройки, такие как Макет, Вертикальная ось, Вспомогательная вертикальная ось, Горизонтальная ось, Вспомогательная горизонтальная ось, Привязка к ячейке и Альтернативный текст. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. Вкладка Вертикальная ось позволяет изменять параметры вертикальной оси, также называемой осью значений или осью Y, которая отображает числовые значения. Обратите внимание, что вертикальная ось будет осью категорий, которая отображает подпись для Гистограмм, таким образом, параметры вкладки Вертикальная ось будут соответствовать параметрам, описанным в следующем разделе. Для Точечных диаграмм обе оси являются осями значений. Примечание: Параметры оси и Линии сетки недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. нажмите Скрыть ось, чтобы скрыть вертикальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать название вертикальной оси, Повернутое - показать название снизу вверх слева от вертикальной оси, По горизонтали - показать название по горизонтали слева от вертикальной оси. Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет настроить отображение делений на вертикальной шкале. Основной тип - это деления шкалы большего размера, на которых могут быть подписи с числовыми значениями. Дополнительный тип - это деления шкалы, которые помещаются между основными делениями и не имеют подписей. Отметки также определяют, где могут отображаться линии сетки, если соответствующий параметр установлен на вкладке Макет. В раскрывающихся списках Основной/Дополнительный тип содержатся следующие варианты размещения: Нет - не отображать основные/дополнительные деления, На пересечении - отображать основные/дополнительные деления по обе стороны от оси, Внутри - отображать основные/дополнительные деления внутри оси, Снаружи - отображать основные/дополнительные деления за пределами оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет - не отображать подписи, Ниже - показывать подписи слева от области диаграммы, Выше - показывать подписи справа от области диаграммы, Рядом с осью - показывать подписи рядом с осью. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Примечание: второстепенные оси поддерживаются только в Комбинированных диаграммах. Второстепенные оси полезны в комбинированных диаграммах, когда ряды данных значительно различаются или для построения диаграммы используются смешанные типы данных. Второстепенные оси упрощают чтение и понимание комбинированной диаграммы. Вкладка Вспомогательная вертикальная / горизонтальная ось появляется, когда вы выбираете соответствующий ряд данных для комбинированной диаграммы. Все настройки и параметры на вкладке Вспомогательная вертикальная/горизонтальная ось такие же, как настройки на вертикальной / горизонтальной оси. Подробное описание параметров Вертикальная / горизонтальная ось смотрите выше / ниже. Вкладка Горизонтальная ось позволяет изменять параметры горизонтальной оси, также называемой осью категорий или осью x, которая отображает текстовые метки. Обратите внимание, что горизонтальная ось будет осью значений, которая отображает числовые значения для Гистограмм, поэтому в этом случае параметры вкладки Горизонтальная ось будут соответствовать параметрам, описанным в предыдущем разделе. Для Точечных диаграмм обе оси являются осями значений. нажмите Скрыть ось, чтобы скрыть горизонтальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать заголовок горизонтальной оси, Без наложения - отображать заголовок под горизонтальной осью, Линии сетки используется для отображения Горизонтальных линий сетки путем выбора необходимого параметра в раскрывающемся списке: Нет, Основные, Незначительное или Основные и Дополнительные. Пересечение с осью - используется для указания точки на горизонтальной оси, в которой вертикальная ось должна пересекать ее. По умолчанию выбрана опция Авто, в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Из выпадающего списка можно выбрать опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимальном/Максимальном значении на вертикальной оси. Положение оси - используется для указания места размещения подписей на оси: на Делениях или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно редактировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет настроить внешний вид меток, отображающих категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто, в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), диаграмма будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер диаграммы также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее, не допуская изменения размера диаграммы. Если ячейка перемещается, диаграмма будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры диаграммы останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера диаграммы при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, размер, стиль или цвет шрифта. При выборе диаграммы становится также активным значок Параметры фигуры справа, так как фигура используется в качестве фона для диаграммы. Можно щелкнуть по этому значку, чтобы открыть вкладку Параметры фигуры на правой боковой панели инструментов и изменить параметры Заливки и Обводки фигуры. Обратите, пожалуйста, внимание, что вы не можете изменить вид фигуры. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если требуется изменить размер элемента диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых маркеров , расположенных по периметру элемента. Чтобы изменить позицию элемента, щелкните по нему левой кнопкой мыши, убедитесь, что курсор принял вид , удерживайте левую кнопку мыши и перетащите элемент в нужное место. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. В случае необходимости можно изменить размер и положение диаграммы. Чтобы удалить вставленную диаграмму, щелкните по ней и нажмите клавишу Delete. Назначение макроса к диаграмме Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой диаграмме. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по диаграмме и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК. После назначения макроса, вы все еще можете выделить диаграмму для выполнения других операций. Для этого щелкните левой кнопкой мыши по поверхности диаграммы. Редактирование спарклайнов Редактор электронных таблиц ONLYOFFICE поддерживает спарклайны. Спарклайн - это небольшая диаграмма, помещенная в одну ячейку. Спарклайны могут быть полезны, если требуется наглядно представить информацию для каждой строки или столбца в больших наборах данных. Чтобы узнать больше о том, как создавать и редактировать спарклайны, ознакомьтесь с нашими руководством по Вставке спарклайнов." + "body": "Вставка диаграммы Для вставки диаграммы в электронную таблицу: Выделите диапазон ячеек, содержащих данные, которые необходимо использовать для диаграммы, Перейдите на вкладку Вставка верхней панели инструментов, Щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы: Гистограмма Гистограмма с группировкой Гистограмма с накоплением Нормированная гистограмма с накоплением Трехмерная гистограмма с группировкой Трехмерная гистограмма с накоплением Трехмерная нормированная гистограмма с накоплением Трехмерная гистограмма График График График с накоплением Нормированный график с накоплением График с маркерами График с накоплениями с маркерами Нормированный график с маркерами и накоплением Трехмерный график Круговая Круговая Кольцевая диаграмма Трехмерная круговая диаграмма Линейчатая Линейчатая с группировкой Линейчатая с накоплением Нормированная линейчатая с накоплением Трехмерная линейчатая с группировкой Трехмерная линейчатая с накоплением Трехмерная нормированная линейчатая с накоплением С областями С областями Диаграмма с областями с накоплением Нормированная с областями и накоплением Биржевая Точечная Точечная диаграмма Точечная с гладкими кривыми и маркерами Точечная с гладкими кривыми Точечная с прямыми отрезками и маркерами Точечная с прямыми отрезками Комбинированные Гистограмма с группировкой и график Гистограмма с группировкой и график на вспомогательной оси С областями с накоплением и гистограмма с группировкой Пользовательская комбинация После этого диаграмма будет добавлена на рабочий лист. Примечание: Редактор электронных таблиц ONLYOFFICE поддерживает следующие типы диаграмм, созданных в сторонних редакторах: Пирамида, Гистограмма (пирамида), Горизонтальные/Вертикальные цилиндры, Горизонтальные/вертикальные конусы. Вы можете открыть файл, содержащий такую диаграмму, и изменить его, используя доступные инструменты редактирования диаграмм. Изменение параметров диаграммы Теперь можно изменить параметры вставленной диаграммы. Чтобы изменить тип диаграммы: выделите диаграмму мышью, щелкните по значку Параметры диаграммы на правой боковой панели, раскройте выпадающий список Стиль, расположенный ниже, и выберите подходящий стиль. раскройте выпадающий список Изменить тип и выберите нужный тип, нажмите опцию Переключить строку/столбец, чтобы изменить расположение строк и столбцов диаграммы. Тип и стиль выбранной диаграммы будут изменены. Если требуется отредактировать данные, использованные для построения диаграммы, Нажмите кнопку Выбор данных на правой боковой панели. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключением строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. Нажмите Дополнительные параметры, чтобы изменить другие настройки, такие как Макет, Вертикальная ось, Вспомогательная вертикальная ось, Горизонтальная ось, Вспомогательная горизонтальная ось, Привязка к ячейке и Альтернативный текст. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. Вкладка Вертикальная ось позволяет изменять параметры вертикальной оси, также называемой осью значений или осью Y, которая отображает числовые значения. Обратите внимание, что вертикальная ось будет осью категорий, которая отображает подпись для Гистограмм, таким образом, параметры вкладки Вертикальная ось будут соответствовать параметрам, описанным в следующем разделе. Для Точечных диаграмм обе оси являются осями значений. Примечание: Параметры оси и Линии сетки недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. нажмите Скрыть ось, чтобы скрыть вертикальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать название вертикальной оси, Повернутое - показать название снизу вверх слева от вертикальной оси, По горизонтали - показать название по горизонтали слева от вертикальной оси. Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет настроить отображение делений на вертикальной шкале. Основной тип - это деления шкалы большего размера, на которых могут быть подписи с числовыми значениями. Дополнительный тип - это деления шкалы, которые помещаются между основными делениями и не имеют подписей. Отметки также определяют, где могут отображаться линии сетки, если соответствующий параметр установлен на вкладке Макет. В раскрывающихся списках Основной/Дополнительный тип содержатся следующие варианты размещения: Нет - не отображать основные/дополнительные деления, На пересечении - отображать основные/дополнительные деления по обе стороны от оси, Внутри - отображать основные/дополнительные деления внутри оси, Снаружи - отображать основные/дополнительные деления за пределами оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет - не отображать подписи, Ниже - показывать подписи слева от области диаграммы, Выше - показывать подписи справа от области диаграммы, Рядом с осью - показывать подписи рядом с осью. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Примечание: второстепенные оси поддерживаются только в Комбинированных диаграммах. Второстепенные оси полезны в комбинированных диаграммах, когда ряды данных значительно различаются или для построения диаграммы используются смешанные типы данных. Второстепенные оси упрощают чтение и понимание комбинированной диаграммы. Вкладка Вспомогательная вертикальная / горизонтальная ось появляется, когда вы выбираете соответствующий ряд данных для комбинированной диаграммы. Все настройки и параметры на вкладке Вспомогательная вертикальная/горизонтальная ось такие же, как настройки на вертикальной / горизонтальной оси. Подробное описание параметров Вертикальная / горизонтальная ось смотрите выше / ниже. Вкладка Горизонтальная ось позволяет изменять параметры горизонтальной оси, также называемой осью категорий или осью x, которая отображает текстовые метки. Обратите внимание, что горизонтальная ось будет осью значений, которая отображает числовые значения для Гистограмм, поэтому в этом случае параметры вкладки Горизонтальная ось будут соответствовать параметрам, описанным в предыдущем разделе. Для Точечных диаграмм обе оси являются осями значений. нажмите Скрыть ось, чтобы скрыть горизонтальную ось на диаграмме. укажите ориентацию Заголовка, выбрав нужный вариант из раскрывающегося списка: Нет - не отображать заголовок горизонтальной оси, Без наложения - отображать заголовок под горизонтальной осью, Линии сетки используется для отображения Горизонтальных линий сетки путем выбора необходимого параметра в раскрывающемся списке: Нет, Основные, Незначительное или Основные и Дополнительные. Пересечение с осью - используется для указания точки на горизонтальной оси, в которой вертикальная ось должна пересекать ее. По умолчанию выбрана опция Авто, в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Из выпадающего списка можно выбрать опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимальном/Максимальном значении на вертикальной оси. Положение оси - используется для указания места размещения подписей на оси: на Делениях или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно редактировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет настроить внешний вид меток, отображающих категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто, в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Чтобы указать Формат подписи, нажмите Формат подписи и в окне Числовой формат выберите подходящую категорию. Доступные категории подписей: Общий Числовой Научный Финансовый Денежный Дата Время Процентный Дробный Текстовый Особый Параметры формата подписи различаются в зависимости от выбранной категории. Для получения дополнительной информации об изменении числового формата, пожалуйста, обратитесь к этой странице. Установите флажок напротив Связать с источником, чтобы сохранить форматирование чисел из источника данных в диаграмме. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), диаграмма будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер диаграммы также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее, не допуская изменения размера диаграммы. Если ячейка перемещается, диаграмма будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры диаграммы останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера диаграммы при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, размер, стиль или цвет шрифта. При выборе диаграммы становится также активным значок Параметры фигуры справа, так как фигура используется в качестве фона для диаграммы. Можно щелкнуть по этому значку, чтобы открыть вкладку Параметры фигуры на правой боковой панели инструментов и изменить параметры Заливки и Обводки фигуры. Обратите, пожалуйста, внимание, что вы не можете изменить вид фигуры. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если требуется изменить размер элемента диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых маркеров , расположенных по периметру элемента. Чтобы изменить позицию элемента, щелкните по нему левой кнопкой мыши, убедитесь, что курсор принял вид , удерживайте левую кнопку мыши и перетащите элемент в нужное место. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. В случае необходимости можно изменить размер и положение диаграммы. Чтобы удалить вставленную диаграмму, щелкните по ней и нажмите клавишу Delete. Назначение макроса к диаграмме Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любой диаграмме. После назначения макроса, фигура отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на фигуру. Чтобы назначить макрос, Щелкните правой кнопкой мыши по диаграмме и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК. После назначения макроса, вы все еще можете выделить диаграмму для выполнения других операций. Для этого щелкните левой кнопкой мыши по поверхности диаграммы. Редактирование спарклайнов Редактор электронных таблиц ONLYOFFICE поддерживает спарклайны. Спарклайн - это небольшая диаграмма, помещенная в одну ячейку. Спарклайны могут быть полезны, если требуется наглядно представить информацию для каждой строки или столбца в больших наборах данных. Чтобы узнать больше о том, как создавать и редактировать спарклайны, ознакомьтесь с нашим руководством по Вставке спарклайнов." }, { "id": "UsageInstructions/InsertDeleteCells.htm", "title": "Управление ячейками, строками и столбцами", - "body": "Пустые ячейки можно вставлять выше или слева от выделенной ячейки на рабочем листе. Также можно вставить целую строку выше выделенной или столбец слева от выделенного. Чтобы облегчить просмотр большого количества информации, можно скрывать определенные строки или столбцы и отображать их снова. Можно также задать определенную высоту строк и ширину столбцов. Вставка ячеек, строк, столбцов Для вставки пустой ячейки слева от выделенной: щелкните правой кнопкой мыши по ячейке, слева от которой требуется вставить новую, щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов, или выберите из контекстного меню команду Добавить и используйте опцию Ячейки со сдвигом вправо. Программа сместит выделенную ячейку вправо, чтобы вставить пустую. Для вставки пустой ячейки выше выделенной: щелкните правой кнопкой мыши по ячейке, выше которой требуется вставить новую, щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов, или выберите из контекстного меню команду Добавить и используйте опцию Ячейки со сдвигом вниз. Программа сместит выделенную ячейку вниз, чтобы вставить пустую. Для вставки целой строки: выделите или всю строку, щелкнув по ее заголовку, или отдельную ячейку в той строке, выше которой требуется вставить новую, Примечание: для вставки нескольких строк выделите столько же строк, сколько требуется вставить. щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов и используйте опцию Строку, или щелкните правой кнопкой мыши по выделенной ячейке, выберите из контекстного меню команду Добавить, а затем выберите опцию Строку, или щелкните правой кнопкой мыши по выделенной строке (строкам) и используйте опцию контекстного меню Добавить сверху. Программа сместит выделенную строку вниз, чтобы вставить пустую. Для вставки целого столбца: выделите или весь столбец, щелкнув по его заголовку, или отдельную ячейку в том столбце, слева от которого требуется вставить новый, Примечание: для вставки нескольких столбцов выделите столько же столбцов, сколько требуется вставить. щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов, и используйте опцию Столбец. или щелкните правой кнопкой мыши по выделенной ячейке, выберите из контекстного меню команду Добавить, а затем выберите опцию Столбец, или щелкните правой кнопкой мыши по выделенному столбцу (столбцам) и используйте опцию контекстного меню Добавить слева. Программа сместит выделенный столбец вправо, чтобы вставить пустой. Вы также можете использовать сочетание клавиш Ctrl+Shift+= для вызова диалогового окна вставки новых ячеек, выбрать опцию Ячейки со сдвигом вправо, Ячейки со сдвигом вниз, Строку или Столбец и нажать кнопку OK. Скрытие и отображение строк и столбцов Для скрытия строки или столбца: выделите строки или столбцы, которые требуется скрыть, щелкните правой кнопкой мыши по выделенным строкам или столбцам и используйте опцию контекстного меню Скрыть. Чтобы отобразить скрытые строки или столбцы, выделите видимые строки выше и ниже скрытых строк или видимые столбцы справа и слева от скрытых столбцов, щелкните по ним правой кнопкой мыши и используйте опцию контекстного меню Показать. Изменение ширины столбцов и высоты строк Ширина столбца определяет, сколько символов со стандартным форматированием может быть отображено в ячейке столбца. По умолчанию задано значение 8.43 символа. Чтобы его изменить: выделите столбцы, которые надо изменить, щелкните правой кнопкой мыши по выделенным столбцам и выберите в контекстном меню пункт Задать ширину столбца, выберите одну из доступных опций: выберите опцию Автоподбор ширины столбца, чтобы автоматически скорректировать ширину каждого столбца в соответствии с содержимым, или выберите опцию Особая ширина столбца и задайте новое значение от 0 до 255 в окне Особая ширина столбца, затем нажмите OK. Чтобы вручную изменить ширину отдельного столбца, наведите курсор мыши на правую границу заголовка столбца, чтобы курсор превратился в двунаправленную стрелку . Перетащите границу влево или вправо, чтобы задать особую ширину или дважды щелкните мышью, чтобы автоматически изменить ширину столбца в соответствии с содержимым. Высота строки по умолчанию составляет 14.25 пунктов. Чтобы изменить это значение: выделите строки, которые надо изменить, щелкните правой кнопкой мыши по выделенным строкам и выберите в контекстном меню пункт Задать высоту строки, выберите одну из доступных опций: выберите опцию Автоподбор высоты строки, чтобы автоматически скорректировать высоту каждой строки в соответствии с содержимым, или выберите опцию Особая высота строки и задайте новое значение от 0 до 408.75 в окне Особая высота строки, затем нажмите OK. Чтобы вручную изменить высоту отдельной строки, перетащите нижнюю границу заголовка строки. Удаление ячеек, строк, столбцов Для удаления ненужной ячейки, строки или столбца: выделите ячейки, строки или столбцы, которые требуется удалить, и щелкните правой кнопкой мыши, щелкните по значку Удалить ячейки , расположенному на вкладке Главная верхней панели инструментов, или выберите из контекстного меню команду Удалить, а затем - подходящую опцию: при использовании опции Ячейки со сдвигом влево ячейка, находящаяся справа от удаленной, будет перемещена влево; при использовании опции Ячейки со сдвигом вверх ячейка, находящаяся снизу от удаленной, будет перемещена вверх; при использовании опции Строку строка, находящаяся снизу от удаленной, будет перемещена вверх; при использовании опции Столбец столбец, находящийся справа от удаленного, будет перемещен влево; Вы также можете использовать сочетание клавиш Ctrl+Shift+- для вызова диалогового окна удаления ячеек, выбрать опцию Ячейки со сдвигом влево, Ячейки со сдвигом вверх, Строку или Столбец и нажать кнопку OK. Удаленные данные всегда можно восстановить с помощью значка Отменить на верхней панели инструментов." + "body": "Пустые ячейки можно вставлять выше или слева от выделенной ячейки на рабочем листе. Также можно вставить целую строку выше выделенной или столбец слева от выделенного. Чтобы облегчить просмотр большого количества информации, можно скрывать определенные строки или столбцы и отображать их снова. Можно также задать определенную высоту строк и ширину столбцов. Вставка ячеек, строк, столбцов Для вставки пустой ячейки слева от выделенной: щелкните правой кнопкой мыши по ячейке, слева от которой требуется вставить новую, щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов, или выберите из контекстного меню команду Добавить и используйте опцию Ячейки со сдвигом вправо. Программа сместит выделенную ячейку вправо, чтобы вставить пустую. Для вставки пустой ячейки выше выделенной: щелкните правой кнопкой мыши по ячейке, выше которой требуется вставить новую, щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов, или выберите из контекстного меню команду Добавить и используйте опцию Ячейки со сдвигом вниз. Программа сместит выделенную ячейку вниз, чтобы вставить пустую. Для вставки целой строки: выделите или всю строку, щелкнув по ее заголовку, или отдельную ячейку в той строке, выше которой требуется вставить новую, Примечание: для вставки нескольких строк выделите столько же строк, сколько требуется вставить. щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов и используйте опцию Строку, или щелкните правой кнопкой мыши по выделенной ячейке, выберите из контекстного меню команду Добавить, а затем выберите опцию Строку, или щелкните правой кнопкой мыши по выделенной строке (строкам) и используйте опцию контекстного меню Добавить сверху. Программа сместит выделенную строку вниз, чтобы вставить пустую. Для вставки целого столбца: выделите или весь столбец, щелкнув по его заголовку, или отдельную ячейку в том столбце, слева от которого требуется вставить новый, Примечание: для вставки нескольких столбцов выделите столько же столбцов, сколько требуется вставить. щелкните по значку Вставить ячейки , расположенному на вкладке Главная верхней панели инструментов, и используйте опцию Столбец. или щелкните правой кнопкой мыши по выделенной ячейке, выберите из контекстного меню команду Добавить, а затем выберите опцию Столбец, или щелкните правой кнопкой мыши по выделенному столбцу (столбцам) и используйте опцию контекстного меню Добавить слева. Программа сместит выделенный столбец вправо, чтобы вставить пустой. Вы также можете использовать сочетание клавиш Ctrl+Shift+= для вызова диалогового окна вставки новых ячеек, выбрать опцию Ячейки со сдвигом вправо, Ячейки со сдвигом вниз, Строку или Столбец и нажать кнопку OK. Скрытие и отображение строк и столбцов Для скрытия строки или столбца: выделите строки или столбцы, которые требуется скрыть, щелкните правой кнопкой мыши по выделенным строкам или столбцам и используйте опцию контекстного меню Скрыть. Чтобы отобразить скрытые строки или столбцы, выделите видимые строки выше и ниже скрытых строк или видимые столбцы справа и слева от скрытых столбцов, щелкните по ним правой кнопкой мыши и используйте опцию контекстного меню Показать. Изменение ширины столбцов и высоты строк Ширина столбца определяет, сколько символов со стандартным форматированием может быть отображено в ячейке столбца. По умолчанию задано значение 8.43 символа. Чтобы его изменить: выделите столбцы, которые надо изменить, щелкните правой кнопкой мыши по выделенным столбцам и выберите в контекстном меню пункт Задать ширину столбца, выберите одну из доступных опций: выберите опцию Автоподбор ширины столбца, чтобы автоматически скорректировать ширину каждого столбца в соответствии с содержимым, или выберите опцию Особая ширина столбца и задайте новое значение от 0 до 255 в окне Особая ширина столбца, затем нажмите OK. Чтобы вручную изменить ширину отдельного столбца, наведите курсор мыши на правую границу заголовка столбца, чтобы курсор превратился в двунаправленную стрелку . Перетащите границу влево или вправо, чтобы задать особую ширину, или дважды щелкните мышью, чтобы автоматически изменить ширину столбца в соответствии с содержимым. Высота строки по умолчанию составляет 14.25 пунктов. Чтобы изменить это значение: выделите строки, которые надо изменить, щелкните правой кнопкой мыши по выделенным строкам и выберите в контекстном меню пункт Задать высоту строки, выберите одну из доступных опций: выберите опцию Автоподбор высоты строки, чтобы автоматически скорректировать высоту каждой строки в соответствии с содержимым, или выберите опцию Особая высота строки и задайте новое значение от 0 до 408.75 в окне Особая высота строки, затем нажмите OK. Чтобы вручную изменить высоту отдельной строки, перетащите нижнюю границу заголовка строки. Удаление ячеек, строк, столбцов Для удаления ненужной ячейки, строки или столбца: выделите ячейки, строки или столбцы, которые требуется удалить, и щелкните правой кнопкой мыши, щелкните по значку Удалить ячейки , расположенному на вкладке Главная верхней панели инструментов, или выберите из контекстного меню команду Удалить, а затем - подходящую опцию: при использовании опции Ячейки со сдвигом влево ячейка, находящаяся справа от удаленной, будет перемещена влево; при использовании опции Ячейки со сдвигом вверх ячейка, находящаяся снизу от удаленной, будет перемещена вверх; при использовании опции Строку строка, находящаяся снизу от удаленной, будет перемещена вверх; при использовании опции Столбец столбец, находящийся справа от удаленного, будет перемещен влево; Вы также можете использовать сочетание клавиш Ctrl+Shift+- для вызова диалогового окна удаления ячеек, выбрать опцию Ячейки со сдвигом влево, Ячейки со сдвигом вверх, Строку или Столбец и нажать кнопку OK. Удаленные данные всегда можно восстановить с помощью значка Отменить на верхней панели инструментов." }, { "id": "UsageInstructions/InsertEquation.htm", @@ -2498,7 +2513,7 @@ var indexes = { "id": "UsageInstructions/InsertFunction.htm", "title": "Вставка функций", - "body": "Важная причина использования электронных таблиц - это возможность выполнять основные расчеты. Некоторые из них выполняются автоматически при выделении диапазона ячеек на рабочем листе: Среднее - используется для того, чтобы проанализировать выбранный диапазон ячеек и рассчитать среднее значение. Количество - используется для того, чтобы подсчитать количество выбранных ячеек, содержащих значения, без учета пустых ячеек. Мин - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наименьшее число. Макс - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наибольшее число. Сумма - используется для того, чтобы сложить все числа в выбранном диапазоне без учета пустых или содержащих текст ячеек. Результаты этих расчетов отображаются в правом нижнем углу строки состояния. Вы можете управлять строкой состояния, щелкнув по ней правой кнопкой мыши и выбрав только те функции, которые требуется отображать. Для выполнения любых других расчетов можно ввести нужную формулу вручную, используя общепринятые математические операторы, или вставить заранее определенную формулу - Функцию. Возможности работы с Функциями доступны как на вкладке Главная, так и на вкладке Формула. Также можно использовать сочетание клавиш Shift+F3. На вкладке Главная, вы можете использовать кнопку Вставить функцию чтобы добавить одну из часто используемых функций (СУММ, СРЗНАЧ, МИН, МАКС, СЧЁТ) или открыть окно Вставить функцию, содержащее все доступные функции, распределенные по категориям. Используйте поле поиска, чтобы найти нужную функцию по имени. На вкладке Формула можно использовать следующие кнопки: Функция - чтобы открыть окно Вставить функцию, содержащее все доступные функции, распределенные по категориям. Автосумма - чтобы быстро получить доступ к функциям СУММ, МИН, МАКС, СЧЁТ. При выборе функции из этой группы она автоматически выполняет вычисления для всех ячеек в столбце, расположенных выше выделенной ячейки, поэтому вам не потребуется вводить аргументы. Последние использованные - чтобы быстро получить доступ к 10 последним использованным функциям. Финансовые, Логические, Текст и данные, Дата и время, Поиск и ссылки, Математические - чтобы быстро получить доступ к функциям, относящимся к определенной категории. Другие функции - чтобы получить доступ к функциям из следующих групп: Базы данных, Инженерные, Информационные и Статистические. Именованные диапазоны - чтобы открыть Диспетчер имен, или присвоить новое имя, или вставить имя в качестве аргумента функции. Для получения дополнительной информации обратитесь к этой странице. Пересчет - чтобы принудительно выполнить пересчет функций. Для вставки функции: Выделите ячейку, в которую требуется вставить функцию. Действуйте одним из следующих способов: перейдите на вкладку Формула и используйте кнопки на верхней панели инструментов, чтобы получить доступ к функциям из определенной группы, затем щелкните по нужной функции, чтобы открыть окно Аргументы функции. Также можно выбрать в меню опцию Дополнительно или нажать кнопку Функция на верхней панели инструментов, чтобы открыть окно Вставить функцию. перейдите на вкладку Главная, щелкните по значку Вставить функцию , выберите одну из часто используемых функций (СУММ, СРЗНАЧ, МИН, МАКС, СЧЁТ) или выберите опцию Дополнительно, чтобы открыть окно Вставить функцию. щелкните правой кнопкой мыши по выделенной ячейке и выберите в контекстном меню команду Вставить функцию. щелкните по значку перед строкой формул. В открывшемся окне Вставить функцию введите имя функции в поле поиска или выберите нужную группу функций, а затем выберите из списка требуемую функцию и нажмите OK. Когда вы выберете нужную функцию, откроется окно Аргументы функции: В открывшемся окне Аргументы функции введите нужные значения для каждого аргумента. Аргументы функции можно вводить вручную или нажав на кнопку и выбрав ячейку или диапазон ячеек, который надо добавить в качестве аргумента. Примечание: в общих случаях, в качестве аргументов функций можно использовать числовые значения, логические значения (ИСТИНА, ЛОЖЬ), текстовые значения (они должны быть заключены в кавычки), ссылки на ячейки, ссылки на диапазоны ячеек, имена, присвоенные диапазонам, и другие функции. Результат функции будет отображен ниже. Когда все аргументы будут указаны, нажмите кнопку OK в окне Аргументы функции. Чтобы ввести функцию вручную с помощью клавиатуры, Выделите ячейку. Введите знак \"равно\" (=). Каждая формула должна начинаться со знака \"равно\" (=). Введите имя функции. Как только вы введете начальные буквы, появится список Автозавершения формул. По мере ввода в нем отображаются элементы (формулы и имена), которые соответствуют введенным символам. При наведении курсора на формулу отображается всплывающая подсказка с ее описанием. Можно выбрать нужную формулу из списка и вставить ее, щелкнув по ней или нажав клавишу Tab. Введите аргументы функции или вручную, или выделив мышью диапазон ячеек, который надо добавить в качестве аргумента. Если функция требует несколько аргументов, их надо вводить через точку с запятой. Аргументы должны быть заключены в круглые скобки. При выборе функции из списка открывающая скобка '(' добавляется автоматически. При вводе аргументов также отображается всплывающая подсказка с синтаксисом формулы. Когда все аргументы будут указаны, добавьте закрывающую скобку ')' и нажмите клавишу Enter. При вводе новых данных или изменении значений, используемых в качестве аргументов, пересчет функций по умолчанию выполняется автоматически. Вы можете принудительно выполнить пересчет функций с помощью кнопки Пересчет на вкладке Формула. Нажатие на саму кнопку Пересчет позволяет выполнить пересчет всей рабочей книги, также можно нажать на стрелку под этой кнопкой и выбрать в меню нужный вариант: Пересчет книги или Пересчет рабочего листа. Также можно использовать следующие сочетания клавиш: F9 для пересчета рабочей книги, Shift +F9 для пересчета текущего рабочего листа. Ниже приводится список доступных функций, сгруппированных по категориям: Примечание: если вы хотите изменить язык, который используется для имен функций, перейдите в меню Файл -> Дополнительные параметры, выберите нужный язык из списка Язык формул и нажмите кнопку Применить. Категория функций Описание Функции Функции для работы с текстом и данными Используются для корректного отображения текстовых данных в электронной таблице. 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; ВОСЬМ.В.ДВ; ВОСЬМ.В.ДЕС; ВОСЬМ.В.ШЕСТН Функции для работы с базами данных Используются для выполнения вычислений по значениям определенного поля базы данных, соответствующих заданным критериям. ДСРЗНАЧ; БСЧЁТ; БСЧЁТА; БИЗВЛЕЧЬ; ДМАКС; ДМИН; БДПРОИЗВЕД; ДСТАНДОТКЛ; ДСТАНДОТКЛП; БДСУММ; БДДИСП; БДДИСПП Финансовые функции Используются для выполнения финансовых расчетов: вычисления чистой приведенной стоимости, суммы платежа и т.д. НАКОПДОХОД; НАКОПДОХОДПОГАШ; АМОРУМ; АМОРУВ; ДНЕЙКУПОНДО; ДНЕЙКУПОН; ДНЕЙКУПОНПОСЛЕ; ДАТАКУПОНПОСЛЕ; ЧИСЛКУПОН; ДАТАКУПОНДО; ОБЩПЛАТ; ОБЩДОХОД; ФУО; ДДОБ; СКИДКА; РУБЛЬ.ДЕС; РУБЛЬ.ДРОБЬ; ДЛИТ; ЭФФЕКТ; БС; БЗРАСПИС; ИНОРМА; ПРПЛТ; ВСД; ПРОЦПЛАТ; МДЛИТ; МВСД; НОМИНАЛ; КПЕР; ЧПС; ЦЕНАПЕРВНЕРЕГ; ДОХОДПЕРВНЕРЕГ; ЦЕНАПОСЛНЕРЕГ; ДОХОДПОСЛНЕРЕГ; ПДЛИТ; ПЛТ; ОСПЛТ; ЦЕНА; ЦЕНАСКИДКА; ЦЕНАПОГАШ; ПС; СТАВКА; ПОЛУЧЕНО; ЭКВ.СТАВКА; АПЛ; АСЧ; РАВНОКЧЕК; ЦЕНАКЧЕК; ДОХОДКЧЕК; ПУО; ЧИСТВНДОХ; ЧИСТНЗ; ДОХОД; ДОХОДСКИДКА; ДОХОДПОГАШ Поисковые функции Используются для упрощения поиска информации по списку данных. АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ГИПЕРССЫЛКА; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; UNIQUE; ВПР; ПРОСМОТРX Информационные функции Используются для предоставления информации о данных в выделенной ячейке или диапазоне ячеек. ЯЧЕЙКА; ТИП.ОШИБКИ; ЕПУСТО; ЕОШ; ЕОШИБКА; ЕЧЁТН; ЕФОРМУЛА; ЕЛОГИЧ; ЕНД; ЕНЕТЕКСТ; ЕЧИСЛО; ЕНЕЧЁТ; ЕССЫЛКА; ЕТЕКСТ; Ч; НД; ЛИСТ; ЛИСТЫ; ТИП Логические функции Используются для выполнения проверки, является ли условие истинным или ложным. И; ЛОЖЬ; ЕСЛИ; ЕСЛИОШИБКА; ЕСНД; ЕСЛИМН; НЕ; ИЛИ; ПЕРЕКЛЮЧ; ИСТИНА; ИСКЛИЛИ" + "body": "Важная причина использования электронных таблиц - это возможность выполнять основные расчеты. Некоторые из них выполняются автоматически при выделении диапазона ячеек на рабочем листе: Среднее - используется для того, чтобы проанализировать выбранный диапазон ячеек и рассчитать среднее значение. Количество - используется для того, чтобы подсчитать количество выбранных ячеек, содержащих значения, без учета пустых ячеек. Мин - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наименьшее число. Макс - используется для того, чтобы проанализировать выбранный диапазон ячеек и найти наибольшее число. Сумма - используется для того, чтобы сложить все числа в выбранном диапазоне без учета пустых или содержащих текст ячеек. Результаты этих расчетов отображаются в правом нижнем углу строки состояния. Вы можете управлять строкой состояния, щелкнув по ней правой кнопкой мыши и выбрав только те функции, которые требуется отображать. Для выполнения любых других расчетов можно ввести нужную формулу вручную, используя общепринятые математические операторы, или вставить заранее определенную формулу - Функцию. Возможности работы с Функциями доступны как на вкладке Главная, так и на вкладке Формула. Также можно использовать сочетание клавиш Shift+F3. На вкладке Главная, вы можете использовать кнопку Вставить функцию , чтобы добавить одну из часто используемых функций (СУММ, СРЗНАЧ, МИН, МАКС, СЧЁТ) или открыть окно Вставить функцию, содержащее все доступные функции, распределенные по категориям. Используйте поле поиска, чтобы найти нужную функцию по имени. На вкладке Формула можно использовать следующие кнопки: Функция - чтобы открыть окно Вставить функцию, содержащее все доступные функции, распределенные по категориям. Автосумма - чтобы быстро получить доступ к функциям СУММ, МИН, МАКС, СЧЁТ. При выборе функции из этой группы она автоматически выполняет вычисления для всех ячеек в столбце, расположенных выше выделенной ячейки, поэтому вам не потребуется вводить аргументы. Последние использованные - чтобы быстро получить доступ к 10 последним использованным функциям. Финансовые, Логические, Текст и данные, Дата и время, Поиск и ссылки, Математические - чтобы быстро получить доступ к функциям, относящимся к определенной категории. Другие функции - чтобы получить доступ к функциям из следующих групп: Базы данных, Инженерные, Информационные и Статистические. Именованные диапазоны - чтобы открыть Диспетчер имен, или присвоить новое имя, или вставить имя в качестве аргумента функции. Для получения дополнительной информации обратитесь к этой странице. Пересчет - чтобы принудительно выполнить пересчет функций. Для вставки функции: Выделите ячейку, в которую требуется вставить функцию. Действуйте одним из следующих способов: перейдите на вкладку Формула и используйте кнопки на верхней панели инструментов, чтобы получить доступ к функциям из определенной группы, затем щелкните по нужной функции, чтобы открыть окно Аргументы функции. Также можно выбрать в меню опцию Дополнительно или нажать кнопку Функция на верхней панели инструментов, чтобы открыть окно Вставить функцию. перейдите на вкладку Главная, щелкните по значку Вставить функцию , выберите одну из часто используемых функций (СУММ, СРЗНАЧ, МИН, МАКС, СЧЁТ) или выберите опцию Дополнительно, чтобы открыть окно Вставить функцию. щелкните правой кнопкой мыши по выделенной ячейке и выберите в контекстном меню команду Вставить функцию. щелкните по значку перед строкой формул. В открывшемся окне Вставить функцию введите имя функции в поле поиска или выберите нужную группу функций, а затем выберите из списка требуемую функцию и нажмите OK. Когда вы выберете нужную функцию, откроется окно Аргументы функции: В открывшемся окне Аргументы функции введите нужные значения для каждого аргумента. Аргументы функции можно вводить вручную или нажав на кнопку и выбрав ячейку или диапазон ячеек, который надо добавить в качестве аргумента. Примечание: в общих случаях, в качестве аргументов функций можно использовать числовые значения, логические значения (ИСТИНА, ЛОЖЬ), текстовые значения (они должны быть заключены в кавычки), ссылки на ячейки, ссылки на диапазоны ячеек, имена, присвоенные диапазонам, и другие функции. Результат функции будет отображен ниже. Когда все аргументы будут указаны, нажмите кнопку OK в окне Аргументы функции. Чтобы ввести функцию вручную с помощью клавиатуры, Выделите ячейку. Введите знак \"равно\" (=). Каждая формула должна начинаться со знака \"равно\" (=). Введите имя функции. Как только вы введете начальные буквы, появится список Автозавершения формул. По мере ввода в нем отображаются элементы (формулы и имена), которые соответствуют введенным символам. При наведении курсора на формулу отображается всплывающая подсказка с ее описанием. Можно выбрать нужную формулу из списка и вставить ее, щелкнув по ней или нажав клавишу Tab. Введите аргументы функции или вручную, или выделив мышью диапазон ячеек, который надо добавить в качестве аргумента. Если функция требует несколько аргументов, их надо вводить через точку с запятой. Аргументы должны быть заключены в круглые скобки. При выборе функции из списка открывающая скобка '(' добавляется автоматически. При вводе аргументов также отображается всплывающая подсказка с синтаксисом формулы. Когда все аргументы будут указаны, добавьте закрывающую скобку ')' и нажмите клавишу Enter. При вводе новых данных или изменении значений, используемых в качестве аргументов, пересчет функций по умолчанию выполняется автоматически. Вы можете принудительно выполнить пересчет функций с помощью кнопки Пересчет на вкладке Формула. Нажатие на саму кнопку Пересчет позволяет выполнить пересчет всей рабочей книги, также можно нажать на стрелку под этой кнопкой и выбрать в меню нужный вариант: Пересчет книги или Пересчет рабочего листа. Также можно использовать следующие сочетания клавиш: F9 для пересчета рабочей книги, Shift +F9 для пересчета текущего рабочего листа. Ниже приводится список доступных функций, сгруппированных по категориям: Примечание: если вы хотите изменить язык, который используется для имен функций, перейдите в меню Файл -> Дополнительные параметры, выберите нужный язык из списка Язык формул и нажмите кнопку Применить. Категория функций Описание Функции Функции для работы с текстом и данными Используются для корректного отображения текстовых данных в электронной таблице. 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; ВОСЬМ.В.ДВ; ВОСЬМ.В.ДЕС; ВОСЬМ.В.ШЕСТН Функции для работы с базами данных Используются для выполнения вычислений по значениям определенного поля базы данных, соответствующих заданным критериям. ДСРЗНАЧ; БСЧЁТ; БСЧЁТА; БИЗВЛЕЧЬ; ДМАКС; ДМИН; БДПРОИЗВЕД; ДСТАНДОТКЛ; ДСТАНДОТКЛП; БДСУММ; БДДИСП; БДДИСПП Финансовые функции Используются для выполнения финансовых расчетов: вычисления чистой приведенной стоимости, суммы платежа и т.д. НАКОПДОХОД; НАКОПДОХОДПОГАШ; АМОРУМ; АМОРУВ; ДНЕЙКУПОНДО; ДНЕЙКУПОН; ДНЕЙКУПОНПОСЛЕ; ДАТАКУПОНПОСЛЕ; ЧИСЛКУПОН; ДАТАКУПОНДО; ОБЩПЛАТ; ОБЩДОХОД; ФУО; ДДОБ; СКИДКА; РУБЛЬ.ДЕС; РУБЛЬ.ДРОБЬ; ДЛИТ; ЭФФЕКТ; БС; БЗРАСПИС; ИНОРМА; ПРПЛТ; ВСД; ПРОЦПЛАТ; МДЛИТ; МВСД; НОМИНАЛ; КПЕР; ЧПС; ЦЕНАПЕРВНЕРЕГ; ДОХОДПЕРВНЕРЕГ; ЦЕНАПОСЛНЕРЕГ; ДОХОДПОСЛНЕРЕГ; ПДЛИТ; ПЛТ; ОСПЛТ; ЦЕНА; ЦЕНАСКИДКА; ЦЕНАПОГАШ; ПС; СТАВКА; ПОЛУЧЕНО; ЭКВ.СТАВКА; АПЛ; АСЧ; РАВНОКЧЕК; ЦЕНАКЧЕК; ДОХОДКЧЕК; ПУО; ЧИСТВНДОХ; ЧИСТНЗ; ДОХОД; ДОХОДСКИДКА; ДОХОДПОГАШ Поисковые функции Используются для упрощения поиска информации по списку данных. АДРЕС; ВЫБОР; СТОЛБЕЦ; ЧИСЛСТОЛБ; Ф.ТЕКСТ; ГПР; ГИПЕРССЫЛКА; ИНДЕКС; ДВССЫЛ; ПРОСМОТР; ПОИСКПОЗ; СМЕЩ; СТРОКА; ЧСТРОК; ТРАНСП; УНИК; ВПР; ПРОСМОТРX Информационные функции Используются для предоставления информации о данных в выделенной ячейке или диапазоне ячеек. ЯЧЕЙКА; ТИП.ОШИБКИ; ЕПУСТО; ЕОШ; ЕОШИБКА; ЕЧЁТН; ЕФОРМУЛА; ЕЛОГИЧ; ЕНД; ЕНЕТЕКСТ; ЕЧИСЛО; ЕНЕЧЁТ; ЕССЫЛКА; ЕТЕКСТ; Ч; НД; ЛИСТ; ЛИСТЫ; ТИП Логические функции Используются для выполнения проверки, является ли условие истинным или ложным. И; ЛОЖЬ; ЕСЛИ; ЕСЛИОШИБКА; ЕСНД; ЕСЛИМН; НЕ; ИЛИ; ПЕРЕКЛЮЧ; ИСТИНА; ИСКЛИЛИ" }, { "id": "UsageInstructions/InsertHeadersFooters.htm", @@ -2508,7 +2523,7 @@ var indexes = { "id": "UsageInstructions/InsertImages.htm", "title": "Вставка изображений", - "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того, чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Для того, чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того, как область обрезки будет задана, также можно использовать опции Обрезать, Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре. При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появится пустые пространства. Для того, чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, нажмите кнопку Заменить изображение, выберите нужную опцию: Из файла, Из хранилища или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображеню. Изменение дополнительныx параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), изображение будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер изображения также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него, не допуская изменения размера изображения. Если ячейка перемещается, изображение будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры изображения останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера изображения при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete. Назначение макроса к изображению Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любому изображению. После назначения макроса, изображение отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на изображение. Чтобы назначить макрос, Щелкните правой кнопкой мыши по изображению и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." + "body": "В онлайн-редакторе электронных таблиц можно вставлять в электронную таблицу изображения самых популярных форматов. Поддерживаются следующие форматы изображений: BMP, GIF, JPEG, JPG, PNG. Вставка изображения Для вставки изображения в электронную таблицу: установите курсор там, где требуется поместить изображение, перейдите на вкладку Вставка верхней панели инструментов, нажмите значок Изображение на верхней панели инструментов, для загрузки изображения выберите одну из следующих опций: при выборе опции Изображение из файла откроется стандартное диалоговое окно для выбора файлов. Выберите нужный файл на жестком диске компьютера и нажмите кнопку Открыть В онлайн-редакторе вы можете выбрать сразу несколько изображений. при выборе опции Изображение по URL откроется окно, в котором можно ввести веб-адрес нужного изображения, а затем нажать кнопку OK при выборе опции Изображение из хранилища откроется окно Выбрать источник данных. Выберите изображение, сохраненное на вашем портале, и нажмите кнопку OK После этого изображение будет добавлено на рабочий лист. Изменение параметров изображения После того как изображение будет добавлено, можно изменить его размер и положение. Для того чтобы задать точные размеры изображения: выделите мышью изображение, размер которого требуется изменить, щелкните по значку Параметры изображения на правой боковой панели, в разделе Размер задайте нужные значения Ширины и Высоты. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон изображения. Чтобы восстановить реальный размер добавленного изображения, нажмите кнопку Реальный размер. Для того чтобы обрезать изображение: Кнопка Обрезать используется, чтобы обрезать изображение. Нажмите кнопку Обрезать, чтобы активировать маркеры обрезки, которые появятся в углах изображения и в центре каждой его стороны. Вручную перетаскивайте маркеры, чтобы задать область обрезки. Вы можете навести курсор мыши на границу области обрезки, чтобы курсор превратился в значок , и перетащить область обрезки. Чтобы обрезать одну сторону, перетащите маркер, расположенный в центре этой стороны. Чтобы одновременно обрезать две смежных стороны, перетащите один из угловых маркеров. Чтобы равномерно обрезать две противоположные стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании маркера в центре одной из этих сторон. Чтобы равномерно обрезать все стороны изображения, удерживайте нажатой клавишу Ctrl при перетаскивании любого углового маркера. Когда область обрезки будет задана, еще раз нажмите на кнопку Обрезать, или нажмите на клавишу Esc, или щелкните мышью за пределами области обрезки, чтобы применить изменения. После того как область обрезки будет задана, также можно использовать опции Обрезать, Заливка и Вписать, доступные в выпадающем меню Обрезать. Нажмите кнопку Обрезать еще раз и выберите нужную опцию: При выборе опции Обрезать изображение будет заполнять определенную форму. Вы можете выбрать фигуру из галереи, которая открывается при наведении указателя мыши на опцию Обрезать по фигуре. Вы по-прежнему можете использовать опции Заливка и Вписать, чтобы настроить, как изображение будет соответствовать фигуре. При выборе опции Заливка центральная часть исходного изображения будет сохранена и использована в качестве заливки выбранной области обрезки, в то время как остальные части изображения будут удалены. При выборе опции Вписать размер изображения будет изменен, чтобы оно соответствовало высоте или ширине области обрезки. Никакие части исходного изображения не будут удалены, но внутри выбранной области обрезки могут появиться пустые пространства. Для того чтобы повернуть изображение: выделите мышью изображение, которое требуется повернуть, щелкните по значку Параметры изображения на правой боковой панели, в разделе Поворот нажмите на одну из кнопок: чтобы повернуть изображение на 90 градусов против часовой стрелки чтобы повернуть изображение на 90 градусов по часовой стрелке чтобы отразить изображение по горизонтали (слева направо) чтобы отразить изображение по вертикали (сверху вниз) Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Поворот. Для замены вставленного изображения: выделите мышью изображение, которое требуется заменить, щелкните по значку Параметры изображения на правой боковой панели, нажмите кнопку Заменить изображение, выберите нужную опцию: Из файла, Из хранилища или По URL и выберите требуемое изображение. Примечание: вы также можете щелкнуть по изображению правой кнопкой мыши и использовать пункт контекстного меню Заменить изображение. Выбранное изображение будет заменено. Когда изображение выделено, справа также доступен значок Параметры фигуры . Можно щелкнуть по нему, чтобы открыть вкладку Параметры фигуры на правой боковой панели и настроить тип, толщину и цвет Контуров фигуры, а также изменить тип фигуры, выбрав другую фигуру в меню Изменить автофигуру. Форма изображения изменится соответствующим образом. На вкладке Параметры фигуры также можно использовать опцию Отображать тень, чтобы добавить тень к изображению. Изменение дополнительныx параметров изображения Чтобы изменить дополнительные параметры изображения, щелкните по нему правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры изображения. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств изображения: Вкладка Поворот содержит следующие параметры: Угол - используйте эту опцию, чтобы повернуть изображение на точно заданный угол. Введите в поле нужное значение в градусах или скорректируйте его, используя стрелки справа. Отражено - отметьте галочкой опцию По горизонтали, чтобы отразить изображение по горизонтали (слева направо), или отметьте галочкой опцию По вертикали, чтобы отразить изображение по вертикали (сверху вниз). Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), изображение будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер изображения также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать изображение к ячейке позади него, не допуская изменения размера изображения. Если ячейка перемещается, изображение будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры изображения останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера изображения при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит изображение. Чтобы удалить вставленное изображение, щелкните по нему и нажмите клавишу Delete. Назначение макроса к изображению Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любому изображению. После назначения макроса, изображение отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на изображение. Чтобы назначить макрос, Щелкните правой кнопкой мыши по изображению и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК." }, { "id": "UsageInstructions/InsertSparklines.htm", @@ -2523,7 +2538,7 @@ var indexes = { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Вставка текстовых объектов", - "body": "Чтобы привлечь внимание к определенной части электронной таблицы, можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). Добавление текстового объекта Текстовый объект можно добавить в любом месте рабочего листа. Для этого: перейдите на вкладку Вставка верхней панели инструментов, выберите нужный тип текстового объекта: чтобы добавить текстовое поле, щелкните по значку Надпись на верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре рабочего листа. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к рабочему листу. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку с текстом внутри (у объектов Text Art по умолчанию невидимые границы), а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы вручную изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, контур, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы расположить текстовые поля в определенном порядке относительно других объектов, выровнять несколько текстовых полей относительно друг друга, повернуть или отразить текстовое поле, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Настройте параметры форматирования шрифта (измените его тип, размер, цвет и примените стили оформления) с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Некоторые дополнительные параметры шрифта можно также изменить на вкладке Шрифт в окне свойств абзаца. Чтобы его открыть, щелкнуть правой кнопкой мыши по тексту в текстовом поле и выберите опцию Дополнительные параметры текста. Выровняйте текст внутри текстового поля по горизонтали с помощью соответствующих значков на вкладке Главная верхней панели инструментов или в окне Абзац - Дополнительные параметры. Выровняйте текст внутри текстового поля по вертикали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Можно также щелкнуть по тексту правой кнопкой мыши, выбрать опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю. Поверните текст внутри текстового поля. Для этого щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Создайте маркированный или нумерованный список. Для этого щелкните по тексту правой кнопкой мыши, выберите в контекстном меню пункт Маркеры и нумерация, а затем выберите один из доступных знаков маркера или стилей нумерации. Опция Параметры списка позволяет открыть окно Параметры списка, в котором можно настроить параметры для соответствующего типа списка: Тип (маркированный список) - позволяет выбрать нужный символ, используемый для маркированного списка. При нажатии на поле Новый маркер открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. Тип (нумерованный список) - позволяет выбрать нужный формат нумерованного списка. Размер - позволяет выбрать нужный размер для каждого из маркеров или нумераций в зависимости от текущего размера текста. Может принимать значение от 25% до 400%. Цвет - позволяет выбрать нужный цвет маркеров или нумерации. Вы можете выбрать на палитре один из цветов темы или стандартных цветов или задать пользовательский цвет. Начать с - позволяет задать нужное числовое значение, с которого вы хотите начать нумерацию. Вставьте гиперссылку. Задайте междустрочный интервал и интервал между абзацами для многострочного текста внутри текстового поля с помощью вкладки Параметры текста на правой боковой панели. Чтобы ее открыть, щелкните по значку Параметры текста . Здесь можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из двух опций: множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Изменение дополнительных параметров абзаца Измените дополнительные параметры абзаца (можно настроить отступы абзаца и позиции табуляции для многострочного текста внутри текстового поля и применить некоторые параметры форматирования шрифта). Установите курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Также можно щелкнуть по тексту в текстовом поле правой кнопкой мыши и использовать пункт контекстного меню Дополнительные параметры текста. Откроется окно свойств абзаца: На вкладке Отступы и интервалы можно выполнить следующие действия: изменить тип выравнивания текста внутри абзаца, изменить отступы абзаца от внутренних полей текстового объекта, Слева - задайте смещение всего абзаца от левого внутреннего поля текстового блока, указав нужное числовое значение, Справа - задайте смещение всего абзаца от правого внутреннего поля текстового блока, указав нужное числовое значение, Первая строка - задайте отступ для первой строки абзаца, выбрав соответствующий пункт меню ((нет), Отступ, Выступ) и изменив числовое значение для Отступа или Выступа, заданное по умолчанию, изменить междустрочный интервал внутри абзаца. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция табуляции По умолчанию имеет значение 2.54 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите в выпадающем списке Выравнивание опцию По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. По центру - центрирует текст относительно позиции табуляции. По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Назначение макроса к текстовому объекту Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любому текстовому объекту. После назначения макроса, графический объект отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на объект. Чтобы назначить макрос, Щелкните правой кнопкой мыши по текстовому объекту и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и контур шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." + "body": "Чтобы привлечь внимание к определенной части электронной таблицы, можно вставить надпись (прямоугольную рамку, внутри которой вводится текст) или объект Text Art (текстовое поле с предварительно заданным стилем и цветом шрифта, позволяющее применять текстовые эффекты). Добавление текстового объекта Текстовый объект можно добавить в любом месте рабочего листа. Для этого: перейдите на вкладку Вставка верхней панели инструментов, выберите нужный тип текстового объекта: чтобы добавить текстовое поле, щелкните по значку Надпись на верхней панели инструментов, затем щелкните там, где требуется поместить надпись, удерживайте кнопку мыши и перетаскивайте границу текстового поля, чтобы задать его размер. Когда вы отпустите кнопку мыши, в добавленном текстовом поле появится курсор, и вы сможете ввести свой текст. Примечание: надпись можно также вставить, если щелкнуть по значку Фигура на верхней панели инструментов и выбрать фигуру из группы Основные фигуры. чтобы добавить объект Text Art, щелкните по значку Text Art на верхней панели инструментов, затем щелкните по нужному шаблону стиля – объект Text Art будет добавлен в центре рабочего листа. Выделите мышью стандартный текст внутри текстового поля и напишите вместо него свой текст. щелкните за пределами текстового объекта, чтобы применить изменения и вернуться к рабочему листу. Текст внутри текстового объекта является его частью (при перемещении или повороте текстового объекта текст будет перемещаться или поворачиваться вместе с ним). Поскольку вставленный текстовый объект представляет собой прямоугольную рамку с текстом внутри (у объектов Text Art по умолчанию невидимые границы), а эта рамка является обычной автофигурой, можно изменять свойства и фигуры, и текста. Чтобы удалить добавленный текстовый объект, щелкните по краю текстового поля и нажмите клавишу Delete на клавиатуре. Текст внутри текстового поля тоже будет удален. Форматирование текстового поля Выделите текстовое поле, щелкнув по его границе, чтобы можно было изменить его свойства. Когда текстовое поле выделено, его границы отображаются как сплошные, а не пунктирные линии. чтобы вручную изменить размер текстового поля, переместить, повернуть его, используйте специальные маркеры по краям фигуры. чтобы изменить заливку, контур, заменить прямоугольное поле на какую-то другую фигуру или открыть дополнительные параметры фигуры, щелкните по значку Параметры фигуры на правой боковой панели и используйте соответствующие опции. чтобы расположить текстовые поля в определенном порядке относительно других объектов, выровнять несколько текстовых полей относительно друг друга, повернуть или отразить текстовое поле, щелкните правой кнопкой мыши по границе текстового поля и используйте опции контекстного меню. Подробнее о выравнивании и расположении объектов в определенном порядке рассказывается на этой странице. чтобы создать колонки текста внутри текстового поля, щелкните правой кнопкой мыши по границе текстового поля, нажмите на пункт меню Дополнительные параметры фигуры и перейдите на вкладку Колонки в окне Фигура - дополнительные параметры. Форматирование текста внутри текстового поля Щелкните по тексту внутри текстового поля, чтобы можно было изменить его свойства. Когда текст выделен, границы текстового поля отображаются как пунктирные линии. Примечание: форматирование текста можно изменить и в том случае, если выделено текстовое поле, а не сам текст. В этом случае любые изменения будут применены ко всему тексту в текстовом поле. Некоторые параметры форматирования шрифта (тип, размер, цвет и стили оформления шрифта) можно отдельно применить к предварительно выделенному фрагменту текста. Настройте параметры форматирования шрифта (измените его тип, размер, цвет и примените стили оформления) с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Некоторые дополнительные параметры шрифта можно также изменить на вкладке Шрифт в окне свойств абзаца. Чтобы его открыть, щелкнуть правой кнопкой мыши по тексту в текстовом поле и выберите опцию Дополнительные параметры текста. Выровняйте текст внутри текстового поля по горизонтали с помощью соответствующих значков на вкладке Главная верхней панели инструментов или в окне Абзац - Дополнительные параметры. Выровняйте текст внутри текстового поля по вертикали с помощью соответствующих значков на вкладке Главная верхней панели инструментов. Можно также щелкнуть по тексту правой кнопкой мыши, выбрать опцию Вертикальное выравнивание, а затем - один из доступных вариантов: По верхнему краю, По центру или По нижнему краю. Поверните текст внутри текстового поля. Для этого щелкните по тексту правой кнопкой мыши, выберите опцию Направление текста, а затем выберите один из доступных вариантов: Горизонтальное (выбран по умолчанию), Повернуть текст вниз (задает вертикальное направление, сверху вниз) или Повернуть текст вверх (задает вертикальное направление, снизу вверх). Создайте маркированный или нумерованный список. Для этого щелкните по тексту правой кнопкой мыши, выберите в контекстном меню пункт Маркеры и нумерация, а затем выберите один из доступных знаков маркера или стилей нумерации. Опция Параметры списка позволяет открыть окно Параметры списка, в котором можно настроить параметры для соответствующего типа списка: Тип (маркированный список) - позволяет выбрать нужный символ, используемый для маркированного списка. При нажатии на поле Новый маркер открывается окно Символ, в котором можно выбрать один из доступных символов. Для получения дополнительной информации о работе с символами вы можете обратиться к этой статье. При нажатии на поле Новое изображение появляется новое поле Импорт, в котором можно выбрать новое изображение для маркеров Из файла, По URL или Из хранилища. Тип (нумерованный список) - позволяет выбрать нужный формат нумерованного списка. Размер - позволяет выбрать нужный размер для каждого из маркеров или нумераций в зависимости от текущего размера текста. Может принимать значение от 25% до 400%. Цвет - позволяет выбрать нужный цвет маркеров или нумерации. Вы можете выбрать на палитре один из цветов темы или стандартных цветов, или задать пользовательский цвет. Начать с - позволяет задать нужное числовое значение, с которого вы хотите начать нумерацию. Вставьте гиперссылку. Задайте междустрочный интервал и интервал между абзацами для многострочного текста внутри текстового поля с помощью вкладки Параметры текста на правой боковой панели. Чтобы ее открыть, щелкните по значку Параметры текста . Здесь можно задать высоту строки для строк текста в абзаце, а также поля между текущим и предыдущим или последующим абзацем. Междустрочный интервал - задайте высоту строки для строк текста в абзаце. Вы можете выбрать одну из двух опций: множитель (устанавливает междустрочный интервал, который может быть выражен в числах больше 1), точно (устанавливает фиксированный междустрочный интервал). Необходимое значение можно указать в поле справа. Интервал между абзацами - задайте величину свободного пространства между абзацами. Перед - задайте величину свободного пространства перед абзацем. После - задайте величину свободного пространства после абзаца. Примечание: эти параметры также можно найти в окне Абзац - Дополнительные параметры. Изменение дополнительных параметров абзаца Измените дополнительные параметры абзаца (можно настроить отступы абзаца и позиции табуляции для многострочного текста внутри текстового поля и применить некоторые параметры форматирования шрифта). Установите курсор в пределах нужного абзаца - на правой боковой панели будет активирована вкладка Параметры текста. Нажмите на ссылку Дополнительные параметры. Также можно щелкнуть по тексту в текстовом поле правой кнопкой мыши и использовать пункт контекстного меню Дополнительные параметры текста. Откроется окно свойств абзаца: На вкладке Отступы и интервалы можно выполнить следующие действия: изменить тип выравнивания текста внутри абзаца, изменить отступы абзаца от внутренних полей текстового объекта, Слева - задайте смещение всего абзаца от левого внутреннего поля текстового блока, указав нужное числовое значение, Справа - задайте смещение всего абзаца от правого внутреннего поля текстового блока, указав нужное числовое значение, Первая строка - задайте отступ для первой строки абзаца, выбрав соответствующий пункт меню ((нет), Отступ, Выступ) и изменив числовое значение для Отступа или Выступа, заданное по умолчанию, изменить междустрочный интервал внутри абзаца. Вкладка Шрифт содержит следующие параметры: Зачёркивание - используется для зачеркивания текста чертой, проведенной по буквам. Двойное зачёркивание - используется для зачеркивания текста двойной чертой, проведенной по буквам. Надстрочные - используется, чтобы сделать текст мельче и поместить его в верхней части строки, например, как в дробях. Подстрочные - используется, чтобы сделать текст мельче и поместить его в нижней части строки, например, как в химических формулах. Малые прописные - используется, чтобы сделать все буквы строчными. Все прописные - используется, чтобы сделать все буквы прописными. Межзнаковый интервал - используется, чтобы задать расстояние между символами. Увеличьте значение, заданное по умолчанию, чтобы применить Разреженный интервал, или уменьшите значение, заданное по умолчанию, чтобы применить Уплотненный интервал. Используйте кнопки со стрелками или введите нужное значение в поле ввода. Все изменения будут отображены в расположенном ниже поле предварительного просмотра. На вкладке Табуляция можно изменить позиции табуляции, то есть те позиции, куда переходит курсор при нажатии клавиши Tab на клавиатуре. Позиция табуляции По умолчанию имеет значение 2.54 см. Это значение можно уменьшить или увеличить, используя кнопки со стрелками или введя в поле нужное значение. Позиция - используется, чтобы задать пользовательские позиции табуляции. Введите в этом поле нужное значение, настройте его более точно, используя кнопки со стрелками, и нажмите на кнопку Задать. Пользовательская позиция табуляции будет добавлена в список в расположенном ниже поле. Выравнивание - используется, чтобы задать нужный тип выравнивания для каждой из позиций табуляции в расположенном выше списке. Выделите нужную позицию табуляции в списке, выберите в выпадающем списке Выравнивание опцию По левому краю, По центру или По правому краю и нажмите на кнопку Задать. По левому краю - выравнивает текст по левому краю относительно позиции табуляции; при наборе текст движется вправо от позиции табуляции. По центру - центрирует текст относительно позиции табуляции. По правому краю - выравнивает текст по правому краю относительно позиции табуляции; при наборе текст движется влево от позиции табуляции. Для удаления позиций табуляции из списка выделите позицию табуляции и нажмите кнопку Удалить или Удалить все. Назначение макроса к текстовому объекту Вы можете обеспечить быстрый и легкий доступ к макросу в электронной таблице, назначив макрос любому текстовому объекту. После назначения макроса, графический объект отображается как кнопка, и вы можете запускать макрос всякий раз, когда нажимаете на объект. Чтобы назначить макрос, Щелкните правой кнопкой мыши по текстовому объекту и в контекстном меню выберите пункт Назначить макрос. Откроется окно Назначить макрос Выберите макрос из списка или вручную введите название макроса и нажмите ОК. Изменение стиля объекта Text Art Выделите текстовый объект и щелкните по значку Параметры объектов Text Art на правой боковой панели. Измените примененный стиль текста, выбрав из галереи новый Шаблон. Можно также дополнительно изменить этот базовый стиль, выбрав другой тип, размер шрифта и т.д. Измените заливку и контур шрифта. Доступны точно такие же опции, как и для автофигур. Примените текстовый эффект, выбрав нужный тип трансформации текста из галереи Трансформация. Можно скорректировать степень искривления текста, перетаскивая розовый маркер в форме ромба." }, { "id": "UsageInstructions/ManageSheets.htm", @@ -2538,7 +2553,7 @@ var indexes = { "id": "UsageInstructions/MathAutoCorrect.htm", "title": "Функции автозамены", - "body": "Функции автозамены используются для автоматического форматирования текста при обнаружении или вставки специальных математических символов путем распознавания определенных символов. Доступные параметры автозамены перечислены в соответствующем диалоговом окне. Чтобы его открыть, перейдите на вкладку Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены. В диалоговом окне Автозамена содержит три вкладки: Автозамена математическими символами, Распознанные функции и Автоформат при вводе. Автозамена математическими символами При работе с уравнениями множество символов, диакритических знаков и знаков математических действий можно добавить путем ввода с клавиатуры, а не выбирая шаблон из коллекции. В редакторе уравнений установите курсор в нужном поле для ввода, введите специальный код и нажмите Пробел. Введенный код будет преобразован в соответствующий символ, а пробел будет удален. Примечание: коды чувствительны к регистру. Вы можете добавлять, изменять, восстанавливать и удалять записи автозамены из списка автозамены. Перейдите во вкладку Файл -> Дополнительные параметры -> Проверка орфографии ->Правописание -> Параметры автозамены -> Автозамена математическими символами. Чтобы добавить запись в список автозамены, Введите код автозамены, который хотите использовать, в поле Заменить. Введите символ, который будет присвоен введенному вами коду, в поле На. Щелкните на кнопку Добавить. Чтобы изменить запись в списке автозамены, Выберите запись, которую хотите изменить. Вы можете изменить информацию в полях Заменить для кода и На для символа. Щелкните на кнопку Добавить. Чтобы удалить запись из списка автозамены, Выберите запись, которую хотите удалить. Щелкните на кнопку Удалить. Чтобы восстановить ранее удаленные записи, выберите из списка запись, которую нужно восстановить, и нажмите кнопку Восстановить. Чтобы восстановить настройки по умолчанию, нажмите кнопку Сбросить настройки. Любая добавленная вами запись автозамены будет удалена, а измененные значения будут восстановлены до их исходных значений. Чтобы отключить автозамену математическими символами и избежать автоматических изменений и замен, снимите флажок Заменять текст при вводе. В таблице ниже приведены все поддерживаемые в настоящее время коды, доступные в Редакторе таблиц. Полный список поддерживаемых кодов также можно найти на вкладке Файл -> Дополнительыне параметры -> Проверка орфографии ->Правописание -> Параметры автозамены -> Автозамена математическими символами. Поддерживаемые коды Код Символ Категория !! Символы ... Точки :: Операторы := Операторы /< Операторы отношения /> Операторы отношения /= Операторы отношения \\above Символы Above/Below \\acute Акценты \\aleph Буквы иврита \\alpha Греческие буквы \\Alpha Греческие буквы \\amalg Бинарные операторы \\angle Геометрические обозначения \\aoint Интегралы \\approx Операторы отношений \\asmash Стрелки \\ast Бинарные операторы \\asymp Операторы отношений \\atop Операторы \\bar Черта сверху/снизу \\Bar Акценты \\because Операторы отношений \\begin Разделители \\below Символы Above/Below \\bet Буквы иврита \\beta Греческие буквы \\Beta Греческие буквы \\beth Буквы иврита \\bigcap Крупные операторы \\bigcup Крупные операторы \\bigodot Крупные операторы \\bigoplus Крупные операторы \\bigotimes Крупные операторы \\bigsqcup Крупные операторы \\biguplus Крупные операторы \\bigvee Крупные операторы \\bigwedge Крупные операторы \\binomial Уравнения \\bot Логические обозначения \\bowtie Операторы отношений \\box Символы \\boxdot Бинарные операторы \\boxminus Бинарные операторы \\boxplus Бинарные операторы \\bra Разделители \\break Символы \\breve Акценты \\bullet Бинарные операторы \\cap Бинарные операторы \\cbrt Квадратные корни и радикалы \\cases Символы \\cdot Бинарные операторы \\cdots Точки \\check Акценты \\chi Греческие буквы \\Chi Греческие буквы \\circ Бинарные операторы \\close Разделители \\clubsuit Символы \\coint Интегралы \\cong Операторы отношений \\coprod Математические операторы \\cup Бинарные операторы \\dalet Буквы иврита \\daleth Буквы иврита \\dashv Операторы отношений \\dd Дважды начерченные буквы \\Dd Дважды начерченные буквы \\ddddot Акценты \\dddot Акценты \\ddot Акценты \\ddots Точки \\defeq Операторы отношений \\degc Символы \\degf Символы \\degree Символы \\delta Греческие буквы \\Delta Греческие буквы \\Deltaeq Операторы \\diamond Бинарные операторы \\diamondsuit Символы \\div Бинарные операторы \\dot Акценты \\doteq Операторы отношений \\dots Точки \\doublea Дважды начерченные буквы \\doubleA Дважды начерченные буквы \\doubleb Дважды начерченные буквы \\doubleB Дважды начерченные буквы \\doublec Дважды начерченные буквы \\doubleC Дважды начерченные буквы \\doubled Дважды начерченные буквы \\doubleD Дважды начерченные буквы \\doublee Дважды начерченные буквы \\doubleE Дважды начерченные буквы \\doublef Дважды начерченные буквы \\doubleF Дважды начерченные буквы \\doubleg Дважды начерченные буквы \\doubleG Дважды начерченные буквы \\doubleh Дважды начерченные буквы \\doubleH Дважды начерченные буквы \\doublei Дважды начерченные буквы \\doubleI Дважды начерченные буквы \\doublej Дважды начерченные буквы \\doubleJ Дважды начерченные буквы \\doublek Дважды начерченные буквы \\doubleK Дважды начерченные буквы \\doublel Дважды начерченные буквы \\doubleL Дважды начерченные буквы \\doublem Дважды начерченные буквы \\doubleM Дважды начерченные буквы \\doublen Дважды начерченные буквы \\doubleN Дважды начерченные буквы \\doubleo Дважды начерченные буквы \\doubleO Дважды начерченные буквы \\doublep Дважды начерченные буквы \\doubleP Дважды начерченные буквы \\doubleq Дважды начерченные буквы \\doubleQ Дважды начерченные буквы \\doubler Дважды начерченные буквы \\doubleR Дважды начерченные буквы \\doubles Дважды начерченные буквы \\doubleS Дважды начерченные буквы \\doublet Дважды начерченные буквы \\doubleT Дважды начерченные буквы \\doubleu Дважды начерченные буквы \\doubleU Дважды начерченные буквы \\doublev Дважды начерченные буквы \\doubleV Дважды начерченные буквы \\doublew Дважды начерченные буквы \\doubleW Дважды начерченные буквы \\doublex Дважды начерченные буквы \\doubleX Дважды начерченные буквы \\doubley Дважды начерченные буквы \\doubleY Дважды начерченные буквы \\doublez Дважды начерченные буквы \\doubleZ Дважды начерченные буквы \\downarrow Стрелки \\Downarrow Стрелки \\dsmash Стрелки \\ee Дважды начерченные буквы \\ell Символы \\emptyset Обозначения множествs \\emsp Знаки пробела \\end Разделители \\ensp Знаки пробела \\epsilon Греческие буквы \\Epsilon Греческие буквы \\eqarray Символы \\equiv Операторы отношений \\eta Греческие буквы \\Eta Греческие буквы \\exists Логические обозначенияs \\forall Логические обозначенияs \\fraktura Буквы готического шрифта \\frakturA Буквы готического шрифта \\frakturb Буквы готического шрифта \\frakturB Буквы готического шрифта \\frakturc Буквы готического шрифта \\frakturC Буквы готического шрифта \\frakturd Буквы готического шрифта \\frakturD Буквы готического шрифта \\frakture Буквы готического шрифта \\frakturE Буквы готического шрифта \\frakturf Буквы готического шрифта \\frakturF Буквы готического шрифта \\frakturg Буквы готического шрифта \\frakturG Буквы готического шрифта \\frakturh Буквы готического шрифта \\frakturH Буквы готического шрифта \\frakturi Буквы готического шрифта \\frakturI Буквы готического шрифта \\frakturk Буквы готического шрифта \\frakturK Буквы готического шрифта \\frakturl Буквы готического шрифта \\frakturL Буквы готического шрифта \\frakturm Буквы готического шрифта \\frakturM Буквы готического шрифта \\frakturn Буквы готического шрифта \\frakturN Буквы готического шрифта \\frakturo Буквы готического шрифта \\frakturO Буквы готического шрифта \\frakturp Буквы готического шрифта \\frakturP Буквы готического шрифта \\frakturq Буквы готического шрифта \\frakturQ Буквы готического шрифта \\frakturr Буквы готического шрифта \\frakturR Буквы готического шрифта \\frakturs Буквы готического шрифта \\frakturS Буквы готического шрифта \\frakturt Буквы готического шрифта \\frakturT Буквы готического шрифта \\frakturu Буквы готического шрифта \\frakturU Буквы готического шрифта \\frakturv Буквы готического шрифта \\frakturV Буквы готического шрифта \\frakturw Буквы готического шрифта \\frakturW Буквы готического шрифта \\frakturx Буквы готического шрифта \\frakturX Буквы готического шрифта \\fraktury Буквы готического шрифта \\frakturY Буквы готического шрифта \\frakturz Буквы готического шрифта \\frakturZ Буквы готического шрифта \\frown Операторы отношений \\funcapply Бинарные операторы \\G Греческие буквы \\gamma Греческие буквы \\Gamma Греческие буквы \\ge Операторы отношений \\geq Операторы отношений \\gets Стрелки \\gg Операторы отношений \\gimel Буквы иврита \\grave Акценты \\hairsp Знаки пробела \\hat Акценты \\hbar Символы \\heartsuit Символы \\hookleftarrow Стрелки \\hookrightarrow Стрелки \\hphantom Стрелки \\hsmash Стрелки \\hvec Акценты \\identitymatrix Матрицы \\ii Дважды начерченные буквы \\iiint Интегралы \\iint Интегралы \\iiiint Интегралы \\Im Символы \\imath Символы \\in Операторы отношений \\inc Символы \\infty Символы \\int Интегралы \\integral Интегралы \\iota Греческие буквы \\Iota Греческие буквы \\itimes Математические операторы \\j Символы \\jj Дважды начерченные буквы \\jmath Символы \\kappa Греческие буквы \\Kappa Греческие буквы \\ket Разделители \\lambda Греческие буквы \\Lambda Греческие буквы \\langle Разделители \\lbbrack Разделители \\lbrace Разделители \\lbrack Разделители \\lceil Разделители \\ldiv Дробная черта \\ldivide Дробная черта \\ldots Точки \\le Операторы отношений \\left Разделители \\leftarrow Стрелки \\Leftarrow Стрелки \\leftharpoondown Стрелки \\leftharpoonup Стрелки \\leftrightarrow Стрелки \\Leftrightarrow Стрелки \\leq Операторы отношений \\lfloor Разделители \\lhvec Акценты \\limit Лимиты \\ll Операторы отношений \\lmoust Разделители \\Longleftarrow Стрелки \\Longleftrightarrow Стрелки \\Longrightarrow Стрелки \\lrhar Стрелки \\lvec Акценты \\mapsto Стрелки \\matrix Матрицы \\medsp Знаки пробела \\mid Операторы отношений \\middle Символы \\models Операторы отношений \\mp Бинарные операторы \\mu Греческие буквы \\Mu Греческие буквы \\nabla Символы \\naryand Операторы \\nbsp Знаки пробела \\ne Операторы отношений \\nearrow Стрелки \\neq Операторы отношений \\ni Операторы отношений \\norm Разделители \\notcontain Операторы отношений \\notelement Операторы отношений \\notin Операторы отношений \\nu Греческие буквы \\Nu Греческие буквы \\nwarrow Стрелки \\o Греческие буквы \\O Греческие буквы \\odot Бинарные операторы \\of Операторы \\oiiint Интегралы \\oiint Интегралы \\oint Интегралы \\omega Греческие буквы \\Omega Греческие буквы \\ominus Бинарные операторы \\open Разделители \\oplus Бинарные операторы \\otimes Бинарные операторы \\over Разделители \\overbar Акценты \\overbrace Акценты \\overbracket Акценты \\overline Акценты \\overparen Акценты \\overshell Акценты \\parallel Геометрические обозначения \\partial Символы \\pmatrix Матрицы \\perp Геометрические обозначения \\phantom Символы \\phi Греческие буквы \\Phi Греческие буквы \\pi Греческие буквы \\Pi Греческие буквы \\pm Бинарные операторы \\pppprime Штрихи \\ppprime Штрихи \\pprime Штрихи \\prec Операторы отношений \\preceq Операторы отношений \\prime Штрихи \\prod Математические операторы \\propto Операторы отношений \\psi Греческие буквы \\Psi Греческие буквы \\qdrt Квадратные корни и радикалы \\quadratic Квадратные корни и радикалы \\rangle Разделители \\Rangle Разделители \\ratio Операторы отношений \\rbrace Разделители \\rbrack Разделители \\Rbrack Разделители \\rceil Разделители \\rddots Точки \\Re Символы \\rect Символы \\rfloor Разделители \\rho Греческие буквы \\Rho Греческие буквы \\rhvec Акценты \\right Разделители \\rightarrow Стрелки \\Rightarrow Стрелки \\rightharpoondown Стрелки \\rightharpoonup Стрелки \\rmoust Разделители \\root Символы \\scripta Буквы рукописного шрифта \\scriptA Буквы рукописного шрифта \\scriptb Буквы рукописного шрифта \\scriptB Буквы рукописного шрифта \\scriptc Буквы рукописного шрифта \\scriptC Буквы рукописного шрифта \\scriptd Буквы рукописного шрифта \\scriptD Буквы рукописного шрифта \\scripte Буквы рукописного шрифта \\scriptE Буквы рукописного шрифта \\scriptf Буквы рукописного шрифта \\scriptF Буквы рукописного шрифта \\scriptg Буквы рукописного шрифта \\scriptG Буквы рукописного шрифта \\scripth Буквы рукописного шрифта \\scriptH Буквы рукописного шрифта \\scripti Буквы рукописного шрифта \\scriptI Буквы рукописного шрифта \\scriptk Буквы рукописного шрифта \\scriptK Буквы рукописного шрифта \\scriptl Буквы рукописного шрифта \\scriptL Буквы рукописного шрифта \\scriptm Буквы рукописного шрифта \\scriptM Буквы рукописного шрифта \\scriptn Буквы рукописного шрифта \\scriptN Буквы рукописного шрифта \\scripto Буквы рукописного шрифта \\scriptO Буквы рукописного шрифта \\scriptp Буквы рукописного шрифта \\scriptP Буквы рукописного шрифта \\scriptq Буквы рукописного шрифта \\scriptQ Буквы рукописного шрифта \\scriptr Буквы рукописного шрифта \\scriptR Буквы рукописного шрифта \\scripts Буквы рукописного шрифта \\scriptS Буквы рукописного шрифта \\scriptt Буквы рукописного шрифта \\scriptT Буквы рукописного шрифта \\scriptu Буквы рукописного шрифта \\scriptU Буквы рукописного шрифта \\scriptv Буквы рукописного шрифта \\scriptV Буквы рукописного шрифта \\scriptw Буквы рукописного шрифта \\scriptW Буквы рукописного шрифта \\scriptx Буквы рукописного шрифта \\scriptX Буквы рукописного шрифта \\scripty Буквы рукописного шрифта \\scriptY Буквы рукописного шрифта \\scriptz Буквы рукописного шрифта \\scriptZ Буквы рукописного шрифта \\sdiv Дробная черта \\sdivide Дробная черта \\searrow Стрелки \\setminus Бинарные операторы \\sigma Греческие буквы \\Sigma Греческие буквы \\sim Операторы отношений \\simeq Операторы отношений \\smash Стрелки \\smile Операторы отношений \\spadesuit Символы \\sqcap Бинарные операторы \\sqcup Бинарные операторы \\sqrt Квадратные корни и радикалы \\sqsubseteq Обозначения множеств \\sqsuperseteq Обозначения множеств \\star Бинарные операторы \\subset Обозначения множеств \\subseteq Обозначения множеств \\succ Операторы отношений \\succeq Операторы отношений \\sum Математические операторы \\superset Обозначения множеств \\superseteq Обозначения множеств \\swarrow Стрелки \\tau Греческие буквы \\Tau Греческие буквы \\therefore Операторы отношений \\theta Греческие буквы \\Theta Греческие буквы \\thicksp Знаки пробела \\thinsp Знаки пробела \\tilde Акценты \\times Бинарные операторы \\to Стрелки \\top Логические обозначения \\tvec Стрелки \\ubar Акценты \\Ubar Акценты \\underbar Акценты \\underbrace Акценты \\underbracket Акценты \\underline Акценты \\underparen Акценты \\uparrow Стрелки \\Uparrow Стрелки \\updownarrow Стрелки \\Updownarrow Стрелки \\uplus Бинарные операторы \\upsilon Греческие буквы \\Upsilon Греческие буквы \\varepsilon Греческие буквы \\varphi Греческие буквы \\varpi Греческие буквы \\varrho Греческие буквы \\varsigma Греческие буквы \\vartheta Греческие буквы \\vbar Разделители \\vdash Операторы отношений \\vdots Точки \\vec Акценты \\vee Бинарные операторы \\vert Разделители \\Vert Разделители \\Vmatrix Матрицы \\vphantom Стрелки \\vthicksp Знаки пробела \\wedge Бинарные операторы \\wp Символы \\wr Бинарные операторы \\xi Греческие буквы \\Xi Греческие буквы \\zeta Греческие буквы \\Zeta Греческие буквы \\zwnj Знаки пробела \\zwsp Знаки пробела ~= Операторы отношений -+ Бинарные операторы +- Бинарные операторы << Операторы отношений <= Операторы отношений -> Стрелки >= Операторы отношений >> Операторы отношений Распознанные функции На этой вкладке вы найдете список математических выражений, которые будут распознаваться редактором формул как функции и поэтому не будут автоматически выделены курсивом. Чтобы просмотреть список распознанных функций, перейдите на вкладку Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены -> Распознанные функции. Чтобы добавить запись в список распознаваемых функций, введите функцию в пустое поле и нажмите кнопку Добавить. Чтобы удалить запись из списка распознанных функций, выберите функцию, которую нужно удалить, и нажмите кнопку Удалить. Чтобы восстановить ранее удаленные записи, выберите в списке запись, которую нужно восстановить, и нажмите кнопку Восстановить. Чтобы восстановить настройки по умолчанию, нажмите кнопку Сбросить настройки. Любая добавленная вами функция будет удалена, а удаленные - восстановлены. Автоформат при вводе По умолчанию, редактор заменяет введенный в ячейку адрес в сети Интернет и другие сетевые пути на гиперссылку. Редактор также автоматически включает новые строки и столбцы в форматированную таблицу, когда вы вводите новые данные в строку под таблицей или в столбец рядом с ней. Если вам нужно отключить предустановки автоформатирования, снимите отметку с ненужных опций, для этого перейдите на вкладку Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены -> Автоформат при вводе." + "body": "Функции автозамены используются для автоматического форматирования текста при обнаружении или вставки специальных математических символов путем распознавания определенных символов. Доступные параметры автозамены перечислены в соответствующем диалоговом окне. Чтобы его открыть, перейдите на вкладку Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены. В диалоговом окне Автозамена содержит три вкладки: Автозамена математическими символами, Распознанные функции и Автоформат при вводе. Автозамена математическими символами При работе с уравнениями множество символов, диакритических знаков и знаков математических действий можно добавить путем ввода с клавиатуры, а не выбирая шаблон из коллекции. В редакторе уравнений установите курсор в нужном поле для ввода, введите специальный код и нажмите Пробел. Введенный код будет преобразован в соответствующий символ, а пробел будет удален. Примечание: коды чувствительны к регистру. Вы можете добавлять, изменять, восстанавливать и удалять записи автозамены из списка автозамены. Перейдите во вкладку Файл -> Дополнительные параметры -> Проверка орфографии ->Правописание -> Параметры автозамены -> Автозамена математическими символами. Чтобы добавить запись в список автозамены, Введите код автозамены, который хотите использовать, в поле Заменить. Введите символ, который будет присвоен введенному вами коду, в поле На. Щелкните на кнопку Добавить. Чтобы изменить запись в списке автозамены, Выберите запись, которую хотите изменить. Вы можете изменить информацию в полях Заменить для кода и На для символа. Щелкните на кнопку Добавить. Чтобы удалить запись из списка автозамены, Выберите запись, которую хотите удалить. Щелкните на кнопку Удалить. Чтобы восстановить ранее удаленные записи, выберите из списка запись, которую нужно восстановить, и нажмите кнопку Восстановить. Чтобы восстановить настройки по умолчанию, нажмите кнопку Сбросить настройки. Любая добавленная вами запись автозамены будет удалена, а измененные значения будут восстановлены до их исходных значений. Чтобы отключить автозамену математическими символами и избежать автоматических изменений и замен, снимите флажок Заменять текст при вводе. В таблице ниже приведены все поддерживаемые в настоящее время коды, доступные в Редакторе таблиц. Полный список поддерживаемых кодов также можно найти на вкладке Файл -> Дополнительные параметры -> Проверка орфографии ->Правописание -> Параметры автозамены -> Автозамена математическими символами. Поддерживаемые коды Код Символ Категория !! Символы ... Точки :: Операторы := Операторы /< Операторы отношения /> Операторы отношения /= Операторы отношения \\above Символы Above/Below \\acute Акценты \\aleph Буквы иврита \\alpha Греческие буквы \\Alpha Греческие буквы \\amalg Бинарные операторы \\angle Геометрические обозначения \\aoint Интегралы \\approx Операторы отношений \\asmash Стрелки \\ast Бинарные операторы \\asymp Операторы отношений \\atop Операторы \\bar Черта сверху/снизу \\Bar Акценты \\because Операторы отношений \\begin Разделители \\below Символы Above/Below \\bet Буквы иврита \\beta Греческие буквы \\Beta Греческие буквы \\beth Буквы иврита \\bigcap Крупные операторы \\bigcup Крупные операторы \\bigodot Крупные операторы \\bigoplus Крупные операторы \\bigotimes Крупные операторы \\bigsqcup Крупные операторы \\biguplus Крупные операторы \\bigvee Крупные операторы \\bigwedge Крупные операторы \\binomial Уравнения \\bot Логические обозначения \\bowtie Операторы отношений \\box Символы \\boxdot Бинарные операторы \\boxminus Бинарные операторы \\boxplus Бинарные операторы \\bra Разделители \\break Символы \\breve Акценты \\bullet Бинарные операторы \\cap Бинарные операторы \\cbrt Квадратные корни и радикалы \\cases Символы \\cdot Бинарные операторы \\cdots Точки \\check Акценты \\chi Греческие буквы \\Chi Греческие буквы \\circ Бинарные операторы \\close Разделители \\clubsuit Символы \\coint Интегралы \\cong Операторы отношений \\coprod Математические операторы \\cup Бинарные операторы \\dalet Буквы иврита \\daleth Буквы иврита \\dashv Операторы отношений \\dd Дважды начерченные буквы \\Dd Дважды начерченные буквы \\ddddot Акценты \\dddot Акценты \\ddot Акценты \\ddots Точки \\defeq Операторы отношений \\degc Символы \\degf Символы \\degree Символы \\delta Греческие буквы \\Delta Греческие буквы \\Deltaeq Операторы \\diamond Бинарные операторы \\diamondsuit Символы \\div Бинарные операторы \\dot Акценты \\doteq Операторы отношений \\dots Точки \\doublea Дважды начерченные буквы \\doubleA Дважды начерченные буквы \\doubleb Дважды начерченные буквы \\doubleB Дважды начерченные буквы \\doublec Дважды начерченные буквы \\doubleC Дважды начерченные буквы \\doubled Дважды начерченные буквы \\doubleD Дважды начерченные буквы \\doublee Дважды начерченные буквы \\doubleE Дважды начерченные буквы \\doublef Дважды начерченные буквы \\doubleF Дважды начерченные буквы \\doubleg Дважды начерченные буквы \\doubleG Дважды начерченные буквы \\doubleh Дважды начерченные буквы \\doubleH Дважды начерченные буквы \\doublei Дважды начерченные буквы \\doubleI Дважды начерченные буквы \\doublej Дважды начерченные буквы \\doubleJ Дважды начерченные буквы \\doublek Дважды начерченные буквы \\doubleK Дважды начерченные буквы \\doublel Дважды начерченные буквы \\doubleL Дважды начерченные буквы \\doublem Дважды начерченные буквы \\doubleM Дважды начерченные буквы \\doublen Дважды начерченные буквы \\doubleN Дважды начерченные буквы \\doubleo Дважды начерченные буквы \\doubleO Дважды начерченные буквы \\doublep Дважды начерченные буквы \\doubleP Дважды начерченные буквы \\doubleq Дважды начерченные буквы \\doubleQ Дважды начерченные буквы \\doubler Дважды начерченные буквы \\doubleR Дважды начерченные буквы \\doubles Дважды начерченные буквы \\doubleS Дважды начерченные буквы \\doublet Дважды начерченные буквы \\doubleT Дважды начерченные буквы \\doubleu Дважды начерченные буквы \\doubleU Дважды начерченные буквы \\doublev Дважды начерченные буквы \\doubleV Дважды начерченные буквы \\doublew Дважды начерченные буквы \\doubleW Дважды начерченные буквы \\doublex Дважды начерченные буквы \\doubleX Дважды начерченные буквы \\doubley Дважды начерченные буквы \\doubleY Дважды начерченные буквы \\doublez Дважды начерченные буквы \\doubleZ Дважды начерченные буквы \\downarrow Стрелки \\Downarrow Стрелки \\dsmash Стрелки \\ee Дважды начерченные буквы \\ell Символы \\emptyset Обозначения множествs \\emsp Знаки пробела \\end Разделители \\ensp Знаки пробела \\epsilon Греческие буквы \\Epsilon Греческие буквы \\eqarray Символы \\equiv Операторы отношений \\eta Греческие буквы \\Eta Греческие буквы \\exists Логические обозначенияs \\forall Логические обозначенияs \\fraktura Буквы готического шрифта \\frakturA Буквы готического шрифта \\frakturb Буквы готического шрифта \\frakturB Буквы готического шрифта \\frakturc Буквы готического шрифта \\frakturC Буквы готического шрифта \\frakturd Буквы готического шрифта \\frakturD Буквы готического шрифта \\frakture Буквы готического шрифта \\frakturE Буквы готического шрифта \\frakturf Буквы готического шрифта \\frakturF Буквы готического шрифта \\frakturg Буквы готического шрифта \\frakturG Буквы готического шрифта \\frakturh Буквы готического шрифта \\frakturH Буквы готического шрифта \\frakturi Буквы готического шрифта \\frakturI Буквы готического шрифта \\frakturk Буквы готического шрифта \\frakturK Буквы готического шрифта \\frakturl Буквы готического шрифта \\frakturL Буквы готического шрифта \\frakturm Буквы готического шрифта \\frakturM Буквы готического шрифта \\frakturn Буквы готического шрифта \\frakturN Буквы готического шрифта \\frakturo Буквы готического шрифта \\frakturO Буквы готического шрифта \\frakturp Буквы готического шрифта \\frakturP Буквы готического шрифта \\frakturq Буквы готического шрифта \\frakturQ Буквы готического шрифта \\frakturr Буквы готического шрифта \\frakturR Буквы готического шрифта \\frakturs Буквы готического шрифта \\frakturS Буквы готического шрифта \\frakturt Буквы готического шрифта \\frakturT Буквы готического шрифта \\frakturu Буквы готического шрифта \\frakturU Буквы готического шрифта \\frakturv Буквы готического шрифта \\frakturV Буквы готического шрифта \\frakturw Буквы готического шрифта \\frakturW Буквы готического шрифта \\frakturx Буквы готического шрифта \\frakturX Буквы готического шрифта \\fraktury Буквы готического шрифта \\frakturY Буквы готического шрифта \\frakturz Буквы готического шрифта \\frakturZ Буквы готического шрифта \\frown Операторы отношений \\funcapply Бинарные операторы \\G Греческие буквы \\gamma Греческие буквы \\Gamma Греческие буквы \\ge Операторы отношений \\geq Операторы отношений \\gets Стрелки \\gg Операторы отношений \\gimel Буквы иврита \\grave Акценты \\hairsp Знаки пробела \\hat Акценты \\hbar Символы \\heartsuit Символы \\hookleftarrow Стрелки \\hookrightarrow Стрелки \\hphantom Стрелки \\hsmash Стрелки \\hvec Акценты \\identitymatrix Матрицы \\ii Дважды начерченные буквы \\iiint Интегралы \\iint Интегралы \\iiiint Интегралы \\Im Символы \\imath Символы \\in Операторы отношений \\inc Символы \\infty Символы \\int Интегралы \\integral Интегралы \\iota Греческие буквы \\Iota Греческие буквы \\itimes Математические операторы \\j Символы \\jj Дважды начерченные буквы \\jmath Символы \\kappa Греческие буквы \\Kappa Греческие буквы \\ket Разделители \\lambda Греческие буквы \\Lambda Греческие буквы \\langle Разделители \\lbbrack Разделители \\lbrace Разделители \\lbrack Разделители \\lceil Разделители \\ldiv Дробная черта \\ldivide Дробная черта \\ldots Точки \\le Операторы отношений \\left Разделители \\leftarrow Стрелки \\Leftarrow Стрелки \\leftharpoondown Стрелки \\leftharpoonup Стрелки \\leftrightarrow Стрелки \\Leftrightarrow Стрелки \\leq Операторы отношений \\lfloor Разделители \\lhvec Акценты \\limit Лимиты \\ll Операторы отношений \\lmoust Разделители \\Longleftarrow Стрелки \\Longleftrightarrow Стрелки \\Longrightarrow Стрелки \\lrhar Стрелки \\lvec Акценты \\mapsto Стрелки \\matrix Матрицы \\medsp Знаки пробела \\mid Операторы отношений \\middle Символы \\models Операторы отношений \\mp Бинарные операторы \\mu Греческие буквы \\Mu Греческие буквы \\nabla Символы \\naryand Операторы \\nbsp Знаки пробела \\ne Операторы отношений \\nearrow Стрелки \\neq Операторы отношений \\ni Операторы отношений \\norm Разделители \\notcontain Операторы отношений \\notelement Операторы отношений \\notin Операторы отношений \\nu Греческие буквы \\Nu Греческие буквы \\nwarrow Стрелки \\o Греческие буквы \\O Греческие буквы \\odot Бинарные операторы \\of Операторы \\oiiint Интегралы \\oiint Интегралы \\oint Интегралы \\omega Греческие буквы \\Omega Греческие буквы \\ominus Бинарные операторы \\open Разделители \\oplus Бинарные операторы \\otimes Бинарные операторы \\over Разделители \\overbar Акценты \\overbrace Акценты \\overbracket Акценты \\overline Акценты \\overparen Акценты \\overshell Акценты \\parallel Геометрические обозначения \\partial Символы \\pmatrix Матрицы \\perp Геометрические обозначения \\phantom Символы \\phi Греческие буквы \\Phi Греческие буквы \\pi Греческие буквы \\Pi Греческие буквы \\pm Бинарные операторы \\pppprime Штрихи \\ppprime Штрихи \\pprime Штрихи \\prec Операторы отношений \\preceq Операторы отношений \\prime Штрихи \\prod Математические операторы \\propto Операторы отношений \\psi Греческие буквы \\Psi Греческие буквы \\qdrt Квадратные корни и радикалы \\quadratic Квадратные корни и радикалы \\rangle Разделители \\Rangle Разделители \\ratio Операторы отношений \\rbrace Разделители \\rbrack Разделители \\Rbrack Разделители \\rceil Разделители \\rddots Точки \\Re Символы \\rect Символы \\rfloor Разделители \\rho Греческие буквы \\Rho Греческие буквы \\rhvec Акценты \\right Разделители \\rightarrow Стрелки \\Rightarrow Стрелки \\rightharpoondown Стрелки \\rightharpoonup Стрелки \\rmoust Разделители \\root Символы \\scripta Буквы рукописного шрифта \\scriptA Буквы рукописного шрифта \\scriptb Буквы рукописного шрифта \\scriptB Буквы рукописного шрифта \\scriptc Буквы рукописного шрифта \\scriptC Буквы рукописного шрифта \\scriptd Буквы рукописного шрифта \\scriptD Буквы рукописного шрифта \\scripte Буквы рукописного шрифта \\scriptE Буквы рукописного шрифта \\scriptf Буквы рукописного шрифта \\scriptF Буквы рукописного шрифта \\scriptg Буквы рукописного шрифта \\scriptG Буквы рукописного шрифта \\scripth Буквы рукописного шрифта \\scriptH Буквы рукописного шрифта \\scripti Буквы рукописного шрифта \\scriptI Буквы рукописного шрифта \\scriptk Буквы рукописного шрифта \\scriptK Буквы рукописного шрифта \\scriptl Буквы рукописного шрифта \\scriptL Буквы рукописного шрифта \\scriptm Буквы рукописного шрифта \\scriptM Буквы рукописного шрифта \\scriptn Буквы рукописного шрифта \\scriptN Буквы рукописного шрифта \\scripto Буквы рукописного шрифта \\scriptO Буквы рукописного шрифта \\scriptp Буквы рукописного шрифта \\scriptP Буквы рукописного шрифта \\scriptq Буквы рукописного шрифта \\scriptQ Буквы рукописного шрифта \\scriptr Буквы рукописного шрифта \\scriptR Буквы рукописного шрифта \\scripts Буквы рукописного шрифта \\scriptS Буквы рукописного шрифта \\scriptt Буквы рукописного шрифта \\scriptT Буквы рукописного шрифта \\scriptu Буквы рукописного шрифта \\scriptU Буквы рукописного шрифта \\scriptv Буквы рукописного шрифта \\scriptV Буквы рукописного шрифта \\scriptw Буквы рукописного шрифта \\scriptW Буквы рукописного шрифта \\scriptx Буквы рукописного шрифта \\scriptX Буквы рукописного шрифта \\scripty Буквы рукописного шрифта \\scriptY Буквы рукописного шрифта \\scriptz Буквы рукописного шрифта \\scriptZ Буквы рукописного шрифта \\sdiv Дробная черта \\sdivide Дробная черта \\searrow Стрелки \\setminus Бинарные операторы \\sigma Греческие буквы \\Sigma Греческие буквы \\sim Операторы отношений \\simeq Операторы отношений \\smash Стрелки \\smile Операторы отношений \\spadesuit Символы \\sqcap Бинарные операторы \\sqcup Бинарные операторы \\sqrt Квадратные корни и радикалы \\sqsubseteq Обозначения множеств \\sqsuperseteq Обозначения множеств \\star Бинарные операторы \\subset Обозначения множеств \\subseteq Обозначения множеств \\succ Операторы отношений \\succeq Операторы отношений \\sum Математические операторы \\superset Обозначения множеств \\superseteq Обозначения множеств \\swarrow Стрелки \\tau Греческие буквы \\Tau Греческие буквы \\therefore Операторы отношений \\theta Греческие буквы \\Theta Греческие буквы \\thicksp Знаки пробела \\thinsp Знаки пробела \\tilde Акценты \\times Бинарные операторы \\to Стрелки \\top Логические обозначения \\tvec Стрелки \\ubar Акценты \\Ubar Акценты \\underbar Акценты \\underbrace Акценты \\underbracket Акценты \\underline Акценты \\underparen Акценты \\uparrow Стрелки \\Uparrow Стрелки \\updownarrow Стрелки \\Updownarrow Стрелки \\uplus Бинарные операторы \\upsilon Греческие буквы \\Upsilon Греческие буквы \\varepsilon Греческие буквы \\varphi Греческие буквы \\varpi Греческие буквы \\varrho Греческие буквы \\varsigma Греческие буквы \\vartheta Греческие буквы \\vbar Разделители \\vdash Операторы отношений \\vdots Точки \\vec Акценты \\vee Бинарные операторы \\vert Разделители \\Vert Разделители \\Vmatrix Матрицы \\vphantom Стрелки \\vthicksp Знаки пробела \\wedge Бинарные операторы \\wp Символы \\wr Бинарные операторы \\xi Греческие буквы \\Xi Греческие буквы \\zeta Греческие буквы \\Zeta Греческие буквы \\zwnj Знаки пробела \\zwsp Знаки пробела ~= Операторы отношений -+ Бинарные операторы +- Бинарные операторы << Операторы отношений <= Операторы отношений -> Стрелки >= Операторы отношений >> Операторы отношений Распознанные функции На этой вкладке вы найдете список математических выражений, которые будут распознаваться редактором формул как функции и поэтому не будут автоматически выделены курсивом. Чтобы просмотреть список распознанных функций, перейдите на вкладку Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены -> Распознанные функции. Чтобы добавить запись в список распознаваемых функций, введите функцию в пустое поле и нажмите кнопку Добавить. Чтобы удалить запись из списка распознанных функций, выберите функцию, которую нужно удалить, и нажмите кнопку Удалить. Чтобы восстановить ранее удаленные записи, выберите в списке запись, которую нужно восстановить, и нажмите кнопку Восстановить. Чтобы восстановить настройки по умолчанию, нажмите кнопку Сбросить настройки. Любая добавленная вами функция будет удалена, а удаленные - восстановлены. Автоформат при вводе По умолчанию, редактор заменяет введенный в ячейку адрес в сети Интернет и другие сетевые пути на гиперссылку. Редактор также автоматически включает новые строки и столбцы в форматированную таблицу, когда вы вводите новые данные в строку под таблицей или в столбец рядом с ней. Если вам нужно отключить предустановки автоформатирования, снимите отметку с ненужных опций, для этого перейдите на вкладку Файл -> Дополнительные параметры -> Проверка орфографии -> Правописание -> Параметры автозамены -> Автоформат при вводе." }, { "id": "UsageInstructions/MergeCells.htm", @@ -2548,7 +2563,7 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Создание новой электронной таблицы или открытие существующей", - "body": "Чтобы создать новую таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. В десктопном редакторе в главном окне программы выберите пункт меню Таблица в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке, после внесения в таблицу необходимых изменений нажмите на значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как. в окне проводника выберите местоположение файла на жестком диске, задайте название таблицы, выберите формат сохранения (XLSX, Шаблон таблицы (XLTX), ODS, OTS, CSV, PDF или PDFA) и нажмите кнопку Сохранить. Чтобы открыть существующую таблицу В десктопном редакторе в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели, выберите нужную таблицу в окне проводника и нажмите кнопку Открыть. Можно также щелкнуть правой кнопкой мыши по нужному файлу в окне проводника, выбрать опцию Открыть с помощью и затем выбрать в меню нужное приложение. Если файлы офисных документов ассоциированы с приложением, электронные таблицы также можно открывать двойным щелчком мыши по названию файла в окне проводника. Все каталоги, к которым вы получали доступ с помощью десктопного редактора, будут отображены в разделе Открыть локальный файл в списке Последние папки, чтобы в дальнейшем вы могли быстро их открыть. Щелкните по нужной папке, чтобы выбрать один из находящихся в ней файлов. Чтобы открыть недавно отредактированную таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц. В десктопном редакторе в главном окне программы выберите пункт меню Последние файлы на левой боковой панели, выберите нужную электронную таблицу из списка недавно измененных документов. Чтобы открыть папку, в которой сохранен файл, в новой вкладке браузера в онлайн-версии, в окне проводника в десктопной версии, нажмите на значок Открыть расположение файла в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Открыть расположение файла." + "body": "В редакторе таблиц вы можете открыть электронную таблицу, которую вы недавно редактировали, переименовать её, создать новую или вернуться к списку существующих электронных таблиц. Чтобы создать новую таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Создать новую. В десктопном редакторе в главном окне программы выберите пункт меню Таблица в разделе Создать на левой боковой панели - новый файл откроется в новой вкладке, после внесения в таблицу необходимых изменений нажмите на значок Сохранить в левом верхнем углу или откройте вкладку Файл и выберите пункт меню Сохранить как. в окне проводника выберите местоположение файла на жестком диске, задайте название таблицы, выберите формат сохранения (XLSX, Шаблон таблицы (XLTX), ODS, OTS, CSV, PDF или PDFA) и нажмите кнопку Сохранить. Чтобы открыть существующую таблицу В десктопном редакторе в главном окне программы выберите пункт меню Открыть локальный файл на левой боковой панели, выберите нужную таблицу в окне проводника и нажмите кнопку Открыть. Можно также щелкнуть правой кнопкой мыши по нужному файлу в окне проводника, выбрать опцию Открыть с помощью и затем выбрать в меню нужное приложение. Если файлы офисных документов ассоциированы с приложением, электронные таблицы также можно открывать двойным щелчком мыши по названию файла в окне проводника. Все каталоги, к которым вы получали доступ с помощью десктопного редактора, будут отображены в разделе Открыть локальный файл в списке Последние папки, чтобы в дальнейшем вы могли быстро их открыть. Щелкните по нужной папке, чтобы выбрать один из находящихся в ней файлов. Чтобы открыть недавно отредактированную таблицу В онлайн-редакторе нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Открыть последние, выберите нужную электронную таблицу из списка недавно отредактированных электронных таблиц. В десктопном редакторе в главном окне программы выберите пункт меню Последние файлы на левой боковой панели, выберите нужную электронную таблицу из списка недавно измененных документов. Чтобы переименовать открытую таблицу В онлайн-редакторе щелкните по имени таблицы наверху страницы, введите новое имя таблицы, нажмите Enter, чтобы принять изменения. Чтобы открыть папку, в которой сохранен файл, в новой вкладке браузера в онлайн-версии, в окне проводника в десктопной версии, нажмите на значок Открыть расположение файла в правой части шапки редактора. Можно также перейти на вкладку Файл на верхней панели инструментов и выбрать опцию Открыть расположение файла." }, { "id": "UsageInstructions/Password.htm", @@ -2558,7 +2573,7 @@ var indexes = { "id": "UsageInstructions/PivotTables.htm", "title": "Создание и редактирование сводных таблиц", - "body": "Сводные таблицы позволяют группировать и систематизировать данные из больших наборов данных для получения сводной информации. Вы можете упорядочивать данные множеством разных способов, чтобы отображать только нужную информацию и сфокусироваться на важных аспектах. Создание новой сводной таблицы Для создания сводной таблицы: Подготовьте исходный набор данных, который требуется использовать для создания сводной таблицы. Он должен включать заголовки столбцов. Набор данных не должен содержать пустых строк или столбцов. Выделите любую ячейку в исходном диапазоне данных. Перейдите на вкладку Сводная таблица верхней панели инструментов и нажмите на кнопку Вставить таблицу . Если вы хотите создать сводную таблицу на базе форматированной таблицы, также можно использовать опцию Вставить сводную таблицу на вкладке Параметры таблицы правой боковой панели. Откроется окно Создать сводную таблицу. Диапазон исходных данных уже указан. В этом случае будут использоваться все данные из исходного диапазона. Если вы хотите изменить диапазон данных (например, включить только часть исходных данных), нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Вы также можете выделить нужный диапазон данных на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Укажите, где требуется разместить сводную таблицу. Опция Новый лист выбрана по умолчанию. Она позволяет разместить сводную таблицу на новом рабочем листе. Также можно выбрать опцию Существующий лист и затем выбрать определенную ячейку. В этом случае выбранная ячейка будет правой верхней ячейкой созданной сводной таблицы. Чтобы выбрать ячейку, нажмите на кнопку . В окне Выбор диапазона данных введите адрес ячейки в формате Лист1!$G$2. Также можно щелкнуть по нужной ячейке на листе. Когда все будет готово, нажмите кнопку OK. Когда местоположение таблицы будет выбрано, нажмите кнопку OK в окне Создать таблицу. Пустая сводная таблица будет вставлена в выбранном местоположении. Откроется вкладка Параметры сводной таблицы на правой боковой панели. Эту вкладку можно скрыть или показать, нажав на значок . Выбор полей для отображения Раздел Выбрать поля содержит названия полей, соответствующие заголовкам столбцов в исходном наборе данных. Каждое поле содержит значения из соответствующего столбца исходной таблицы. Ниже доступны следующие четыре поля: Фильтры, Столбцы, Строки и Значения. Отметьте галочками поля, которые требуется отобразить в сводной таблице. Когда вы отметите поле, оно будет добавлено в один из доступных разделов на правой боковой панели в зависимости от типа данных и будет отображено в сводной таблице. Поля, содержащие текстовые значения, будут добавлены в раздел Строки; поля, содержащие числовые значения, будут добавлены в раздел Значения. Вы можете просто перетаскивать поля в нужный раздел, а также перетаскивать поля между разделами, чтобы быстро перестроить сводную таблицу. Чтобы удалить поле из текущего раздела, перетащите его за пределы этого раздела. Чтобы добавить поле в нужный раздел, также можно нажать на черную стрелку справа от поля в разделе Выбрать поля и выбрать нужную опцию из меню: Добавить в фильтры, Добавить в строки, Добавить в столбцы, Добавить в значения. Ниже приводятся примеры использования разделов Фильтры, Столбцы, Строки и Значения. При добавлении поля в раздел Фильтры над сводной таблицей будет добавлен отдельный фильтр. Он будет применен ко всей сводной таблице. Если нажать на кнопку со стрелкой в добавленном фильтре, вы увидите значения из выбранного поля. Если снять галочки с некоторых значений в окне фильтра и нажать кнопку OK, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение. Группировка и разгруппировка данных Данные в сводных таблицах можно сгруппировать в соответствии с индивидуальными требованиями. Группировка может быть выполнена по датам и основным числам. Группировка дат Чтобы сгруппировать даты, создайте сводную таблицу, содержащую необходимые даты. Щелкните правой кнопкой мыши по любой ячейке в сводной таблице с датой, в контекстном меню выберите параметр Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается первая дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать начальную точку. Заканчивая в - по умолчанию выбирается последняя дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать конечную точку. По - параметры Секунды, Минуты и Часы группируют данные в соответствии со временем, указанным в исходных данных. Параметр Месяцы исключает дни и оставляет только месяцы. Опция Кварталы работает при следующем условии: четыре месяца составляют квартал Кв1, Кв2 и т.д. опция Годы группирует даты по годам, указанным в исходных данных. Комбинируйте варианты, чтобы добиться желаемого результата. Количество дней - устанавливает необходимое значение для определения диапазона дат. По завершении нажмите ОК. Группировка чисел Чтобы сгруппировать числа, создайте сводную таблицу, включающую набор необходимых чисел. Щелкните правой кнопкой мыши любую ячейку в сводной таблице с номером, в контекстном меню выберите опцию Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается наименьшее число в исходных данных. Чтобы изменить его, введите в это поле нужное число. Отключите это поле, чтобы игнорировать наименьшее число. Заканчивая в - по умолчанию выбирается наибольшее число в исходных данных. Чтобы изменить его, введите в это поле нужный номер. Отключите это поле, чтобы игнорировать наибольшее число. По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д. По завершении нажмите ОК. Газгруппировка данных Чтобы разгруппировать ранее сгруппированные данные, щелкните правой кнопкой мыши любую ячейку в группе, выберите опцию Разгруппировать в контекстном меню. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой.. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация, сортировка и создание срезов в сводных таблицах Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В правой части окна фильтра можно выбрать команду Фильтр подписей или Фильтр значений, а затем выбрать одну из опций в подменю: Для Фильтра подписей доступны следующие опции: Для текстовых значений: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит.... Для числовых значений: Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между. Для Фильтра значений доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между, Первые 10. После выбора одной из вышеуказанных опций (кроме опций Первые 10), откроется окно Фильтра подписей/Значений. В первом и втором выпадающих списках будут выбраны соответствующее поле и критерий. Введите нужное значение в поле справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен. Сортировка Данные сводной таблицы можно сортировать, используя параметры сортировки. Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы и выберите опцию Сортировка по возрастанию или Сортировка по убыванию в подменю. Опция Дополнительные параметры сортировки... позволяет открыть окно Сортировать, в котором можно выбрать нужный порядок сортировки - По возрастанию (от А до Я) или По убыванию (от Я до А) - а затем выбрать определенное поле, которое требуется отсортировать. Создание срезов Чтобы упростить фильтрацию данных и отображать только то, что необходимо, вы можете добавить срезы. Чтобы узнать больше о срезах, пожалуйста, обратитесь к руководству по созданию срезов. Изменение дополнительных параметров сводной таблицы Чтобы изменить дополнительные параметры сводной таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Сводная таблица - Дополнительные параметры': На вкладке Название и макет можно изменить общие свойства сводной таблицы. С помощью опции Название можно изменить название сводной таблицы. В разделе Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице. Опции Показывать для строк и Показывать для столбцов отмечены по умолчанию. Вы можете снять галочку или с одной из них, или с них обеих, чтобы скрыть соответствующие общие итоги из сводной таблицы. Примечание: аналогичные настройки также доступны на верхней панели инструментов в меню Общие итоги. В разделе Отображать поля в области фильтра отчета можно настроить фильтры отчета, которые появляются при добавлении полей в раздел Фильтры: Опция Вниз, затем вправо используется для организации столбцов. Она позволяет отображать фильтры отчета по столбцам. Опция Вправо, затем вниз используется для организации строк. Она позволяет отображать фильтры отчета по строкам. Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение. В разделе Заголовки полей можно выбрать, надо ли отображать заголовки полей в сводной таблице. Опция Показывать заголовки полей для строк и столбцов выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы. На вкладке Источник данных можно изменить данные, которые требуется использовать для создания сводной таблицы. Проверьте выбранный Диапазон данных и измените его в случае необходимости. Для этого нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на рабочем листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит сводная таблица. Удаление сводной таблицы Для удаления сводной таблицы: Выделите всю сводную таблицу с помощью кнопки Выделить на верхней панели инструментов. Нажмите клавишу Delete." + "body": "Сводные таблицы позволяют группировать и систематизировать данные из больших наборов данных для получения сводной информации. Вы можете упорядочивать данные множеством разных способов, чтобы отображать только нужную информацию и сфокусироваться на важных аспектах. Создание новой сводной таблицы Для создания сводной таблицы: Подготовьте исходный набор данных, который требуется использовать для создания сводной таблицы. Он должен включать заголовки столбцов. Набор данных не должен содержать пустых строк или столбцов. Выделите любую ячейку в исходном диапазоне данных. Перейдите на вкладку Сводная таблица верхней панели инструментов и нажмите на кнопку Вставить таблицу . Если вы хотите создать сводную таблицу на базе форматированной таблицы, также можно использовать опцию Вставить сводную таблицу на вкладке Параметры таблицы правой боковой панели. Откроется окно Создать сводную таблицу. Диапазон исходных данных уже указан. В этом случае будут использоваться все данные из исходного диапазона. Если вы хотите изменить диапазон данных (например, включить только часть исходных данных), нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Вы также можете выделить нужный диапазон данных на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Укажите, где требуется разместить сводную таблицу. Опция Новый лист выбрана по умолчанию. Она позволяет разместить сводную таблицу на новом рабочем листе. Также можно выбрать опцию Существующий лист и затем выбрать определенную ячейку. В этом случае выбранная ячейка будет правой верхней ячейкой созданной сводной таблицы. Чтобы выбрать ячейку, нажмите на кнопку . В окне Выбор диапазона данных введите адрес ячейки в формате Лист1!$G$2. Также можно щелкнуть по нужной ячейке на листе. Когда все будет готово, нажмите кнопку OK. Когда местоположение таблицы будет выбрано, нажмите кнопку OK в окне Создать таблицу. Пустая сводная таблица будет вставлена в выбранном местоположении. Откроется вкладка Параметры сводной таблицы на правой боковой панели. Эту вкладку можно скрыть или показать, нажав на значок . Выбор полей для отображения Раздел Выбрать поля содержит названия полей, соответствующие заголовкам столбцов в исходном наборе данных. Каждое поле содержит значения из соответствующего столбца исходной таблицы. Ниже доступны следующие четыре поля: Фильтры, Столбцы, Строки и Значения. Отметьте галочками поля, которые требуется отобразить в сводной таблице. Когда вы отметите поле, оно будет добавлено в один из доступных разделов на правой боковой панели в зависимости от типа данных и будет отображено в сводной таблице. Поля, содержащие текстовые значения, будут добавлены в раздел Строки; поля, содержащие числовые значения, будут добавлены в раздел Значения. Вы можете просто перетаскивать поля в нужный раздел, а также перетаскивать поля между разделами, чтобы быстро перестроить сводную таблицу. Чтобы удалить поле из текущего раздела, перетащите его за пределы этого раздела. Чтобы добавить поле в нужный раздел, также можно нажать на черную стрелку справа от поля в разделе Выбрать поля и выбрать нужную опцию из меню: Добавить в фильтры, Добавить в строки, Добавить в столбцы, Добавить в значения. Ниже приводятся примеры использования разделов Фильтры, Столбцы, Строки и Значения. При добавлении поля в раздел Фильтры над сводной таблицей будет добавлен отдельный фильтр. Он будет применен ко всей сводной таблице. Если нажать на кнопку со стрелкой в добавленном фильтре, вы увидите значения из выбранного поля. Если снять галочки с некоторых значений в окне фильтра и нажать кнопку OK, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение. Группировка и разгруппировка данных Данные в сводных таблицах можно сгруппировать в соответствии с индивидуальными требованиями. Группировка может быть выполнена по датам и основным числам. Группировка дат Чтобы сгруппировать даты, создайте сводную таблицу, содержащую необходимые даты. Щелкните правой кнопкой мыши по любой ячейке в сводной таблице с датой, в контекстном меню выберите параметр Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается первая дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать начальную точку. Заканчивая в - по умолчанию выбирается последняя дата в исходных данных. Чтобы ее изменить, введите в это поле нужную дату. Отключите это поле, чтобы игнорировать конечную точку. По - параметры Секунды, Минуты и Часы группируют данные в соответствии со временем, указанным в исходных данных. Параметр Месяцы исключает дни и оставляет только месяцы. Опция Кварталы работает при следующем условии: четыре месяца составляют квартал Кв1, Кв2 и т.д. опция Годы группирует даты по годам, указанным в исходных данных. Комбинируйте варианты, чтобы добиться желаемого результата. Количество дней - устанавливает необходимое значение для определения диапазона дат. По завершении нажмите ОК. Группировка чисел Чтобы сгруппировать числа, создайте сводную таблицу, включающую набор необходимых чисел. Щелкните правой кнопкой мыши любую ячейку в сводной таблице с номером, в контекстном меню выберите опцию Сгруппировать и установите необходимые параметры в открывшемся окне. Начиная с - по умолчанию выбирается наименьшее число в исходных данных. Чтобы изменить его, введите в это поле нужное число. Отключите это поле, чтобы игнорировать наименьшее число. Заканчивая в - по умолчанию выбирается наибольшее число в исходных данных. Чтобы изменить его, введите в это поле нужный номер. Отключите это поле, чтобы игнорировать наибольшее число. По - установить необходимый интервал для группировки номеров. Например, «2» сгруппирует набор чисел от 1 до 10 как и «1-2», «3-4» и т.д. По завершении нажмите ОК. Разгруппировка данных Чтобы разгруппировать ранее сгруппированные данные, щелкните правой кнопкой мыши любую ячейку в группе, выберите опцию Разгруппировать в контекстном меню. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация, сортировка и создание срезов в сводных таблицах Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В правой части окна фильтра можно выбрать команду Фильтр подписей или Фильтр значений, а затем выбрать одну из опций в подменю: Для Фильтра подписей доступны следующие опции: Для текстовых значений: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит.... Для числовых значений: Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между. Для Фильтра значений доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между, Первые 10. После выбора одной из вышеуказанных опций (кроме опций Первые 10), откроется окно Фильтра подписей/Значений. В первом и втором выпадающих списках будут выбраны соответствующее поле и критерий. Введите нужное значение в поле справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен. Сортировка Данные сводной таблицы можно сортировать, используя параметры сортировки. Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы и выберите опцию Сортировка по возрастанию или Сортировка по убыванию в подменю. Опция Дополнительные параметры сортировки... позволяет открыть окно Сортировать, в котором можно выбрать нужный порядок сортировки - По возрастанию (от А до Я) или По убыванию (от Я до А) - а затем выбрать определенное поле, которое требуется отсортировать. Создание срезов Чтобы упростить фильтрацию данных и отображать только то, что необходимо, вы можете добавить срезы. Чтобы узнать больше о срезах, пожалуйста, обратитесь к руководству по созданию срезов. Изменение дополнительных параметров сводной таблицы Чтобы изменить дополнительные параметры сводной таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Сводная таблица - Дополнительные параметры': На вкладке Название и макет можно изменить общие свойства сводной таблицы. С помощью опции Название можно изменить название сводной таблицы. В разделе Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице. Опции Показывать для строк и Показывать для столбцов отмечены по умолчанию. Вы можете снять галочку или с одной из них, или с них обеих, чтобы скрыть соответствующие общие итоги из сводной таблицы. Примечание: аналогичные настройки также доступны на верхней панели инструментов в меню Общие итоги. В разделе Отображать поля в области фильтра отчета можно настроить фильтры отчета, которые появляются при добавлении полей в раздел Фильтры: Опция Вниз, затем вправо используется для организации столбцов. Она позволяет отображать фильтры отчета по столбцам. Опция Вправо, затем вниз используется для организации строк. Она позволяет отображать фильтры отчета по строкам. Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение. Опция Показывать заголовки полей для строк и столбцов позволяет выбрать, надо ли отображать заголовки полей в сводной таблице. Эта опция выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы. Опция Автоматически изменять ширину столбцов при обновлении позволяет включить/отключить автоматическую корректировку ширины столбцов. Эта опция выбрана по умолчанию. На вкладке Источник данных можно изменить данные, которые требуется использовать для создания сводной таблицы. Проверьте выбранный Диапазон данных и измените его в случае необходимости. Для этого нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на рабочем листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит сводная таблица. Удаление сводной таблицы Для удаления сводной таблицы: Выделите всю сводную таблицу с помощью кнопки Выделить на верхней панели инструментов. Нажмите клавишу Delete." }, { "id": "UsageInstructions/ProtectSheet.htm", @@ -2568,7 +2583,7 @@ var indexes = { "id": "UsageInstructions/ProtectSpreadsheet.htm", "title": "Защита электронной таблицы", - "body": "Редактор электронных таблиц предоставляет возможность защитить электронную таблицу, когда вы хотите ограничить доступ или возможности редактирования для других пользователей. Редактор электронных таблиц предлагает различные уровни защиты для управления доступом к файлу и возможностями редактирования внутри книги и листах. Используйте вкладку Защита чтобы настраивать доступные параметры защиты по своему усмотрению. Доступные варианты защиты: Шифрование - для управления доступом к файлу и предотвращения его открытия другими пользователями. Защита книги - для контроля над действиями пользователей с книгой и предотвращения нежелательных изменений в структуре книги. Защита листа - для контроля над действиями пользователей в листе и предотвращения нежелательных изменений данных. Разрешение редактировать диапазоны - для указания диапазона ячеек, с которыми пользователь может работать на защищенном листе. Использование флажков на вкладке Защита для быстрой блокировки или разблокировки содержимого защищенного листа. Примечание: эти опции не вступят в силу, пока вы не включите защиту листа. Ячейки, фигуры и текст внутри фигуры заблокированы на листе по умолчанию. Снимите соответствующий флажок, чтобы разблокировать их. Разблокированные объекты по-прежнему можно редактировать, когда лист защищен. Параметры Заблокированная фигура и Заблокировать текст становятся активными при выборе фигуры. Параметр Заблокированная фигура применяется как к фигурам, так и к другим объектам, таким как диаграммы, изображения и текстовые поля. Параметр Заблокировать текст блокирует текст внутри всех графических объектов, кроме диаграмм. Установите флажок напротив параметра Скрытые формулы, чтобы скрыть формулы в выбранном диапазоне или ячейке, когда лист защищен. Скрытая формула не будет отображаться в строке формул при нажатии на ячейку." + "body": "Редактор электронных таблиц предоставляет возможность защитить электронную таблицу, когда вы хотите ограничить доступ или возможности редактирования для других пользователей. Редактор электронных таблиц предлагает различные уровни защиты для управления доступом к файлу и возможностями редактирования внутри книги и листах. Используйте вкладку Защита, чтобы настраивать доступные параметры защиты по своему усмотрению. Доступные варианты защиты: Шифрование - для управления доступом к файлу и предотвращения его открытия другими пользователями. Защита книги - для контроля над действиями пользователей с книгой и предотвращения нежелательных изменений в структуре книги. Защита листа - для контроля над действиями пользователей в листе и предотвращения нежелательных изменений данных. Разрешение редактировать диапазоны - для указания диапазона ячеек, с которыми пользователь может работать на защищенном листе. Использование флажков на вкладке Защита для быстрой блокировки или разблокировки содержимого защищенного листа. Примечание: эти опции не вступят в силу, пока вы не включите защиту листа. Ячейки, фигуры и текст внутри фигуры заблокированы на листе по умолчанию. Снимите соответствующий флажок, чтобы разблокировать их. Разблокированные объекты по-прежнему можно редактировать, когда лист защищен. Параметры Заблокированная фигура и Заблокировать текст становятся активными при выборе фигуры. Параметр Заблокированная фигура применяется как к фигурам, так и к другим объектам, таким как диаграммы, изображения и текстовые поля. Параметр Заблокировать текст блокирует текст внутри всех графических объектов, кроме диаграмм. Установите флажок напротив параметра Скрытые формулы, чтобы скрыть формулы в выбранном диапазоне или ячейке, когда лист защищен. Скрытая формула не будет отображаться в строке формул при нажатии на ячейку." }, { "id": "UsageInstructions/ProtectWorkbook.htm", @@ -2583,7 +2598,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Сохранение / печать / скачивание таблицы", - "body": "Сохранение По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую электронную таблицу вручную в текущем формате и местоположении, щелкните по значку Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить электронную таблицу под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDF/A. Также можно выбрать вариант Шаблон таблицы XLTX или OTS. Скачивание Чтобы в онлайн-версии скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя). Сохранение копии Чтобы в онлайн-версии сохранить копию электронной таблицы на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как..., выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую электронную таблицу: щелкните по значку Печать в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать таблицы без предварительной загрузки в виде файла .pdf. Откроется окно Предпросмотра, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры. Параметры печати можно также настроить на странице Дополнительные параметры...: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры... >> Параметры страницы. На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация, Размер страницы, Область печати, Вписать. Здесь можно задать следующие параметры: Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделенный фрагмент), Если вы ранее задали постоянную область печати, но хотите напечатать весь лист, поставьте галочку рядом с опцией Игнорировать область печати. Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы, Размер страницы - выберите из выпадающего списка один из доступных размеров, Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально, Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, При выборе пункта меню Настраиваемые параметры откроется окно Настройки масштаба: Разместить не более чем на: позволяет выбрать нужное количество страниц, на котором должен разместиться напечатанный рабочий лист. Выберите нужное количество страниц из списков Ширина и Высота. Установить: позволяет увеличить или уменьшить масштаб рабочего листа, чтобы он поместился на напечатанных страницах, указав вручную значение в процентах от обычного размера. Печатать заголовки - если вы хотите печатать заголовки строк или столбцов на каждой странице, используйте опцию Повторять строки сверху или Повторять столбцы слева и выберите одну из доступных опций из выпадающего списка: повторять элементы из выбранного диапазона, повторять закрепленные строки, повторять только первую строку/первый столбец. Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа, Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов. Параметры верхнего и нижнего колонтитулов - позволяет добавить некоторую дополнительную информацию к печатному листу, такую как дата и время, номер страницы, имя листа и т.д. Верхние и нижние колонтитулы будут отображаться в печатной версии электронной таблицы. После настройки параметров печати нажмите кнопку Печать, чтобы сохранить изменения и распечатать электронную таблицу, или кнопку Сохранить, чтобы сохранить изменения, внесенные в параметры печати. В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати. Настройка области печати Если требуется распечатать только выделенный диапазон ячеек вместо всего листа, можно использовать настройку Выделенный фрагмент в выпадающем списке Диапазон печати. Эта настройка не сохраняется при сохранении рабочей книги и подходит для однократного использования. Если какой-то диапазон ячеек требуется распечатывать неоднократно, можно задать постоянную область печати на рабочем листе. Область печати будет сохранена при сохранении рабочей книги и может использоваться при последующем открытии электронной таблицы. Можно также задать несколько постоянных областей печати на листе, в этом случае каждая из них будет выводиться на печать на отдельной странице. Чтобы задать область печати: выделите нужный диапазон ячеек на рабочем листе. Чтобы выделить несколько диапазонов, удерживайте клавишу Ctrl, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Задать область печати. Созданная область печати сохраняется при сохранении рабочей книги. При последующем открытии файла на печать будет выводиться заданная область печати. При создании области печати также автоматически создается именованный диапазон Область_печати, отображаемый в Диспетчере имен. Чтобы выделить границы всех областей печати на текущем рабочем листе, можно нажать на стрелку в поле \"Имя\" слева от строки формул и выбрать из списка имен Область_печати. Чтобы добавить ячейки в область печати: откройте нужный рабочий лист, на котором добавлена область печати, выделите нужный диапазон ячеек на рабочем листе, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Добавить в область печати. Будет добавлена новая область печати. Каждая из областей печати будет выводиться на печать на отдельной странице. Чтобы удалить область печати: откройте нужный рабочий лист, на котором добавлена область печати, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Очистить область печати. Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист." + "body": "Сохранение По умолчанию онлайн-редактор электронных таблиц автоматически сохраняет файл каждые 2 секунды, когда вы работаете над ним, чтобы не допустить потери данных в случае непредвиденного закрытия программы. Если вы совместно редактируете файл в Быстром режиме, таймер запрашивает наличие изменений 25 раз в секунду и сохраняет их, если они были внесены. При совместном редактировании файла в Строгом режиме изменения автоматически сохраняются каждые 10 минут. При необходимости можно легко выбрать предпочтительный режим совместного редактирования или отключить функцию автоматического сохранения на странице Дополнительные параметры. Чтобы сохранить текущую электронную таблицу вручную в текущем формате и местоположении, щелкните по значку Сохранить в левой части шапки редактора, или используйте сочетание клавиш Ctrl+S, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сохранить. Чтобы не допустить потери данных в десктопной версии в случае непредвиденного закрытия программы, вы можете включить опцию Автовосстановление на странице Дополнительные параметры. Чтобы в десктопной версии сохранить электронную таблицу под другим именем, в другом местоположении или в другом формате, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить как, выберите один из доступных форматов: XLSX, ODS, CSV, PDF, PDF/A. Также можно выбрать вариант Шаблон таблицы XLTX или OTS. Скачивание Чтобы в онлайн-версии скачать готовую электронную таблицу и сохранить ее на жестком диске компьютера, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Скачать как, выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS. Примечание: если вы выберете формат CSV, весь функционал (форматирование шрифта, формулы и так далее), кроме обычного текста, не сохранится в файле CSV. Если вы продолжите сохранение, откроется окно Выбрать параметры CSV. По умолчанию в качестве типа Кодировки используется Unicode (UTF-8). Стандартным Разделителем является запятая (,), но доступны также следующие варианты: точка с запятой (;), двоеточие (:), Табуляция, Пробел и Другое (эта опция позволяет задать пользовательский символ разделителя). Сохранение копии Чтобы в онлайн-версии сохранить копию электронной таблицы на портале, нажмите на вкладку Файл на верхней панели инструментов, выберите опцию Сохранить копию как, выберите один из доступных форматов: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, выберите местоположение файла на портале и нажмите Сохранить. Печать Чтобы распечатать текущую электронную таблицу: щелкните по значку Печать в левой части шапки редактора, или используйте сочетание клавиш Ctrl+P, или нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Печать. В браузере Firefox возможна печатать таблицы без предварительной загрузки в виде файла .pdf. Откроется окно Предпросмотра, в котором можно изменить параметры печати, заданные по умолчанию. Нажмите на кнопку Показать детали внизу окна, чтобы отобразить все параметры. Параметры печати можно также настроить на странице Дополнительные параметры: нажмите на вкладку Файл на верхней панели инструментов и перейдите в раздел: Дополнительные параметры >> Параметры страницы. На вкладке Макет верхней панели инструментов также доступны некоторые из этих настроек: Поля, Ориентация, Размер страницы, Область печати, Вписать. Здесь можно задать следующие параметры: Диапазон печати - укажите, что необходимо напечатать: весь Текущий лист, Все листы электронной таблицы или предварительно выделенный диапазон ячеек (Выделенный фрагмент), Если вы ранее задали постоянную область печати, но хотите напечатать весь лист, поставьте галочку рядом с опцией Игнорировать область печати. Параметры листа - укажите индивидуальные параметры печати для каждого отдельного листа, если в выпадающем списке Диапазон печати выбрана опция Все листы, Размер страницы - выберите из выпадающего списка один из доступных размеров, Ориентация страницы - выберите опцию Книжная, если при печати требуется расположить таблицу на странице вертикально, или используйте опцию Альбомная, чтобы расположить ее горизонтально, Масштаб - если вы не хотите, чтобы некоторые столбцы или строки были напечатаны на второй странице, можно сжать содержимое листа, чтобы оно помещалось на одной странице, выбрав соответствующую опцию: Вписать лист на одну страницу, Вписать все столбцы на одну страницу или Вписать все строки на одну страницу. Оставьте опцию Реальный размер, чтобы распечатать лист без корректировки, При выборе пункта меню Настраиваемые параметры откроется окно Настройки масштаба: Разместить не более чем на: позволяет выбрать нужное количество страниц, на котором должен разместиться напечатанный рабочий лист. Выберите нужное количество страниц из списков Ширина и Высота. Установить: позволяет увеличить или уменьшить масштаб рабочего листа, чтобы он поместился на напечатанных страницах, указав вручную значение в процентах от обычного размера. Печатать заголовки - если вы хотите печатать заголовки строк или столбцов на каждой странице, используйте опцию Повторять строки сверху или Повторять столбцы слева и выберите одну из доступных опций из выпадающего списка: повторять элементы из выбранного диапазона, повторять закрепленные строки, повторять только первую строку/первый столбец. Поля - укажите расстояние между данными рабочего листа и краями печатной страницы, изменив размеры по умолчанию в полях Сверху, Снизу, Слева и Справа, Печать - укажите элементы рабочего листа, которые необходимо выводить на печать, установив соответствующие флажки: Печать сетки и Печать заголовков строк и столбцов. Параметры верхнего и нижнего колонтитулов - позволяет добавить некоторую дополнительную информацию к печатному листу, такую как дата и время, номер страницы, имя листа и т.д. Верхние и нижние колонтитулы будут отображаться в печатной версии электронной таблицы. После настройки параметров печати нажмите кнопку Печать, чтобы сохранить изменения и распечатать электронную таблицу, или кнопку Сохранить, чтобы сохранить изменения, внесенные в параметры печати. В десктопной версии документ будет напрямую отправлен на печать. В онлайн-версии на основе данного документа будет сгенерирован файл PDF. Вы можете открыть и распечатать его, или сохранить его на жестком диске компьютера или съемном носителе, чтобы распечатать позже. В некоторых браузерах, например Хром и Опера, есть встроенная возможность для прямой печати. Настройка области печати Если требуется распечатать только выделенный диапазон ячеек вместо всего листа, можно использовать настройку Выделенный фрагмент в выпадающем списке Диапазон печати. Эта настройка не сохраняется при сохранении рабочей книги и подходит для однократного использования. Если какой-то диапазон ячеек требуется распечатывать неоднократно, можно задать постоянную область печати на рабочем листе. Область печати будет сохранена при сохранении рабочей книги и может использоваться при последующем открытии электронной таблицы. Можно также задать несколько постоянных областей печати на листе, в этом случае каждая из них будет выводиться на печать на отдельной странице. Чтобы задать область печати: выделите нужный диапазон ячеек на рабочем листе. Чтобы выделить несколько диапазонов, удерживайте клавишу Ctrl, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Задать область печати. Созданная область печати сохраняется при сохранении рабочей книги. При последующем открытии файла на печать будет выводиться заданная область печати. При создании области печати также автоматически создается именованный диапазон Область_печати, отображаемый в Диспетчере имен. Чтобы выделить границы всех областей печати на текущем рабочем листе, можно нажать на стрелку в поле \"Имя\" слева от строки формул и выбрать из списка имен Область_печати. Чтобы добавить ячейки в область печати: откройте нужный рабочий лист, на котором добавлена область печати, выделите нужный диапазон ячеек на рабочем листе, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Добавить в область печати. Будет добавлена новая область печати. Каждая из областей печати будет выводиться на печать на отдельной странице. Чтобы удалить область печати: откройте нужный рабочий лист, на котором добавлена область печати, перейдите на вкладку Макет верхней панели инструментов, нажмите на стрелку рядом с кнопкой Область печати и выберите опцию Очистить область печати. Будут удалены все области печати, существующие на этом листе. После этого на печать будет выводиться весь лист." }, { "id": "UsageInstructions/ScaleToFit.htm", @@ -2593,7 +2608,7 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Управление предустановками представления листа", - "body": "Редактор электронных таблиц предлагает возможность изменить представление листа при помощи применения фильтров. Для этого используется диспетчер представлений листов. Теперь вы можете сохранить необходимые параметры фильтрации в качестве предустановки представления и использовать ее позже вместе с коллегами, а также создать несколько предустановок и легко переключаться между ними. Если вы совместно работаете над электронной таблицей, создайте индивидуальные предустановки представления и продолжайте работать с необходимыми фильтрами, не отвлекаясь от других соредакторов. Создание нового набора настроек представления листа Поскольку предустановка представления предназначена для сохранения настраиваемых параметров фильтрации, сначала вам необходимо применить указанные параметры к листу. Чтобы узнать больше о фильтрации, перейдите на эту страницу . Есть два способа создать новый набор настроек вида листа: перейдите на вкладку Вид и щелкните на иконку Представление листа, во всплывающем меню выберите пункт Диспетчер представлений, в появившемся окне Диспетчер представлений листа нажмите кнопку Новое, добавьте название для нового набора настроек представления листа, или на вкладке Вид верхней панели инструментов нажмите кнопку Новое. По умолчанию набор настроек будет создан под названием \"View1/2/3...\" Чтобы изменить название, перейдите в Диспетчер представлений листа, щелкните на нужный набор настроек и нажмите на Переименовать. Нажмите Перейти к представлению, чтобы применить выбранный набор настроек представления листа. Переключение между предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Нажмите кнопку Перейти к представлению. Чтобы выйти из текущего набора настроек представления листа, нажмите на значок Закрыть на верхней панели инструментов. Управление предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Выберите одну из следующих опций: Переименовать, чтобы изменить название выбранного набора настроек, Дублировать, чтобы создать копию выбранного набора настроек, Удалить, чтобы удалить выбранный набора настроек. Нажмите кнопку Перейти к представлению." + "body": "Редактор электронных таблиц предлагает возможность изменить представление листа при помощи применения фильтров. Для этого используется диспетчер представлений листов. Теперь вы можете сохранить необходимые параметры фильтрации в качестве предустановки представления и использовать ее позже вместе с коллегами, а также создать несколько предустановок и легко переключаться между ними. Если вы совместно работаете над электронной таблицей, создайте индивидуальные предустановки представления и продолжайте работать с необходимыми фильтрами, не отвлекаясь от других соредакторов. Создание нового набора настроек представления листа Поскольку предустановка представления предназначена для сохранения настраиваемых параметров фильтрации, сначала вам необходимо применить указанные параметры к листу. Чтобы узнать больше о фильтрации, перейдите на эту страницу . Есть два способа создать новый набор настроек вида листа: перейдите на вкладку Вид и щелкните на иконку Представление листа, во всплывающем меню выберите пункт Диспетчер представлений, в появившемся окне Диспетчер представлений листа нажмите кнопку Новое, добавьте название для нового набора настроек представления листа, или на вкладке Вид верхней панели инструментов нажмите кнопку Новое. По умолчанию набор настроек будет создан под названием \"View1/2/3...\" Чтобы изменить название, перейдите в Диспетчер представлений листа, щелкните на нужный набор настроек и нажмите на Переименовать. Нажмите Перейти к представлению, чтобы применить выбранный набор настроек представления листа. Переключение между предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настроек представления листа. Нажмите кнопку Перейти к представлению. Чтобы выйти из текущего набора настроек представления листа, нажмите на значок Закрыть на верхней панели инструментов. Управление предустановками представления листа Перейдите на вкладку Вид и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настроек представления листа. Выберите одну из следующих опций: Переименовать, чтобы изменить название выбранного набора настроек, Дублировать, чтобы создать копию выбранного набора настроек, Удалить, чтобы удалить выбранный набора настроек. Нажмите кнопку Перейти к представлению." }, { "id": "UsageInstructions/Slicers.htm", @@ -2603,12 +2618,12 @@ var indexes = { "id": "UsageInstructions/SortData.htm", "title": "Сортировка и фильтрация данных", - "body": "Сортировка данных Данные в электронной таблице можно быстро отсортировать, используя одну из доступных опций: По возрастанию используется для сортировки данных в порядке возрастания - от A до Я по алфавиту или от наименьшего значения к наибольшему для числовых данных. По убыванию используется для сортировки данных в порядке убывания - от Я до A по алфавиту или от наибольшего значения к наименьшему для числовых данных. Примечание: параметры сортировки доступны как на вкладке Главная, так и на вкладке Данные. Для сортировки данных: выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Сортировка по возрастанию , расположенному на вкладке Главная или Данные верхней панели инструментов, для сортировки данных в порядке возрастания, ИЛИ щелкните по значку Сортировка по убыванию , расположенному на вкладке Главная или Данные верхней панели инструментов, для сортировки данных в порядке убывания. Примечание: если вы выделите отдельный столбец/строку в диапазоне ячеек или часть строки/столбца, вам будет предложено выбрать, хотите ли вы расширить выделенный диапазон, чтобы включить смежные ячейки, или отсортировать только выделенные данные. Данные также можно сортировать, используя команды контекстного меню. Щелкните правой кнопкой мыши по выделенному диапазону ячеек, выберите в меню команду Сортировка, а затем выберите из подменю опцию По возрастанию или По убыванию. С помощью контекстного меню данные можно также отсортировать по цвету: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтрация данных Чтобы отобразить только те строки, которые соответствуют определенным критериям, и скрыть остальные, воспользуйтесь Фильтром. Примечание: параметры фильтрации доступны как на вкладке Главная, так и на вкладке Данные. Чтобы включить фильтр: Выделите диапазон ячеек, содержащих данные, которые требуется отфильтровать (можно выделить отдельную ячейку в диапазоне, чтобы отфильтровать весь диапазон), Щелкните по значку Фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. В первой ячейке каждого столбца выделенного диапазона ячеек появится кнопка со стрелкой . Это означает, что фильтр включен. Чтобы применить фильтр: Нажмите на кнопку со стрелкой . Откроется список команд фильтра: Примечание: можно изменить размер окна фильтра путем перетаскивания его правой границы вправо или влево, чтобы отображать данные максимально удобным образом. Настройте параметры фильтра. Можно действовать одним из трех следующих способов: выбрать данные, которые надо отображать, отфильтровать данные по определенным критериям или отфильтровать данные по цвету. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Количество уникальных значений в отфильтрованном диапазоне отображено справа от каждого значения в окне фильтра. Примечание: флажок {Пустые} соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В зависимости от данных, содержащихся в выбранном столбце, в правой части окна фильтра можно выбрать команду Числовой фильтр или Текстовый фильтр, а затем выбрать одну из опций в подменю: Для Числового фильтра доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Первые 10, Выше среднего, Ниже среднего, Пользовательский.... Для Текстового фильтра доступны следующие опции: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит..., Пользовательский.... После выбора одной из вышеуказанных опций (кроме опций Первые 10 и Выше/Ниже среднего), откроется окно Пользовательский фильтр. В верхнем выпадающем списке будет выбран соответствующий критерий. Введите нужное значение в поле справа. Для добавления еще одного критерия используйте переключатель И, если требуется, чтобы данные удовлетворяли обоим критериям, или выберите переключатель Или, если могут удовлетворяться один или оба критерия. Затем выберите из нижнего выпадающего списка второй критерий и введите нужное значение справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Пользовательский... из списка опций Числового/Текстового фильтра, первое условие не выбирается автоматически, вы можете выбрать его сами. При выборе опции Первые 10 из списка опций Числового фильтра, откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. При выборе опции Выше/Ниже среднего из списка опций Числового фильтра, фильтр будет применен сразу. Фильтрация данных по цвету Если в диапазоне ячеек, который требуется отфильтровать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей), можно использовать одну из следующих опций: Фильтр по цвету ячеек - чтобы отобразить только записи с определенным цветом фона ячеек и скрыть остальные, Фильтр по цвету шрифта - чтобы отобразить только записи с определенным цветом шрифта в ячейках и скрыть остальные. Когда вы выберете нужную опцию, откроется палитра, содержащая цвета, использованные в выделенном диапазоне ячеек. Выберите один из цветов, чтобы применить фильтр. В первой ячейке столбца появится кнопка Фильтр . Это означает, что фильтр применен. Количество отфильтрованых записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80). Примечание: когда фильтр применен, строки, отсеянные в результате фильтрации, нельзя изменить при автозаполнении, форматировании, удалении видимого содержимого. Такие действия влияют только на видимые строки, а строки, скрытые фильтром, остаются без изменений. При копировании и вставке отфильтрованных данных можно скопировать и вставить только видимые строки. Это не эквивалентно строкам, скрытым вручную, которые затрагиваются всеми аналогичными действиями. Сортировка отфильтрованных данных Можно задать порядок сортировки данных, для которых включен или применен фильтр. Нажмите на кнопку со стрелкой или кнопку Фильтр и выберите одну из опций в списке команд фильтра: Сортировка по возрастанию - позволяет сортировать данные в порядке возрастания, отобразив в верхней части столбца наименьшее значение, Сортировка по убыванию - позволяет сортировать данные в порядке убывания, отобразив в верхней части столбца наибольшее значение, Сортировка по цвету ячеек - позволяет выбрать один из цветов и отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сортировка по цвету шрифта - позволяет выбрать один из цветов и отобразить записи с таким же цветом шрифта в верхней части столбца. Последние две команды можно использовать, если в диапазоне ячеек, который требуется отсортировать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей). Направление сортировки будет обозначено с помощью стрелки в кнопках фильтра. если данные отсортированы по возрастанию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . если данные отсортированы по убыванию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . Данные можно также быстро отсортировать по цвету с помощью команд контекстного меню: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтр по содержимому выделенной ячейки Данные можно также быстро фильтровать по содержимому выделенной ячейки с помощью команд контекстного меню. Щелкните правой кнопкой мыши по ячейке, выберите в меню команду Фильтр, а затем выберите одну из доступных опций: Фильтр по значению выбранной ячейки - чтобы отобразить только записи с таким же значением, как и в выделенной ячейке. Фильтр по цвету ячейки - чтобы отобразить только записи с таким же цветом фона ячеек, как и у выделенной ячейки. Фильтр по цвету шрифта - чтобы отобразить только записи с таким же цветом шрифта, как и у выделенной ячейки. Форматирование по шаблону таблицы Чтобы облегчить работу с данными, в редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Для получения дополнительной информации о работе с форматированными таблицами, обратитесь к этой странице. Повторное применение фильтра Если отфильтрованные данные были изменены, можно обновить фильтр, чтобы отобразить актуальный результат: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Применить повторно. Можно также щелкнуть правой кнопкой мыши по ячейке в столбце, содержащем отфильтрованные данные, и выбрать из контекстного меню команду Применить повторно. Очистка фильтра Для очистки фильтра: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Очистить. Можно также поступить следующим образом: выделите диапазон ячеек, которые содержат отфильтрованные данные, щелкните по значку Очистить фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. Фильтр останется включенным, но все примененные параметры фильтра будут удалены, а кнопки Фильтр в первых ячейках столбцов изменятся на кнопки со стрелкой . Удаление фильтра Для удаления фильтра: выделите диапазон ячеек, содержащих отфильтрованные данные, щелкните по значку Фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. Фильтр будет отключен, а кнопки со стрелкой исчезнут из первых ячеек столбцов. Сортировка данных по нескольким столбцам/строкам Для сортировки данных по нескольким столбцам/строкам можно создать несколько уровней сортировки, используя функцию Настраиваемая сортировка. выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Настраиваемая сортировка , расположенному на вкладке Данные верхней панели инструментов, откроется окно Сортировка. По умолчанию включена сортировка по столбцам. Чтобы изменить ориентацию сортировки (то есть сортировать данные по строкам, а не по столбцам) нажмите кнопку Параметры наверху. Откроется окно Параметры сортировки: установите флажок Мои данные содержат заголовки, если это необходимо, выберите нужную Ориентацию: Сортировать сверху вниз, чтобы сортировать данные по столбцам, или Сортировать слева направо чтобы сортировать данные по строкам, нажмите кнопку OK, чтобы применить изменения и закрыть окно. задайте первый уровень сортировки в поле Сортировать по: в разделе Столбец / Строка выберите первый столбец / строку, который требуется отсортировать, в списке Сортировка выберите одну из следующих опций: Значения, Цвет ячейки или Цвет шрифта, в списке Порядок укажите нужный порядок сортировки. Доступные параметры различаются в зависимости от опции, выбранной в списке Сортировка: если выбрана опция Значения, выберите опцию По возрастанию / По убыванию, если диапазон ячеек содержит числовые значения, или опцию От А до Я / От Я до А, если диапазон ячеек содержит текстовые значения, если выбрана опция Цвет ячейки, выберите нужный цвет ячейки и выберите опцию Сверху / Снизу для столбцов или Слева / Справа для строк, если выбрана опция Цвет шрифта, выберите нужный цвет шрифта и выберите опцию Сверху / Снизу для столбцов или Слева / Справа для строк. добавьте следующий уровень сортировки, нажав кнопку Добавить уровень, выберите второй столбец / строку, который требуется отсортировать, и укажите другие параметры сортировки в поле Затем по, как описано выше. В случае необходимости добавьте другие уровни таким же способом. управляйте добавленными уровнями, используя кнопки в верхней части окна: Удалить уровень, Копировать уровень или измените порядок уровней, используя кнопки со стрелками Переместить уровень вверх / Переместить уровень вниз, нажмите кнопку OK, чтобы применить изменения и закрыть окно. Данные будут отсортированы в соответствии с заданными уровнями сортировки." + "body": "Сортировка данных Данные в электронной таблице можно быстро отсортировать, используя одну из доступных опций: По возрастанию используется для сортировки данных в порядке возрастания - от A до Я по алфавиту или от наименьшего значения к наибольшему для числовых данных. По убыванию используется для сортировки данных в порядке убывания - от Я до A по алфавиту или от наибольшего значения к наименьшему для числовых данных. Примечание: параметры сортировки доступны как на вкладке Главная, так и на вкладке Данные. Для сортировки данных: выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Сортировка по возрастанию , расположенному на вкладке Главная или Данные верхней панели инструментов, для сортировки данных в порядке возрастания, ИЛИ щелкните по значку Сортировка по убыванию , расположенному на вкладке Главная или Данные верхней панели инструментов, для сортировки данных в порядке убывания. Примечание: если вы выделите отдельный столбец/строку в диапазоне ячеек или часть строки/столбца, вам будет предложено выбрать, хотите ли вы расширить выделенный диапазон, чтобы включить смежные ячейки, или отсортировать только выделенные данные. Данные также можно сортировать, используя команды контекстного меню. Щелкните правой кнопкой мыши по выделенному диапазону ячеек, выберите в меню команду Сортировка, а затем выберите из подменю опцию По возрастанию или По убыванию. С помощью контекстного меню данные можно также отсортировать по цвету: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтрация данных Чтобы отобразить только те строки, которые соответствуют определенным критериям, и скрыть остальные, воспользуйтесь Фильтром. Примечание: параметры фильтрации доступны как на вкладке Главная, так и на вкладке Данные. Чтобы включить фильтр: Выделите диапазон ячеек, содержащих данные, которые требуется отфильтровать (можно выделить отдельную ячейку в диапазоне, чтобы отфильтровать весь диапазон), Щелкните по значку Фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. В первой ячейке каждого столбца выделенного диапазона ячеек появится кнопка со стрелкой . Это означает, что фильтр включен. Чтобы применить фильтр: Нажмите на кнопку со стрелкой . Откроется список команд фильтра: Примечание: можно изменить размер окна фильтра путем перетаскивания его правой границы вправо или влево, чтобы отображать данные максимально удобным образом. Настройте параметры фильтра. Можно действовать одним из трех следующих способов: выбрать данные, которые надо отображать, отфильтровать данные по определенным критериям или отфильтровать данные по цвету. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Количество уникальных значений в отфильтрованном диапазоне отображено справа от каждого значения в окне фильтра. Примечание: флажок {Пустые} соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В зависимости от данных, содержащихся в выбранном столбце, в правой части окна фильтра можно выбрать команду Числовой фильтр или Текстовый фильтр, а затем выбрать одну из опций в подменю: Для Числового фильтра доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Первые 10, Выше среднего, Ниже среднего, Пользовательский.... Для Текстового фильтра доступны следующие опции: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит..., Пользовательский.... После выбора одной из вышеуказанных опций (кроме опций Первые 10 и Выше/Ниже среднего), откроется окно Пользовательский фильтр. В верхнем выпадающем списке будет выбран соответствующий критерий. Введите нужное значение в поле справа. Для добавления еще одного критерия используйте переключатель И, если требуется, чтобы данные удовлетворяли обоим критериям, или выберите переключатель Или, если могут удовлетворяться один или оба критерия. Затем выберите из нижнего выпадающего списка второй критерий и введите нужное значение справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Пользовательский... из списка опций Числового/Текстового фильтра, первое условие не выбирается автоматически, вы можете выбрать его сами. При выборе опции Первые 10 из списка опций Числового фильтра, откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент или Процент. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. При выборе опции Выше/Ниже среднего из списка опций Числового фильтра, фильтр будет применен сразу. Фильтрация данных по цвету Если в диапазоне ячеек, который требуется отфильтровать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей), можно использовать одну из следующих опций: Фильтр по цвету ячеек - чтобы отобразить только записи с определенным цветом фона ячеек и скрыть остальные, Фильтр по цвету шрифта - чтобы отобразить только записи с определенным цветом шрифта в ячейках и скрыть остальные. Когда вы выберете нужную опцию, откроется палитра, содержащая цвета, использованные в выделенном диапазоне ячеек. Выберите один из цветов, чтобы применить фильтр. В первой ячейке столбца появится кнопка Фильтр . Это означает, что фильтр применен. Количество отфильтрованных записей будет отображено в строке состояния (например, отфильтровано записей: 25 из 80). Примечание: когда фильтр применен, строки, отсеянные в результате фильтрации, нельзя изменить при автозаполнении, форматировании, удалении видимого содержимого. Такие действия влияют только на видимые строки, а строки, скрытые фильтром, остаются без изменений. При копировании и вставке отфильтрованных данных можно скопировать и вставить только видимые строки. Это не эквивалентно строкам, скрытым вручную, которые затрагиваются всеми аналогичными действиями. Сортировка отфильтрованных данных Можно задать порядок сортировки данных, для которых включен или применен фильтр. Нажмите на кнопку со стрелкой или кнопку Фильтр и выберите одну из опций в списке команд фильтра: Сортировка по возрастанию - позволяет сортировать данные в порядке возрастания, отобразив в верхней части столбца наименьшее значение, Сортировка по убыванию - позволяет сортировать данные в порядке убывания, отобразив в верхней части столбца наибольшее значение, Сортировка по цвету ячеек - позволяет выбрать один из цветов и отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сортировка по цвету шрифта - позволяет выбрать один из цветов и отобразить записи с таким же цветом шрифта в верхней части столбца. Последние две команды можно использовать, если в диапазоне ячеек, который требуется отсортировать, есть ячейки, которые вы отформатировали, изменив цвет их фона или шрифта (вручную или с помощью готовых стилей). Направление сортировки будет обозначено с помощью стрелки в кнопках фильтра. если данные отсортированы по возрастанию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . если данные отсортированы по убыванию, кнопка со стрелкой в первой ячейке столбца выглядит так: , а кнопка Фильтр выглядит следующим образом: . Данные можно также быстро отсортировать по цвету с помощью команд контекстного меню: щелкните правой кнопкой мыши по ячейке, содержащей цвет, по которому требуется отсортировать данные, выберите в меню команду Сортировка, выберите из подменю нужную опцию: Сначала ячейки с выделенным цветом - чтобы отобразить записи с таким же цветом фона ячеек в верхней части столбца, Сначала ячейки с выделенным шрифтом - чтобы отобразить записи с таким же цветом шрифта в верхней части столбца. Фильтр по содержимому выделенной ячейки Данные можно также быстро фильтровать по содержимому выделенной ячейки с помощью команд контекстного меню. Щелкните правой кнопкой мыши по ячейке, выберите в меню команду Фильтр, а затем выберите одну из доступных опций: Фильтр по значению выбранной ячейки - чтобы отобразить только записи с таким же значением, как и в выделенной ячейке. Фильтр по цвету ячейки - чтобы отобразить только записи с таким же цветом фона ячеек, как и у выделенной ячейки. Фильтр по цвету шрифта - чтобы отобразить только записи с таким же цветом шрифта, как и у выделенной ячейки. Форматирование по шаблону таблицы Чтобы облегчить работу с данными, в редакторе электронных таблиц предусмотрена возможность применения к выделенному диапазону ячеек шаблона таблицы с автоматическим включением фильтра. Для этого: выделите диапазон ячеек, которые требуется отформатировать, щелкните по значку Форматировать как шаблон таблицы , расположенному на вкладке Главная верхней панели инструментов, в галерее выберите требуемый шаблон, в открывшемся всплывающем окне проверьте диапазон ячеек, которые требуется отформатировать как таблицу, установите флажок Заголовок, если требуется, чтобы заголовки таблицы входили в выделенный диапазон ячеек; в противном случае строка заголовка будет добавлена наверху, в то время как выделенный диапазон ячеек сместится на одну строку вниз, нажмите кнопку OK, чтобы применить выбранный шаблон. Шаблон будет применен к выделенному диапазону ячеек, и вы сможете редактировать заголовки таблицы и применять фильтр для работы с данными. Для получения дополнительной информации о работе с форматированными таблицами, обратитесь к этой странице. Повторное применение фильтра Если отфильтрованные данные были изменены, можно обновить фильтр, чтобы отобразить актуальный результат: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Применить повторно. Можно также щелкнуть правой кнопкой мыши по ячейке в столбце, содержащем отфильтрованные данные, и выбрать из контекстного меню команду Применить повторно. Очистка фильтра Для очистки фильтра: нажмите на кнопку Фильтр в первой ячейке столбца, содержащего отфильтрованные данные, в открывшемся списке команд фильтра выберите опцию Очистить. Можно также поступить следующим образом: выделите диапазон ячеек, которые содержат отфильтрованные данные, щелкните по значку Очистить фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. Фильтр останется включенным, но все примененные параметры фильтра будут удалены, а кнопки Фильтр в первых ячейках столбцов изменятся на кнопки со стрелкой . Удаление фильтра Для удаления фильтра: выделите диапазон ячеек, содержащих отфильтрованные данные, щелкните по значку Фильтр , расположенному на вкладке Главная или Данные верхней панели инструментов. Фильтр будет отключен, а кнопки со стрелкой исчезнут из первых ячеек столбцов. Сортировка данных по нескольким столбцам/строкам Для сортировки данных по нескольким столбцам/строкам можно создать несколько уровней сортировки, используя функцию Настраиваемая сортировка. выделите диапазон ячеек, который требуется отсортировать (можно выделить отдельную ячейку в диапазоне, чтобы отсортировать весь диапазон), щелкните по значку Настраиваемая сортировка , расположенному на вкладке Данные верхней панели инструментов, откроется окно Сортировка. По умолчанию включена сортировка по столбцам. Чтобы изменить ориентацию сортировки (то есть сортировать данные по строкам, а не по столбцам) нажмите кнопку Параметры наверху. Откроется окно Параметры сортировки: установите флажок Мои данные содержат заголовки, если это необходимо, выберите нужную Ориентацию: Сортировать сверху вниз, чтобы сортировать данные по столбцам, или Сортировать слева направо, чтобы сортировать данные по строкам, нажмите кнопку OK, чтобы применить изменения и закрыть окно. задайте первый уровень сортировки в поле Сортировать по: в разделе Столбец / Строка выберите первый столбец / строку, который требуется отсортировать, в списке Сортировка выберите одну из следующих опций: Значения, Цвет ячейки или Цвет шрифта, в списке Порядок укажите нужный порядок сортировки. Доступные параметры различаются в зависимости от опции, выбранной в списке Сортировка: если выбрана опция Значения, выберите опцию По возрастанию / По убыванию, если диапазон ячеек содержит числовые значения, или опцию От А до Я / От Я до А, если диапазон ячеек содержит текстовые значения, если выбрана опция Цвет ячейки, выберите нужный цвет ячейки и выберите опцию Сверху / Снизу для столбцов или Слева / Справа для строк, если выбрана опция Цвет шрифта, выберите нужный цвет шрифта и выберите опцию Сверху / Снизу для столбцов или Слева / Справа для строк. добавьте следующий уровень сортировки, нажав кнопку Добавить уровень, выберите второй столбец / строку, который требуется отсортировать, и укажите другие параметры сортировки в поле Затем по, как описано выше. В случае необходимости добавьте другие уровни таким же способом. управляйте добавленными уровнями, используя кнопки в верхней части окна: Удалить уровень, Копировать уровень или измените порядок уровней, используя кнопки со стрелками Переместить уровень вверх / Переместить уровень вниз, нажмите кнопку OK, чтобы применить изменения и закрыть окно. Данные будут отсортированы в соответствии с заданными уровнями сортировки." }, { "id": "UsageInstructions/SupportSmartArt.htm", "title": "Поддержка SmartArt в редакторе электронных таблиц ONLYOFFICE", - "body": "Графика SmartArt используется для создания визуального представления иерархической структуры при помощи выбора наиболее подходящего макета. Редактор электронных таблиц ONLYOFFICE поддерживает графические объекты SmartArt, добавленную с помощью сторонних редакторов. Вы можете открыть файл, содержащий SmartArt, и редактировать его как графический объект с помощью доступных инструментов. Если выделить графический объект SmartArt или его элемент, на правой боковой панели станут доступны следующие вкладки: Параметры фигуры - для редактирования фигур, используемых в макете. Вы можете изменять размер формы, редактировать заливку, контур, толщину, стиль обтекания, положение, линии и стрелки, текстовое поле и альтернативный текст. Параметры абзаца - для редактирования отступов и интервалов, шрифтов и табуляций. Обратитесь к разделу Форматирование текста в ячейках для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt. Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования: Порядок - упорядочить объекты, используя следующие параметры: Перенести на передний план, Перенести на задний план, Перенести вперед, Перенести назад , Сгруппировать и Разгруппировать. Поворот - изменить направление вращения для выбранного элемента на SmartArt: Повернуть на 90° по часовой стрелке, Повернуть на 90° против часовой стрелки. Этот параметр становится активным только для объектов SmartArt. Назначить макрос - обеспечить быстрый и легкий доступ к макросу в электронной таблице. Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры. Щелкните правой кнопкой мыши по графическому объекту SmartArt, чтобы получить доступ к следующим параметрам форматирования текста: Выравнивание по вертикали - выбрать выравнивание текста внутри выбранного объекта SmartArt: Выровнять по верхнему краю, Выровнять по середине, Выровнять по нижнему краю. Направление текста - выбрать направление текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх. Гиперссылка - добавить гиперссылку к объекту SmartArt. Обратитесь к Дополнительным параметрам абзаца, чтобы получить информацию о дополнительных параметрах форматирования абзаца." + "body": "Графика SmartArt используется для создания визуального представления иерархической структуры при помощи выбора наиболее подходящего макета. Редактор электронных таблиц ONLYOFFICE поддерживает графические объекты SmartArt, добавленную с помощью сторонних редакторов. Вы можете открыть файл, содержащий SmartArt, и редактировать его как графический объект с помощью доступных инструментов. Если выделить графический объект SmartArt или его элемент, на правой боковой панели станут доступны следующие вкладки: Параметры фигуры - для редактирования фигур, используемых в макете. Вы можете изменять размер формы, редактировать заливку, контур, толщину, стиль обтекания, положение, линии и стрелки, текстовое поле и альтернативный текст. Параметры абзаца - для редактирования отступов и интервалов, шрифтов и табуляций. Обратитесь к разделу Форматирование текста в ячейках для подробного описания каждого параметра. Эта вкладка становится активной только для объектов SmartArt. Параметры объекта Text Art - для редактирования стиля Text Art, который используется SmartArt для выделения текста. Вы можете изменить шаблон Text Art, тип заливки, цвет и непрозрачность, толщину линии, цвет и тип. Эта вкладка становится активной только для объектов SmartArt. Щелкните правой кнопкой мыши по SmartArt или по границе данного элемента, чтобы получить доступ к следующим параметрам форматирования: Порядок - упорядочить объекты, используя следующие параметры: Перенести на передний план, Перенести на задний план, Перенести вперед, Перенести назад, Сгруппировать и Разгруппировать. Поворот - изменить направление вращения для выбранного элемента на SmartArt: Повернуть на 90° по часовой стрелке, Повернуть на 90° против часовой стрелки. Этот параметр становится активным только для объектов SmartArt. Назначить макрос - обеспечить быстрый и легкий доступ к макросу в электронной таблице. Дополнительные параметры фигуры - для доступа к дополнительным параметрам форматирования фигуры. Щелкните правой кнопкой мыши по графическому объекту SmartArt, чтобы получить доступ к следующим параметрам форматирования текста: Выравнивание по вертикали - выбрать выравнивание текста внутри выбранного объекта SmartArt: Выровнять по верхнему краю, Выровнять по середине, Выровнять по нижнему краю. Направление текста - выбрать направление текста внутри выбранного объекта SmartArt: Горизонтальное, Повернуть текст вниз, Повернуть текст вверх. Гиперссылка - добавить гиперссылку к объекту SmartArt. Обратитесь к Дополнительным параметрам абзаца, чтобы получить информацию о дополнительных параметрах форматирования абзаца." }, { "id": "UsageInstructions/UndoRedo.htm", @@ -2623,6 +2638,6 @@ var indexes = { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Просмотр сведений о файле", - "body": "Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице. Общие сведения Сведения о документе включают в себя ряд свойств файла, описывающих документ. Некоторые из этих свойств обновляются автоматически, а некоторые из них можно редактировать. Размещение - папка в модуле Документы, в которой хранится файл. Владелец - имя пользователя, который создал файл. Загружена - дата и время создания файла. Эти свойства доступны только в онлайн-версии. Название, Тема, Комментарий - эти свойства позволяют упростить классификацию документов. Вы можете задать нужный текст в полях свойств. Последнее изменение - дата и время последнего изменения файла. Автор последнего изменения - имя пользователя, сделавшего последнее изменение в электронной таблице, если к ней был предоставлен доступ, и ее могут редактировать несколько пользователей. Приложение - приложение, в котором была создана электронная таблица. Автор - имя человека, создавшего файл. В этом поле вы можете ввести нужное имя. Нажмите Enter, чтобы добавить новое поле, позволяющее указать еще одного автора. Если вы изменили свойства файла, нажмите кнопку Применить, чтобы применить изменения. Примечание: используя онлайн-редакторы, вы можете изменить название электронной таблицы непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать..., затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой электронной таблицы, выберите опцию Права доступа... на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню. История версий В онлайн-версии вы можете просматривать историю версий для документов, сохраненных в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы просмотреть все внесенные в электронную таблицу изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этой таблицы с указанием автора и даты и времени создания каждой версии/ревизии. Для версий электронной таблицы также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее. Чтобы вернуться к текущей версии электронной таблицы, нажмите на ссылку Закрыть историю над списком версий." + "body": "Чтобы получить доступ к подробным сведениям о редактируемой электронной таблице, нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Сведения о таблице. Общие сведения Сведения о документе включают в себя ряд свойств файла, описывающих документ. Некоторые из этих свойств обновляются автоматически, а некоторые из них можно редактировать. Размещение - папка в модуле Документы, в которой хранится файл. Владелец - имя пользователя, который создал файл. Загружена - дата и время создания файла. Эти свойства доступны только в онлайн-версии. Название, Тема, Комментарий - эти свойства позволяют упростить классификацию документов. Вы можете задать нужный текст в полях свойств. Последнее изменение - дата и время последнего изменения файла. Автор последнего изменения - имя пользователя, сделавшего последнее изменение в электронной таблице, если к ней был предоставлен доступ, и ее могут редактировать несколько пользователей. Приложение - приложение, в котором была создана электронная таблица. Автор - имя человека, создавшего файл. В этом поле вы можете ввести нужное имя. Нажмите Enter, чтобы добавить новое поле, позволяющее указать еще одного автора. Если вы изменили свойства файла, нажмите кнопку Применить, чтобы применить изменения. Примечание: используя онлайн-редакторы, вы можете изменить название электронной таблицы непосредственно из интерфейса редактора. Для этого нажмите на вкладку Файл на верхней панели инструментов и выберите опцию Переименовать, затем введите нужное Имя файла в новом открывшемся окне и нажмите кнопку OK. Сведения о правах доступа В онлайн-версии вы можете просматривать сведения о правах доступа к документам, сохраненным в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы узнать, у кого есть права на просмотр и редактирование этой электронной таблицы, выберите опцию Права доступа на левой боковой панели. Вы можете также изменить выбранные в настоящий момент права доступа, нажав на кнопку Изменить права доступа в разделе Люди, имеющие права. Чтобы закрыть панель Файл и вернуться к электронной таблице, выберите опцию Закрыть меню. История версий В онлайн-версии вы можете просматривать историю версий для документов, сохраненных в облаке. Примечание: эта опция недоступна для пользователей с правами доступа Только чтение. Чтобы просмотреть все внесенные в электронную таблицу изменения, выберите опцию История версий на левой боковой панели. Историю версий можно также открыть, используя значок История версий на вкладке Совместная работа верхней панели инструментов. Вы увидите список версий (существенных изменений) и ревизий (незначительных изменений) этой таблицы с указанием автора и даты и времени создания каждой версии/ревизии. Для версий электронной таблицы также указан номер версии (например, вер. 2). Чтобы точно знать, какие изменения были внесены в каждой конкретной версии/ревизии, можно просмотреть нужную, нажав на нее на левой боковой панели. Изменения, внесенные автором версии/ревизии, помечены цветом, который показан рядом с именем автора на левой боковой панели. Можно использовать ссылку Восстановить, расположенную под выбранной версией/ревизией, чтобы восстановить ее. Чтобы вернуться к текущей версии электронной таблицы, нажмите на ссылку Закрыть историю над списком версий." } ] \ No newline at end of file