diff --git a/apps/api/documents/api.js b/apps/api/documents/api.js index 3ef84e454..b54f3e35f 100644 --- a/apps/api/documents/api.js +++ b/apps/api/documents/api.js @@ -24,10 +24,8 @@ key: 'key', vkey: 'vkey', info: { - author: 'author name', // must be deprecated, use owner instead owner: 'owner name', folder: 'path to document', - created: '', // must be deprecated, use uploaded instead uploaded: '', sharingSettings: [ { @@ -49,7 +47,10 @@ modifyFilter: // default = true modifyContentControl: // default = true fillForms: // default = edit || review, - copy: // default = true + copy: // default = true, + editCommentAuthorOnly: // default = false + deleteCommentAuthorOnly: // default = false, + reviewGroup: ["Group1", ""] // current user can accept/reject review changes made by users from Group1 and users without a group. [] - use groups, but can't change any group's changes } }, editorConfig: { @@ -140,7 +141,7 @@ statusBar: true, autosave: true, forcesave: false, - commentAuthorOnly: false, + commentAuthorOnly: false, // must be deprecated. use permissions.editCommentAuthorOnly and permissions.deleteCommentAuthorOnly instead showReviewChanges: false, help: true, compactHeader: false, @@ -395,7 +396,7 @@ if (typeof _config.document.fileType === 'string' && _config.document.fileType != '') { _config.document.fileType = _config.document.fileType.toLowerCase(); - var type = /^(?:(xls|xlsx|ods|csv|xlst|xlsy|gsheet|xlsm|xlt|xltm|xltx|fods|ots)|(pps|ppsx|ppt|pptx|odp|pptt|ppty|gslides|pot|potm|potx|ppsm|pptm|fodp|otp)|(doc|docx|doct|odt|gdoc|txt|rtf|pdf|mht|htm|html|epub|djvu|xps|docm|dot|dotm|dotx|fodt|ott))$/ + var type = /^(?:(xls|xlsx|ods|csv|xlst|xlsy|gsheet|xlsm|xlt|xltm|xltx|fods|ots)|(pps|ppsx|ppt|pptx|odp|pptt|ppty|gslides|pot|potm|potx|ppsm|pptm|fodp|otp)|(doc|docx|doct|odt|gdoc|txt|rtf|pdf|mht|htm|html|epub|djvu|xps|docm|dot|dotm|dotx|fodt|ott|fb2))$/ .exec(_config.document.fileType); if (!type) { window.alert("The \"document.fileType\" parameter for the config object is invalid. Please correct it."); @@ -877,6 +878,9 @@ if (config.parentOrigin) params += "&parentOrigin=" + config.parentOrigin; + if (config.editorConfig && config.editorConfig.customization && config.editorConfig.customization.uiTheme ) + params += "&uitheme=" + config.editorConfig.customization.uiTheme; + return params; } diff --git a/apps/common/main/lib/component/Button.js b/apps/common/main/lib/component/Button.js index aecc72564..db9c97066 100644 --- a/apps/common/main/lib/component/Button.js +++ b/apps/common/main/lib/component/Button.js @@ -211,7 +211,7 @@ define([ '' + '
' + '<%= caption %>' + - '' + + '' + '
' + '' + ''; @@ -226,7 +226,7 @@ define([ '' + ''; @@ -271,7 +271,7 @@ define([ '<% applyicon() %>', '<%= caption %>', '' + - '' + + '' + '', '', '', @@ -282,7 +282,7 @@ define([ '<%= caption %>', '', '', '', diff --git a/apps/common/main/lib/component/ColorButton.js b/apps/common/main/lib/component/ColorButton.js index 15b02c0bb..a0c85769b 100644 --- a/apps/common/main/lib/component/ColorButton.js +++ b/apps/common/main/lib/component/ColorButton.js @@ -41,16 +41,28 @@ define([ Common.UI.ColorButton = Common.UI.Button.extend(_.extend({ options : { - hint: false, - enableToggle: false, - visible: true + id : null, + hint : false, + enableToggle : false, + allowDepress : false, + toggleGroup : null, + cls : '', + iconCls : '', + caption : '', + menu : null, + disabled : false, + pressed : false, + split : false, + visible : true }, template: _.template([ '
', '', '
' ].join('')), @@ -61,7 +73,7 @@ define([ var me = this; options.menu = me.getMenu(options); me.on('render:after', function(btn) { - me.getPicker(options.color); + me.getPicker(options.color, options.colors); }); } @@ -71,16 +83,22 @@ define([ render: function(parentEl) { Common.UI.Button.prototype.render.call(this, parentEl); + if (this.options.auto) + this.autocolor = (typeof this.options.auto == 'object') ? this.options.auto.color || '000000' : '000000'; + if (this.options.color!==undefined) this.setColor(this.options.color); }, onColorSelect: function(picker, color) { this.setColor(color); + this.setAutoColor(false); this.trigger('color:select', this, color); }, setColor: function(color) { + if (color == 'auto' && this.options.auto) + color = this.autocolor; var span = $(this.cmpEl).find('button span:nth-child(1)'); this.color = color; @@ -88,15 +106,21 @@ define([ span.css({'background-color': (color=='transparent') ? color : ((typeof(color) == 'object') ? '#'+color.color : '#'+color)}); }, - getPicker: function(color) { + getPicker: function(color, colors) { if (!this.colorPicker) { this.colorPicker = new Common.UI.ThemeColorPalette({ el: this.cmpEl.find('#' + this.menu.id + '-color-menu'), transparent: this.options.transparent, - value: color + value: color, + colors: colors }); this.colorPicker.on('select', _.bind(this.onColorSelect, this)); this.cmpEl.find('#' + this.menu.id + '-color-new').on('click', _.bind(this.addNewColor, this)); + if (this.options.auto) { + this.cmpEl.find('#' + this.menu.id + '-color-auto').on('click', _.bind(this.onAutoColorSelect, this)); + this.colorAuto = this.cmpEl.find('#' + this.menu.id + '-color-auto > a'); + (color == 'auto') && this.setAutoColor(true); + } } return this.colorPicker; }, @@ -104,13 +128,25 @@ define([ getMenu: function(options) { if (typeof this.menu !== 'object') { options = options || this.options; - var id = Common.UI.getId(), - menu = new Common.UI.Menu({ + var height = options.paletteHeight || 216, + id = Common.UI.getId(), + auto = []; + if (options.auto) { + this.autocolor = (typeof options.auto == 'object') ? options.auto.color || '000000' : '000000'; + auto.push({ + id: id + '-color-auto', + caption: (typeof options.auto == 'object') ? options.auto.caption || this.textAutoColor : this.textAutoColor, + template: _.template('<%= caption %>') + }); + auto.push({caption: '--'}); + } + + var menu = new Common.UI.Menu({ id: id, cls: 'shifted-left', additionalAlign: options.additionalAlign, - items: (options.additionalItems ? options.additionalItems : []).concat([ - { template: _.template('
') }, + items: (options.additionalItems ? options.additionalItems : []).concat(auto).concat([ + { template: _.template('
') }, { template: _.template('' + this.textNewColor + '') } ]) }); @@ -122,14 +158,53 @@ define([ setMenu: function (m) { m = m || this.getMenu(); Common.UI.Button.prototype.setMenu.call(this, m); - this.getPicker(this.options.color); + this.getPicker(this.options.color, this.options.colors); }, addNewColor: function() { this.colorPicker && this.colorPicker.addNewColor((typeof(this.color) == 'object') ? this.color.color : this.color); }, - textNewColor: 'Add New Custom Color' + onAutoColorSelect: function() { + this.setColor('auto'); + this.setAutoColor(true); + this.colorPicker && this.colorPicker.clearSelection(); + this.trigger('auto:select', this, this.autocolor); + }, + + setAutoColor: function(selected) { + if (!this.colorAuto) return; + if (selected && !this.colorAuto.hasClass('selected')) + this.colorAuto.addClass('selected'); + else if (!selected && this.colorAuto.hasClass('selected')) + this.colorAuto.removeClass('selected'); + }, + + isAutoColor: function() { + return this.colorAuto && this.colorAuto.hasClass('selected'); + }, + + textNewColor: 'Add New Custom Color', + textAutoColor: 'Automatic' }, Common.UI.ColorButton || {})); + + + Common.UI.ButtonColored = Common.UI.Button.extend(_.extend({ + render: function(parentEl) { + Common.UI.Button.prototype.render.call(this, parentEl); + + $('button:first-child', this.cmpEl).append( $('
')); + this.colorEl = this.cmpEl.find('.btn-color-value-line'); + }, + + setColor: function(color) { + if (this.colorEl) { + this.colorEl.css({'background-color': (color=='transparent') ? color : ((typeof(color) == 'object') ? '#'+color.color : '#'+color)}); + this.colorEl.toggleClass('bordered', color=='transparent'); + } + } + + }, Common.UI.ButtonColored || {})); + }); \ No newline at end of file diff --git a/apps/common/main/lib/component/ComboBorderSize.js b/apps/common/main/lib/component/ComboBorderSize.js index f7c7ef6b4..3784df890 100644 --- a/apps/common/main/lib/component/ComboBorderSize.js +++ b/apps/common/main/lib/component/ComboBorderSize.js @@ -77,9 +77,14 @@ define([ Common.UI.ComboBorderSize = Common.UI.ComboBox.extend(_.extend({ template: _.template([ '
', - '
', + '
', + '', + '', + '
', '
', - '', + '', '
@@ -173,29 +174,6 @@
-
-
- - - - - - -
-
-
-
- -
-
- -
-
-
-
- -
-
\ No newline at end of file diff --git a/apps/documenteditor/main/app/view/ChartSettings.js b/apps/documenteditor/main/app/view/ChartSettings.js index 913031aa2..1226f6cd7 100644 --- a/apps/documenteditor/main/app/view/ChartSettings.js +++ b/apps/documenteditor/main/app/view/ChartSettings.js @@ -94,6 +94,7 @@ define([ this.labelWidth = el.find('#chart-label-width'); this.labelHeight = el.find('#chart-label-height'); + this.NotCombinedSettings = $('.not-combined'); }, setApi: function(api) { @@ -147,34 +148,39 @@ define([ this.btnChartType.setIconCls('svgicon ' + 'chart-' + record.get('iconCls')); } else this.btnChartType.setIconCls('svgicon'); - this.updateChartStyles(this.api.asc_getChartPreviews(type)); + this.ShowCombinedProps(type); + !(type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); this._state.ChartType = type; } } - value = props.get_SeveralChartStyles(); - if (this._state.SeveralCharts && value) { - this.cmbChartStyle.fieldPicker.deselectAll(); - this.cmbChartStyle.menuPicker.deselectAll(); - this._state.ChartStyle = null; - } else { - value = this.chartProps.getStyle(); - if (this._state.ChartStyle!==value || this._isChartStylesChanged) { - this.cmbChartStyle.suspendEvents(); - var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); - this.cmbChartStyle.menuPicker.selectRecord(rec); - this.cmbChartStyle.resumeEvents(); + if (!(type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom)) { + value = props.get_SeveralChartStyles(); + if (this._state.SeveralCharts && value) { + this.cmbChartStyle.fieldPicker.deselectAll(); + this.cmbChartStyle.menuPicker.deselectAll(); + this._state.ChartStyle = null; + } else { + value = this.chartProps.getStyle(); + if (this._state.ChartStyle !== value || this._isChartStylesChanged) { + this.cmbChartStyle.suspendEvents(); + var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); + this.cmbChartStyle.menuPicker.selectRecord(rec); + this.cmbChartStyle.resumeEvents(); - if (this._isChartStylesChanged) { - if (rec) - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(),true); - else - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + if (this._isChartStylesChanged) { + if (rec) + this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); + else + this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + } + this._state.ChartStyle = value; } - this._state.ChartStyle=value; } + this._isChartStylesChanged = false; } - this._isChartStylesChanged = false; this._noApply = false; @@ -211,13 +217,13 @@ define([ createDelayedControls: function() { var me = this, viewData = [ - { offsetx: 0, data: Asc.c_oAscWrapStyle2.Inline, tip: this.txtInline, selected: true }, - { offsetx: 50, data: Asc.c_oAscWrapStyle2.Square, tip: this.txtSquare }, - { offsetx: 100, data: Asc.c_oAscWrapStyle2.Tight, tip: this.txtTight }, - { offsetx: 150, data: Asc.c_oAscWrapStyle2.Through, tip: this.txtThrough }, - { offsetx: 200, data: Asc.c_oAscWrapStyle2.TopAndBottom, tip: this.txtTopAndBottom }, - { offsetx: 250, data: Asc.c_oAscWrapStyle2.InFront, tip: this.txtInFront }, - { offsetx: 300, data: Asc.c_oAscWrapStyle2.Behind, tip: this.txtBehind } + { icon: 'btn-wrap-inline', data: Asc.c_oAscWrapStyle2.Inline, tip: this.txtInline, selected: true }, + { icon: 'btn-wrap-square', data: Asc.c_oAscWrapStyle2.Square, tip: this.txtSquare }, + { icon: 'btn-wrap-tight', data: Asc.c_oAscWrapStyle2.Tight, tip: this.txtTight }, + { icon: 'btn-wrap-through', data: Asc.c_oAscWrapStyle2.Through, tip: this.txtThrough }, + { icon: 'btn-wrap-topbottom', data: Asc.c_oAscWrapStyle2.TopAndBottom, tip: this.txtTopAndBottom }, + { icon: 'btn-wrap-infront', data: Asc.c_oAscWrapStyle2.InFront, tip: this.txtInFront }, + { icon: 'btn-wrap-behind', data: Asc.c_oAscWrapStyle2.Behind, tip: this.txtBehind } ]; this.cmbWrapType = new Common.UI.ComboDataView({ @@ -229,10 +235,9 @@ define([ cls: 'combo-chart-style' }); this.cmbWrapType.menuPicker.itemTemplate = this.cmbWrapType.fieldPicker.itemTemplate = _.template([ - '
', - '', + '
', + '' ].join('')); this.cmbWrapType.render($('#chart-combo-wrap')); @@ -414,7 +419,9 @@ define([ }, _onUpdateChartStyles: function() { - if (this.api && this._state.ChartType!==null && this._state.ChartType>-1) + if (this.api && this._state.ChartType!==null && this._state.ChartType>-1 && + !(this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType)); }, @@ -471,6 +478,11 @@ define([ this.cmbChartStyle.setDisabled(!styles || styles.length<1 || this._locked); }, + ShowCombinedProps: function(type) { + this.NotCombinedSettings.toggleClass('settings-hidden', type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom); + }, + setLocked: function (locked) { this._locked = locked; }, diff --git a/apps/documenteditor/main/app/view/ControlSettingsDialog.js b/apps/documenteditor/main/app/view/ControlSettingsDialog.js index 863793b91..8717bdfe5 100644 --- a/apps/documenteditor/main/app/view/ControlSettingsDialog.js +++ b/apps/documenteditor/main/app/view/ControlSettingsDialog.js @@ -130,18 +130,20 @@ define([ 'text!documenteditor/main/app/template/ControlSettingsDialog.template', this.btnColor = new Common.UI.ColorButton({ parentEl: $('#control-settings-color-btn'), - additionalItems: [{ - id: 'control-settings-system-color', - caption: this.textSystemColor, - template: _.template('<%= caption %>') - }, - {caption: '--'}], + auto: { + caption: this.textSystemColor, + color: Common.Utils.ThemeColor.getHexColor(220, 220, 220) + }, additionalAlign: this.menuAddAlign, - color: '000000' + color: 'auto', + colors: ['000000', '993300', '333300', '003300', '003366', '000080', '333399', '333333', '800000', 'FF6600', + '808000', '00FF00', '008080', '0000FF', '666699', '808080', 'FF0000', 'FF9900', '99CC00', '339966', + '33CCCC', '3366FF', '800080', '999999', 'FF00FF', 'FFCC00', 'FFFF00', '00FF00', '00FFFF', '00CCFF', + '993366', 'C0C0C0', 'FF99CC', 'FFCC99', 'FFFF99', 'CCFFCC', 'CCFFFF', '99CCFF', 'CC99FF', 'FFFFFF' + ], + paletteHeight: 94 }); - this.btnColor.on('color:select', _.bind(this.onColorsSelect, this)); this.colors = this.btnColor.getPicker(); - $('#control-settings-system-color').on('click', _.bind(this.onSystemColor, this)); this.btnApplyAll = new Common.UI.Button({ el: $('#control-settings-btn-all') @@ -375,27 +377,7 @@ define([ 'text!documenteditor/main/app/template/ControlSettingsDialog.template', }, 100); }, - onColorsSelect: function(btn, color) { - var clr_item = this.btnColor.menu.$el.find('#control-settings-system-color > a'); - clr_item.hasClass('selected') && clr_item.removeClass('selected'); - this.isSystemColor = false; - }, - - updateThemeColors: function() { - this.colors.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); - }, - - onSystemColor: function(e) { - var color = Common.Utils.ThemeColor.getHexColor(220, 220, 220); - this.btnColor.setColor(color); - this.colors.clearSelection(); - var clr_item = this.btnColor.menu.$el.find('#control-settings-system-color > a'); - !clr_item.hasClass('selected') && clr_item.addClass('selected'); - this.isSystemColor = true; - }, - afterRender: function() { - this.updateThemeColors(); this.updateMetricUnit(); this._setDefaults(this.props); if (this.storageName) { @@ -423,16 +405,14 @@ define([ 'text!documenteditor/main/app/template/ControlSettingsDialog.template', (val!==null && val!==undefined) && this.cmbShow.setValue(val); val = props.get_Color(); - this.isSystemColor = (val===null); if (val) { val = Common.Utils.ThemeColor.getHexColor(val.get_r(), val.get_g(), val.get_b()); this.colors.selectByRGB(val,true); } else { this.colors.clearSelection(); - var clr_item = this.btnColor.menu.$el.find('#control-settings-system-color > a'); - !clr_item.hasClass('selected') && clr_item.addClass('selected'); - val = Common.Utils.ThemeColor.getHexColor(220, 220, 220); + val = 'auto'; } + this.btnColor.setAutoColor(val == 'auto'); this.btnColor.setColor(val); val = props.get_Lock(); @@ -567,7 +547,7 @@ define([ 'text!documenteditor/main/app/template/ControlSettingsDialog.template', props.put_PlaceholderText(this.txtPlaceholder.getValue() || ' '); props.put_Appearance(this.cmbShow.getValue()); - if (this.isSystemColor) { + if (this.btnColor.isAutoColor()) { props.put_Color(null); } else { var color = Common.Utils.ThemeColor.getRgbColor(this.colors.getColor()); @@ -677,7 +657,7 @@ define([ 'text!documenteditor/main/app/template/ControlSettingsDialog.template', if (this.api) { var props = new AscCommon.CContentControlPr(); props.put_Appearance(this.cmbShow.getValue()); - if (this.isSystemColor) { + if (this.btnColor.isAutoColor()) { props.put_Color(null); } else { var color = Common.Utils.ThemeColor.getRgbColor(this.colors.getColor()); diff --git a/apps/documenteditor/main/app/view/DocumentHolder.js b/apps/documenteditor/main/app/view/DocumentHolder.js index 546f4b9bd..ae8bd17d0 100644 --- a/apps/documenteditor/main/app/view/DocumentHolder.js +++ b/apps/documenteditor/main/app/view/DocumentHolder.js @@ -1880,7 +1880,7 @@ define([ } })).show(); } else if (item.value == 'remove') { - this.api.asc_RemoveContentControlWrapper(props.get_InternalId()); + props.get_FormPr() ? this.api.asc_RemoveContentControl(props.get_InternalId()) : this.api.asc_RemoveContentControlWrapper(props.get_InternalId()); } } me.fireEvent('editcomplete', me); @@ -3330,7 +3330,6 @@ define([ menu : new Common.UI.Menu({ cls: 'shifted-right', menuAlign: 'tl-tr', - style : 'width: 100px', items : [ new Common.UI.MenuItem({ caption: me.insertColumnLeftText @@ -4353,6 +4352,10 @@ define([ return; } this.api.asc_addImage(obj); + var me = this; + setTimeout(function(){ + me.api.asc_UncheckContentControlButtons(); + }, 500); break; case Asc.c_oAscContentControlSpecificType.DropDownList: case Asc.c_oAscContentControlSpecificType.ComboBox: diff --git a/apps/documenteditor/main/app/view/DropcapSettingsAdvanced.js b/apps/documenteditor/main/app/view/DropcapSettingsAdvanced.js index b11b9e374..1dec27f11 100644 --- a/apps/documenteditor/main/app/view/DropcapSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/DropcapSettingsAdvanced.js @@ -113,14 +113,14 @@ define([ }); _.each([ - [c_tableBorder.BORDER_HORIZONTAL_TOP, 't', 'btn-borders-large btn-adv-paragraph-top', '00'], - [c_tableBorder.BORDER_HORIZONTAL_CENTER, 'm', 'btn-borders-large btn-adv-paragraph-inner-hor', '01'], - [c_tableBorder.BORDER_HORIZONTAL_BOTTOM, 'b', 'btn-borders-large btn-adv-paragraph-bottom', '10'], - [c_tableBorder.BORDER_OUTER, 'lrtb', 'btn-borders-large btn-adv-paragraph-outer', '11'], - [c_tableBorder.BORDER_VERTICAL_LEFT, 'l', 'btn-borders-large btn-adv-paragraph-left', '20'], - [c_tableBorder.BORDER_ALL, 'lrtbm', 'btn-borders-large btn-adv-paragraph-all', '21'], - [c_tableBorder.BORDER_VERTICAL_RIGHT, 'r', 'btn-borders-large btn-adv-paragraph-right', '30'], - [c_tableBorder.BORDER_NONE, '', 'btn-borders-large btn-adv-paragraph-none', '31'] + [c_tableBorder.BORDER_HORIZONTAL_TOP, 't', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-top', '00'], + [c_tableBorder.BORDER_HORIZONTAL_CENTER, 'm', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-inner', '01'], + [c_tableBorder.BORDER_HORIZONTAL_BOTTOM, 'b', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-bottom', '10'], + [c_tableBorder.BORDER_OUTER, 'lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-outer', '11'], + [c_tableBorder.BORDER_VERTICAL_LEFT, 'l', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-left', '20'], + [c_tableBorder.BORDER_ALL, 'lrtbm', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-all', '21'], + [c_tableBorder.BORDER_VERTICAL_RIGHT, 'r', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-right', '30'], + [c_tableBorder.BORDER_NONE, '', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-none', '31'] ], function(item, index) { var _btn = new Common.UI.Button({ parentEl: $('#drop-advanced-button-borderline-' + item[3]), @@ -163,11 +163,15 @@ define([ this.btnBorderColor = new Common.UI.ColorButton({ parentEl: $('#drop-advanced-button-bordercolor'), additionalAlign: this.menuAddAlign, - color: '000000' + color: 'auto', + auto: true }); this.btnBorderColor.on('color:select', _.bind(function(btn, color) { this.tableStyler.setVirtualBorderColor((typeof(color) == 'object') ? color.color : color); }, this)); + this.btnBorderColor.on('auto:select', _.bind(function(btn, color) { + this.tableStyler.setVirtualBorderColor((typeof(color) == 'object') ? color.color : color); + }, this)); this.colorsBorder = this.btnBorderColor.getPicker(); this.btnBackColor = new Common.UI.ColorButton({ @@ -270,7 +274,7 @@ define([ this.btnNone = new Common.UI.Button({ parentEl: $('#drop-advanced-button-none'), cls : 'btn huge-1 btn-options', - iconCls : 'icon-advanced-wrap btn-drop-none', + iconCls : 'icon-advanced-wrap options__icon options__icon-huge btn-drop-none', enableToggle: true, toggleGroup : 'dropAdvGroup', allowDepress: false, @@ -286,7 +290,7 @@ define([ this.btnInText = new Common.UI.Button({ parentEl: $('#drop-advanced-button-intext'), cls : 'btn huge-1 btn-options', - iconCls : 'icon-advanced-wrap btn-drop-text', + iconCls : 'icon-advanced-wrap options__icon options__icon-huge btn-drop-text', enableToggle: true, toggleGroup : 'dropAdvGroup', allowDepress: false, @@ -302,7 +306,7 @@ define([ this.btnInMargin = new Common.UI.Button({ parentEl: $('#drop-advanced-button-inmargin'), cls : 'btn huge-1 btn-options', - iconCls : 'icon-advanced-wrap btn-drop-margin', + iconCls : 'icon-advanced-wrap options__icon options__icon-huge btn-drop-margin', enableToggle: true, toggleGroup : 'dropAdvGroup', allowDepress: false, @@ -548,8 +552,15 @@ define([ }) .on('changed:after', _.bind(function(combo, record) { if (me._changedProps) { - me._changedProps.put_XAlign(undefined); - me._changedProps.put_X(Common.Utils.Metric.fnRecalcToMM(Common.Utils.String.parseFloat(record.value))); + if (combo.getSelectedRecord()) { + me._changedProps.put_XAlign(record.value); + } else { + var number = Common.Utils.String.parseFloat(record.value); + if (!isNaN(number)) { + me._changedProps.put_XAlign(undefined); + me._changedProps.put_X(Common.Utils.Metric.fnRecalcToMM(number)); + } + } } }, me)) .on('selected', _.bind(function(combo, record) { @@ -593,8 +604,15 @@ define([ }) .on('changed:after', _.bind(function(combo, record) { if (me._changedProps) { - me._changedProps.put_YAlign(undefined); - me._changedProps.put_Y(Common.Utils.Metric.fnRecalcToMM(Common.Utils.String.parseFloat(record.value))); + if (combo.getSelectedRecord()) { + me._changedProps.put_YAlign(record.value); + } else { + var number = Common.Utils.String.parseFloat(record.value); + if (!isNaN(number)) { + me._changedProps.put_YAlign(undefined); + me._changedProps.put_Y(Common.Utils.Metric.fnRecalcToMM(Common.Utils.String.parseFloat(record.value))); + } + } } }, me)) .on('selected', _.bind(function(combo, record) { @@ -654,13 +672,16 @@ define([ if (this.borderProps !== undefined) { this.btnBorderColor.setColor(this.borderProps.borderColor); - this.tableStyler.setVirtualBorderColor((typeof(this.borderProps.borderColor) == 'object') ? this.borderProps.borderColor.color : this.borderProps.borderColor); + this.btnBorderColor.setAutoColor(this.borderProps.borderColor=='auto'); + this.tableStyler.setVirtualBorderColor((typeof(this.btnBorderColor.color) == 'object') ? this.btnBorderColor.color.color : this.btnBorderColor.color); + if (this.borderProps.borderColor=='auto') + this.colorsBorder.clearSelection(); + else + this.colorsBorder.select(this.borderProps.borderColor,true); this.cmbBorderSize.setValue(this.borderProps.borderSize.ptValue); this.BorderSize = {ptValue: this.borderProps.borderSize.ptValue, pxValue: this.borderProps.borderSize.pxValue}; this.tableStyler.setVirtualBorderSize(this.BorderSize.pxValue); - - this.colorsBorder.select(this.borderProps.borderColor); } this.setTitle((this.isFrame) ? this.textTitleFrame : this.textTitle); @@ -761,7 +782,7 @@ define([ paragraphProps : this._changedProps, borderProps : { borderSize : this.BorderSize, - borderColor : this.btnBorderColor.color + borderColor : this.btnBorderColor.isAutoColor() ? 'auto' : this.btnBorderColor.color } }; }, @@ -1072,7 +1093,13 @@ define([ var size = parseFloat(this.BorderSize.ptValue); border.put_Value(1); border.put_Size(size * 25.4 / 72.0); - var color = Common.Utils.ThemeColor.getRgbColor(this.btnBorderColor.color); + var color; + if (this.btnBorderColor.isAutoColor()) { + color = new Asc.asc_CColor(); + color.put_auto(true); + } else { + color = Common.Utils.ThemeColor.getRgbColor(this.btnBorderColor.color); + } border.put_Color(color); } else { diff --git a/apps/documenteditor/main/app/view/FileMenuPanels.js b/apps/documenteditor/main/app/view/FileMenuPanels.js index fcb62ce8b..15a47b721 100644 --- a/apps/documenteditor/main/app/view/FileMenuPanels.js +++ b/apps/documenteditor/main/app/view/FileMenuPanels.js @@ -63,7 +63,9 @@ define([ {name: 'OTT', imgCls: 'ott', type: Asc.c_oAscFileType.OTT}, {name: 'RTF', imgCls: 'rtf', type: Asc.c_oAscFileType.RTF} ],[ - {name: 'HTML (Zipped)', imgCls: 'html', type: Asc.c_oAscFileType.HTML} + {name: 'HTML (Zipped)', imgCls: 'html', type: Asc.c_oAscFileType.HTML}, + {name: 'FB2', imgCls: 'fb2', type: Asc.c_oAscFileType.FB2}, + {name: 'EPUB', imgCls: 'epub', type: Asc.c_oAscFileType.EPUB} ]], @@ -130,7 +132,9 @@ define([ {name: 'OTT', imgCls: 'ott', type: Asc.c_oAscFileType.OTT, ext: '.ott'}, {name: 'RTF', imgCls: 'rtf', type: Asc.c_oAscFileType.RTF, ext: '.rtf'} ],[ - {name: 'HTML (Zipped)', imgCls: 'html', type: Asc.c_oAscFileType.HTML, ext: '.html'} + {name: 'HTML (Zipped)', imgCls: 'html', type: Asc.c_oAscFileType.HTML, ext: '.html'}, + {name: 'FB2', imgCls: 'fb2', type: Asc.c_oAscFileType.FB2, ext: '.fb2'}, + {name: 'EPUB', imgCls: 'epub', type: Asc.c_oAscFileType.EPUB, ext: '.epub'} ]], @@ -240,6 +244,10 @@ define([ '', '','', /** coauthoring end **/ + '', + '', + '', + '','', '', '', '
', @@ -451,6 +459,17 @@ define([ }); this.btnAutoCorrect.on('click', _.bind(this.autoCorrect, this)); + this.cmbTheme = new Common.UI.ComboBox({ + el : $markup.findById('#fms-cmb-theme'), + style : 'width: 160px;', + editable : false, + cls : 'input-group-nr', + data : [ + { value: 'theme-light', displayValue: this.txtThemeLight }, + { value: 'theme-dark', displayValue: this.txtThemeDark } + ] + }); + $markup.find('.btn.primary').each(function(index, el){ (new Common.UI.Button({ el: $(el) @@ -577,9 +596,14 @@ define([ this.lblMacrosDesc.text(item ? item.get('descValue') : this.txtWarnMacrosDesc); this.chPaste.setValue(Common.Utils.InternalSettings.get("de-settings-paste-button")); + + item = this.cmbTheme.store.findWhere({value: Common.UI.Themes.current()}); + this.cmbTheme.setValue(item ? item.get('value') : 0); }, applySettings: function() { + Common.UI.Themes.setTheme(this.cmbTheme.getValue()); + Common.localStorage.setItem("de-settings-inputmode", this.chInputMode.isChecked() ? 1 : 0); Common.localStorage.setItem("de-settings-zoom", this.cmbZoom.getValue()); Common.Utils.InternalSettings.set("de-settings-zoom", Common.localStorage.getItem("de-settings-zoom")); @@ -702,6 +726,9 @@ define([ strPaste: 'Cut, copy and paste', strPasteButton: 'Show Paste Options button when content is pasted', txtProofing: 'Proofing', + strTheme: 'Theme', + txtThemeLight: 'Light', + txtThemeDark: 'Dark', txtAutoCorrect: 'AutoCorrect options...' }, DE.Views.FileMenuPanels.Settings || {})); @@ -1112,11 +1139,6 @@ define([ }, updateInfo: function(doc) { - if (!this.doc && doc && doc.info) { - doc.info.author && console.log("Obsolete: The 'author' parameter of the document 'info' section is deprecated. Please use 'owner' instead."); - doc.info.created && console.log("Obsolete: The 'created' parameter of the document 'info' section is deprecated. Please use 'uploaded' instead."); - } - this.doc = doc; if (!this.rendered) return; @@ -1128,11 +1150,11 @@ define([ if (doc.info.folder ) this.lblPlacement.text( doc.info.folder ); visible = this._ShowHideInfoItem(this.lblPlacement, doc.info.folder!==undefined && doc.info.folder!==null) || visible; - var value = doc.info.owner || doc.info.author; + var value = doc.info.owner; if (value) this.lblOwner.text(value); visible = this._ShowHideInfoItem(this.lblOwner, !!value) || visible; - value = doc.info.uploaded || doc.info.created; + value = doc.info.uploaded; if (value) this.lblUploaded.text(value); visible = this._ShowHideInfoItem(this.lblUploaded, !!value) || visible; diff --git a/apps/documenteditor/main/app/view/FormSettings.js b/apps/documenteditor/main/app/view/FormSettings.js index c46df84f4..5665a36ea 100644 --- a/apps/documenteditor/main/app/view/FormSettings.js +++ b/apps/documenteditor/main/app/view/FormSettings.js @@ -185,6 +185,7 @@ define([ minValue: 0.1 }); this.lockedControls.push(this.spnWidth); + this.spinners.push(this.spnWidth); this.spnWidth.on('change', this.onWidthChange.bind(this)); this.spnWidth.on('inputleave', function(){ me.fireEvent('editcomplete', me);}); @@ -212,8 +213,8 @@ define([ value : '' }); this.lockedControls.push(this.txtNewValue); - this.txtNewValue.on('changed:after', this.onAddItem.bind(this)); this.txtNewValue.on('inputleave', function(){ me.fireEvent('editcomplete', me);}); + this.txtNewValue._input.on('keydown', _.bind(this.onNewValueKeydown, this)); this.list = new Common.UI.ListView({ el: $markup.findById('#form-list-list'), @@ -294,7 +295,7 @@ define([ style : 'text-align: left;' }); this.btnRemForm.on('click', _.bind(function(btn){ - this.api.asc_RemoveContentControlWrapper(this._state.id); + this.api.asc_RemoveContentControl(this._state.id); }, this)); this.lockedControls.push(this.btnRemForm); @@ -341,22 +342,24 @@ define([ }, onPlaceholderChanged: function(input, newValue, oldValue, e) { - if (this.api && !this._noApply) { + if (this.api && !this._noApply && (newValue!==oldValue)) { var props = this._originalProps || new AscCommon.CContentControlPr(); props.put_PlaceholderText(newValue || ' '); this.api.asc_SetContentControlProperties(props, this.internalId); - this.fireEvent('editcomplete', this); + if (!e.relatedTarget || (e.relatedTarget.localName != 'input' && e.relatedTarget.localName != 'textarea') || !/form-control/.test(e.relatedTarget.className)) + this.fireEvent('editcomplete', this); } }, onHelpChanged: function(input, newValue, oldValue, e) { - if (this.api && !this._noApply) { + if (this.api && !this._noApply && (newValue!==oldValue)) { var props = this._originalProps || new AscCommon.CContentControlPr(); var formPr = this._originalFormProps || new AscCommon.CSdtFormPr(); formPr.put_HelpText(newValue); props.put_FormPr(formPr); this.api.asc_SetContentControlProperties(props, this.internalId); - this.fireEvent('editcomplete', this); + if (!e.relatedTarget || (e.relatedTarget.localName != 'input' && e.relatedTarget.localName != 'textarea') || !/form-control/.test(e.relatedTarget.className)) + this.fireEvent('editcomplete', this); } }, @@ -405,7 +408,7 @@ define([ formTextPr.put_MaxCharacters(this.spnMaxChars.getNumberValue() || 10); if (this.spnWidth.getValue()) { var value = this.spnWidth.getNumberValue(); - formTextPr.put_Width(value<=0 ? 0 : parseInt(Common.Utils.Metric.fnRecalcToMM(value) * 72 * 20 / 25.4)); + formTextPr.put_Width(value<=0 ? 0 : parseInt(Common.Utils.Metric.fnRecalcToMM(value) * 72 * 20 / 25.4 + 0.1)); } else formTextPr.put_Width(0); } @@ -421,7 +424,7 @@ define([ var formTextPr = this._originalTextFormProps || new AscCommon.CSdtTextFormPr(); if (this.spnWidth.getValue()) { var value = this.spnWidth.getNumberValue(); - formTextPr.put_Width(value<=0 ? 0 : parseInt(Common.Utils.Metric.fnRecalcToMM(value) * 72 * 20 / 25.4)); + formTextPr.put_Width(value<=0 ? 0 : parseInt(Common.Utils.Metric.fnRecalcToMM(value) * 72 * 20 / 25.4 + 0.1)); } else formTextPr.put_Width(0); @@ -455,6 +458,12 @@ define([ } }, + onNewValueKeydown: function(event) { + if (this.api && !this._noApply && event.keyCode == Common.UI.Keys.RETURN) { + this.onAddItem(); + } + }, + onAddItem: function() { var store = this.list.store, value = this.txtNewValue.getValue(); @@ -533,7 +542,7 @@ define([ onColorPickerSelect: function(btn, color) { this.BorderColor = color; - this._state.BorderColor = this.BorderColor; + this._state.BorderColor = undefined; if (this.api && !this._noApply) { var props = this._originalProps || new AscCommon.CContentControlPr(); @@ -554,6 +563,20 @@ define([ } }, + onNoBorderClick: function(item) { + this.BorderColor = 'transparent'; + this._state.BorderColor = undefined; + + if (this.api && !this._noApply) { + var props = this._originalProps || new AscCommon.CContentControlPr(); + var formTextPr = this._originalTextFormProps || new AscCommon.CSdtTextFormPr(); + formTextPr.put_CombBorder(); + props.put_TextFormPr(formTextPr); + this.api.asc_SetContentControlProperties(props, this.internalId); + this.fireEvent('editcomplete', this); + } + }, + ChangeSettings: function(props) { if (this._initSettings) this.createDelayedElements(); @@ -631,14 +654,20 @@ define([ this.labelFormName.text(this.textImage); } else data = this.api.asc_GetTextFormKeys(); - var arr = []; - data.forEach(function(item) { - arr.push({ displayValue: item, value: item }); - }); - this.cmbKey.setData(arr); + if (!this._state.arrKey || this._state.arrKey.length!==data.length || _.difference(this._state.arrKey, data).length>0) { + var arr = []; + data.forEach(function(item) { + arr.push({ displayValue: item, value: item }); + }); + this.cmbKey.setData(arr); + this._state.arrKey=data; + } val = formPr.get_Key(); - this.cmbKey.setValue(val ? val : ''); + if (this._state.Key!==val) { + this.cmbKey.setValue(val ? val : ''); + this._state.Key=val; + } if (val) { val = this.api.asc_GetFormsCountByKey(val); @@ -656,12 +685,20 @@ define([ val = specProps.get_GroupKey(); var ischeckbox = (typeof val !== 'string'); if (!ischeckbox) { - var arr = []; - this.api.asc_GetRadioButtonGroupKeys().forEach(function(item) { - arr.push({ displayValue: item, value: item }); - }); - this.cmbGroupKey.setData(arr); - this.cmbGroupKey.setValue(val ? val : ''); + data = this.api.asc_GetRadioButtonGroupKeys(); + if (!this._state.arrGroupKey || this._state.arrGroupKey.length!==data.length || _.difference(this._state.arrGroupKey, data).length>0) { + var arr = []; + data.forEach(function(item) { + arr.push({ displayValue: item, value: item }); + }); + this.cmbGroupKey.setData(arr); + this._state.arrGroupKey=data; + } + + if (this._state.groupKey!==val) { + this.cmbGroupKey.setValue(val ? val : ''); + this._state.groupKey=val; + } } this.labelFormName.text(ischeckbox ? this.textCheckbox : this.textRadiobox); @@ -697,7 +734,10 @@ define([ val = formTextPr.get_MaxCharacters(); this.chMaxChars.setValue(val && val>=0); this.spnMaxChars.setDisabled(!val || val<0); - this.spnMaxChars.setValue(val && val>=0 ? val : 10); + if ( (val===undefined || this._state.MaxChars===undefined)&&(this._state.MaxChars!==val) || Math.abs(this._state.MaxChars-val)>0.1) { + this.spnMaxChars.setValue(val && val>=0 ? val : 10, true); + this._state.MaxChars=val; + } var brd = formTextPr.get_CombBorder(); if (brd) { @@ -721,7 +761,8 @@ define([ this.btnColor.setColor(this.BorderColor); this.mnuColorPicker.clearSelection(); - this.mnuColorPicker.selectByRGB(typeof(this.BorderColor) == 'object' ? this.BorderColor.color : this.BorderColor,true); + this.mnuNoBorder.setChecked(this.BorderColor == 'transparent', true); + (this.BorderColor != 'transparent') && this.mnuColorPicker.selectByRGB(typeof(this.BorderColor) == 'object' ? this.BorderColor.color : this.BorderColor,true); this._state.BorderColor = this.BorderColor; } } @@ -743,8 +784,11 @@ define([ for (var i=0; i' + + '' + + '' + + '' + + '
' + + '' + + '' + + '' + + '
' + + '' + + '' + + ''; + function setEvents() { var me = this; - this.btnTextField.on('click', function (b, e) { + this.btnTextField && this.btnTextField.on('click', function (b, e) { me.fireEvent('forms:insert', ['text']); }); - this.btnComboBox.on('click', function (b, e) { + this.btnComboBox && this.btnComboBox.on('click', function (b, e) { me.fireEvent('forms:insert', ['combobox']); }); - this.btnDropDown.on('click', function (b, e) { + this.btnDropDown && this.btnDropDown.on('click', function (b, e) { me.fireEvent('forms:insert', ['dropdown']); }); - this.btnCheckBox.on('click', function (b, e) { + this.btnCheckBox && this.btnCheckBox.on('click', function (b, e) { me.fireEvent('forms:insert', ['checkbox']); }); - this.btnRadioBox.on('click', function (b, e) { + this.btnRadioBox && this.btnRadioBox.on('click', function (b, e) { me.fireEvent('forms:insert', ['radiobox']); }); - this.btnImageField.on('click', function (b, e) { + this.btnImageField && this.btnImageField.on('click', function (b, e) { me.fireEvent('forms:insert', ['picture']); }); - this.btnViewForm.on('click', function (b, e) { + this.btnViewForm && this.btnViewForm.on('click', function (b, e) { me.fireEvent('forms:mode', [b.pressed]); }); + this.btnClearFields && this.btnClearFields.on('click', function (b, e) { + me.fireEvent('forms:clear'); + }); + this.btnClear && this.btnClear.on('click', function (b, e) { + me.fireEvent('forms:clear'); + }); if (this.mnuFormsColorPicker) { - this.btnClearFields.on('click', function (b, e) { - me.fireEvent('forms:clear'); - }); $('#id-toolbar-menu-new-form-color').on('click', function (b, e) { me.fireEvent('forms:new-color'); }); @@ -87,6 +121,15 @@ define([ me.fireEvent('forms:open-color', [color]); }); } + this.btnPrevForm && this.btnPrevForm.on('click', function (b, e) { + me.fireEvent('forms:goto', ['prev']); + }); + this.btnNextForm && this.btnNextForm.on('click', function (b, e) { + me.fireEvent('forms:goto', ['next']); + }); + this.btnSubmit && this.btnSubmit.on('click', function (b, e) { + me.fireEvent('forms:submit'); + }); } return { @@ -96,143 +139,212 @@ define([ initialize: function (options) { Common.UI.BaseView.prototype.initialize.call(this); this.toolbar = options.toolbar; + this.appConfig = options.config; this.paragraphControls = []; - var me = this, - $host = me.toolbar.$el; + var me = this; - this.btnTextField = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-field'), + if (this.appConfig.isRestrictedEdit && this.appConfig.canFillForms) { + this.btnClear = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon clear-style', + caption: this.textClear + }); + } else { + this.btnTextField = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-text-field', + caption: this.capBtnText, + disabled: true + }); + this.paragraphControls.push(this.btnTextField); + + this.btnComboBox = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-combo-box', + caption: this.capBtnComboBox, + disabled: true + }); + this.paragraphControls.push(this.btnComboBox); + + this.btnDropDown = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-dropdown', + caption: this.capBtnDropDown, + disabled: true + }); + this.paragraphControls.push(this.btnDropDown); + + this.btnCheckBox = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-checkbox', + caption: this.capBtnCheckBox, + disabled: true + }); + this.paragraphControls.push(this.btnCheckBox); + + this.btnRadioBox = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-radio-button', + caption: this.capBtnRadioBox, + disabled: true + }); + this.paragraphControls.push(this.btnRadioBox); + + this.btnImageField = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-insertimage', + caption: this.capBtnImage, + disabled: true + }); + this.paragraphControls.push(this.btnImageField); + + this.btnViewForm = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon btn-sheet-view', + caption: this.capBtnView, + enableToggle: true, + disabled: true + }); + this.paragraphControls.push(this.btnViewForm); + + this.btnClearFields = new Common.UI.Button({ + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-clearstyle', + caption : this.textClearFields, + disabled: true + }); + this.paragraphControls.push(this.btnClearFields); + + this.btnHighlight = new Common.UI.ButtonColored({ + cls : 'btn-toolbar', + iconCls : 'toolbar__icon btn-highlight', + caption : this.textHighlight, + menu : true, + disabled: true + }); + this.paragraphControls.push(this.btnHighlight); + } + + this.btnPrevForm = new Common.UI.Button({ cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-text-field', - caption: this.capBtnText, - disabled: true + iconCls: 'toolbar__icon previous-field', + caption: this.capBtnPrev }); - this.paragraphControls.push(this.btnTextField); + this.paragraphControls.push(this.btnPrevForm); - this.btnComboBox = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-combobox'), + this.btnNextForm = new Common.UI.Button({ cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-combo-box', - caption: this.capBtnComboBox, - disabled: true + iconCls: 'toolbar__icon next-field', + caption: this.capBtnNext }); - this.paragraphControls.push(this.btnComboBox); + this.paragraphControls.push(this.btnNextForm); - this.btnDropDown = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-dropdown'), - cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-dropdown', - caption: this.capBtnDropDown, - disabled: true - }); - this.paragraphControls.push(this.btnDropDown); - - this.btnCheckBox = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-checkbox'), - cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-checkbox', - caption: this.capBtnCheckBox, - disabled: true - }); - this.paragraphControls.push(this.btnCheckBox); - - this.btnRadioBox = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-radiobox'), - cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-radio-button', - caption: this.capBtnRadioBox, - disabled: true - }); - this.paragraphControls.push(this.btnRadioBox); - - this.btnImageField = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-image'), - cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-insertimage', - caption: this.capBtnImage, - disabled: true - }); - this.paragraphControls.push(this.btnImageField); - - this.btnViewForm = new Common.UI.Button({ - parentEl: $host.find('#slot-btn-form-view'), - cls: 'btn-toolbar x-huge icon-top', - iconCls: 'toolbar__icon btn-sheet-view', - caption: this.capBtnView, - enableToggle: true, - disabled: true - }); - this.paragraphControls.push(this.btnViewForm); - - this.btnClearFields = new Common.UI.Button({ - parentEl : $host.find('#slot-form-clear-fields'), - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-clearstyle', - caption : this.textClearFields, - disabled: true - }); - this.paragraphControls.push(this.btnClearFields); - - this.btnHighlight = new Common.UI.Button({ - parentEl : $host.find('#slot-form-highlight'), - cls : 'btn-toolbar', - iconCls : 'toolbar__icon btn-highlight', - caption : this.textHighlight, - menu : true, - disabled: true - }); - this.paragraphControls.push(this.btnHighlight); + if (this.appConfig.canSubmitForms) { + this.btnSubmit = new Common.UI.Button({ + cls: 'btn-toolbar x-huge icon-top', + iconCls: 'toolbar__icon submit-form', + caption: this.capBtnSubmit + }); + this.paragraphControls.push(this.btnSubmit); + } this._state = {disabled: false}; Common.NotificationCenter.on('app:ready', this.onAppReady.bind(this)); }, render: function (el) { + if ( el ) el.html( this.getPanel() ); + return this; }, - + onAppReady: function (config) { var me = this; (new Promise(function (accept, reject) { accept(); })).then(function(){ - if (config.canEditContentControl) { - me.btnHighlight.setMenu(new Common.UI.Menu({ - items: [ - me.mnuNoFormsColor = new Common.UI.MenuItem({ - id: 'id-toolbar-menu-no-highlight-form', - caption: me.textNoHighlight, - checkable: true - }), - {caption: '--'}, - {template: _.template('
')}, - {template: _.template('' + me.textNewColor + '')} - ] - })); - me.mnuFormsColorPicker = new Common.UI.ThemeColorPalette({ - el: $('#id-toolbar-menu-form-color') - }); - var colorVal = $('
'); - $('button:first-child', me.btnHighlight.cmpEl).append(colorVal); - colorVal.css('background-color', me.btnHighlight.currentColor ? '#' + me.btnHighlight.currentColor : 'transparent'); - } else { - me.btnHighlight.cmpEl.parents('.group').hide().prev('.separator').hide(); - } + if (config.isEdit && config.canFeatureContentControl) { + if (config.canEditContentControl) { + me.btnHighlight.setMenu(new Common.UI.Menu({ + items: [ + me.mnuNoFormsColor = new Common.UI.MenuItem({ + id: 'id-toolbar-menu-no-highlight-form', + caption: me.textNoHighlight, + checkable: true, + checked: me.btnHighlight.currentColor === null + }), + {caption: '--'}, + {template: _.template('
')}, + {template: _.template('' + me.textNewColor + '')} + ] + })); + me.mnuFormsColorPicker = new Common.UI.ThemeColorPalette({ + el: $('#id-toolbar-menu-form-color'), + colors: ['000000', '993300', '333300', '003300', '003366', '000080', '333399', '333333', '800000', 'FF6600', + '808000', '00FF00', '008080', '0000FF', '666699', '808080', 'FF0000', 'FF9900', '99CC00', '339966', + '33CCCC', '3366FF', '800080', '999999', 'FF00FF', 'FFCC00', 'FFFF00', '00FF00', '00FFFF', '00CCFF', + '993366', 'C0C0C0', 'FF99CC', 'FFCC99', 'FFFF99', 'CCFFCC', 'CCFFFF', '99CCFF', 'CC99FF', 'FFFFFF' + ], + value: me.btnHighlight.currentColor + }); + me.btnHighlight.setColor(me.btnHighlight.currentColor || 'transparent'); + } else { + me.btnHighlight.cmpEl.parents('.group').hide().prev('.separator').hide(); + } - me.btnTextField.updateHint(me.tipTextField); - me.btnComboBox.updateHint(me.tipComboBox); - me.btnDropDown.updateHint(me.tipDropDown); - me.btnCheckBox.updateHint(me.tipCheckBox); - me.btnRadioBox.updateHint(me.tipRadioBox); - me.btnImageField.updateHint(me.tipImageField); - me.btnViewForm.updateHint(me.tipViewForm); + me.btnTextField.updateHint(me.tipTextField); + me.btnComboBox.updateHint(me.tipComboBox); + me.btnDropDown.updateHint(me.tipDropDown); + me.btnCheckBox.updateHint(me.tipCheckBox); + me.btnRadioBox.updateHint(me.tipRadioBox); + me.btnImageField.updateHint(me.tipImageField); + me.btnViewForm.updateHint(me.tipViewForm); + } else { + me.btnClear.updateHint(me.textClearFields); + } + me.btnPrevForm.updateHint(me.tipPrevForm); + me.btnNextForm.updateHint(me.tipNextForm); + me.btnSubmit && me.btnSubmit.updateHint(me.tipSubmit); setEvents.call(me); }); }, + getPanel: function () { + this.$el = $(_.template(template)( {} )); + var $host = this.$el; + + if (this.appConfig.canSubmitForms) { + this.btnSubmit.render($host.find('#slot-btn-form-submit')); + } + + if (this.appConfig.isRestrictedEdit && this.appConfig.canFillForms) { + this.btnClear.render($host.find('#slot-btn-form-clear')); + this.btnSubmit && $host.find('.separator.submit').show().next('.group').show(); + } else { + this.btnTextField.render($host.find('#slot-btn-form-field')); + this.btnComboBox.render($host.find('#slot-btn-form-combobox')); + this.btnDropDown.render($host.find('#slot-btn-form-dropdown')); + this.btnCheckBox.render($host.find('#slot-btn-form-checkbox')); + this.btnRadioBox.render($host.find('#slot-btn-form-radiobox')); + this.btnImageField.render($host.find('#slot-btn-form-image')); + this.btnViewForm.render($host.find('#slot-btn-form-view')); + this.btnClearFields.render($host.find('#slot-form-clear-fields')); + this.btnHighlight.render($host.find('#slot-form-highlight')); + + var separator_forms = $host.find('.separator.forms'); + separator_forms.prev('.group').show(); + separator_forms.show().next('.group').show(); + $host.find('.separator.submit').show().next('.group').show(); + } + this.btnPrevForm.render($host.find('#slot-btn-form-prev')); + this.btnNextForm.render($host.find('#slot-btn-form-next')); + + return this.$el; + }, + show: function () { Common.UI.BaseView.prototype.show.call(this); this.fireEvent('show', this); @@ -266,9 +378,17 @@ define([ tipCheckBox: 'Insert checkbox', tipRadioBox: 'Insert radio button', tipImageField: 'Insert image', - tipViewForm: 'Fill form mode', + tipViewForm: 'View form', textNoHighlight: 'No highlighting', - textNewColor: 'Add New Custom Color' + textNewColor: 'Add New Custom Color', + textClear: 'Clear Fields', + capBtnPrev: 'Previous Field', + capBtnNext: 'Next Field', + capBtnSubmit: 'Submit', + tipPrevForm: 'Go to the previous field', + tipNextForm: 'Go to the next field', + tipSubmit: 'Submit form', + textSubmited: 'Form submitted successfully' } }()), DE.Views.FormsTab || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/HeaderFooterSettings.js b/apps/documenteditor/main/app/view/HeaderFooterSettings.js index 35d5c03b2..941ef201e 100644 --- a/apps/documenteditor/main/app/view/HeaderFooterSettings.js +++ b/apps/documenteditor/main/app/view/HeaderFooterSettings.js @@ -214,6 +214,7 @@ define([ spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.01); } + this.numPosition && this.numPosition.setValue(Common.Utils.Metric.fnRecalcFromMM(this._state.Position), true); } }, diff --git a/apps/documenteditor/main/app/view/ImageSettings.js b/apps/documenteditor/main/app/view/ImageSettings.js index 14a7f1ac8..f48827afc 100644 --- a/apps/documenteditor/main/app/view/ImageSettings.js +++ b/apps/documenteditor/main/app/view/ImageSettings.js @@ -121,13 +121,13 @@ define([ createDelayedControls: function() { var me = this, viewData = [ - { offsetx: 0, data: Asc.c_oAscWrapStyle2.Inline, tip: this.txtInline, selected: true }, - { offsetx: 50, data: Asc.c_oAscWrapStyle2.Square, tip: this.txtSquare }, - { offsetx: 100, data: Asc.c_oAscWrapStyle2.Tight, tip: this.txtTight }, - { offsetx: 150, data: Asc.c_oAscWrapStyle2.Through, tip: this.txtThrough }, - { offsetx: 200, data: Asc.c_oAscWrapStyle2.TopAndBottom, tip: this.txtTopAndBottom }, - { offsetx: 250, data: Asc.c_oAscWrapStyle2.InFront, tip: this.txtInFront }, - { offsetx: 300, data: Asc.c_oAscWrapStyle2.Behind, tip: this.txtBehind } + { icon: 'btn-wrap-inline', data: Asc.c_oAscWrapStyle2.Inline, tip: this.txtInline, selected: true }, + { icon: 'btn-wrap-square', data: Asc.c_oAscWrapStyle2.Square, tip: this.txtSquare }, + { icon: 'btn-wrap-tight', data: Asc.c_oAscWrapStyle2.Tight, tip: this.txtTight }, + { icon: 'btn-wrap-through', data: Asc.c_oAscWrapStyle2.Through, tip: this.txtThrough }, + { icon: 'btn-wrap-topbottom', data: Asc.c_oAscWrapStyle2.TopAndBottom, tip: this.txtTopAndBottom }, + { icon: 'btn-wrap-infront', data: Asc.c_oAscWrapStyle2.InFront, tip: this.txtInFront }, + { icon: 'btn-wrap-behind', data: Asc.c_oAscWrapStyle2.Behind, tip: this.txtBehind } ]; this.cmbWrapType = new Common.UI.ComboDataView({ @@ -139,10 +139,9 @@ define([ cls: 'combo-chart-style' }); this.cmbWrapType.menuPicker.itemTemplate = this.cmbWrapType.fieldPicker.itemTemplate = _.template([ - '
', - '', + '
', + '' ].join('')); this.cmbWrapType.render($('#image-combo-wrap')); diff --git a/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js b/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js index d1b1a67dc..1758336b9 100644 --- a/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/ImageSettingsAdvanced.js @@ -403,7 +403,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapInline = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-inline'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-inline', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-inline', posId: Asc.c_oAscWrapStyle2.Inline, hint: this.textWrapInlineTooltip, enableToggle: true, @@ -415,7 +415,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapSquare = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-square'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-square', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-square', posId: Asc.c_oAscWrapStyle2.Square, hint: this.textWrapSquareTooltip, enableToggle: true, @@ -427,7 +427,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapTight = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-tight'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-tight', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-tight', posId: Asc.c_oAscWrapStyle2.Tight, hint: this.textWrapTightTooltip, enableToggle: true, @@ -439,7 +439,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapThrough = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-through'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-through', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-through', posId: Asc.c_oAscWrapStyle2.Through, hint: this.textWrapThroughTooltip, enableToggle: true, @@ -451,7 +451,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapTopBottom = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-topbottom'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-topbottom', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-topbottom', posId: Asc.c_oAscWrapStyle2.TopAndBottom, hint: this.textWrapTopbottomTooltip, enableToggle: true, @@ -463,7 +463,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapBehind = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-behind'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-behind', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-behind', posId: Asc.c_oAscWrapStyle2.Behind, hint: this.textWrapBehindTooltip, enableToggle: true, @@ -475,7 +475,7 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat this.btnWrapInFront = new Common.UI.Button({ parentEl: $('#image-advanced-button-wrap-infront'), cls: 'btn-options huge-1', - iconCls: 'icon-advanced-wrap btn-wrap-infront', + iconCls: 'icon-advanced-wrap options__icon options__icon-huge btn-wrap-infront', posId: Asc.c_oAscWrapStyle2.InFront, hint: this.textWrapInFrontTooltip, enableToggle: true, @@ -1012,9 +1012,11 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat el: $('#shape-advanced-begin-style'), template: _.template([ '' ].join('')) }); @@ -1039,9 +1041,11 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat el: $('#shape-advanced-begin-size'), template: _.template([ '' ].join('')) }); @@ -1072,9 +1076,11 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat el: $('#shape-advanced-end-style'), template: _.template([ '' ].join('')) }); @@ -1099,9 +1105,11 @@ define([ 'text!documenteditor/main/app/template/ImageSettingsAdvanced.templat el: $('#shape-advanced-end-size'), template: _.template([ '' ].join('')) }); diff --git a/apps/documenteditor/main/app/view/NoteSettingsDialog.js b/apps/documenteditor/main/app/view/NoteSettingsDialog.js index 107c627ab..5ff80e096 100644 --- a/apps/documenteditor/main/app/view/NoteSettingsDialog.js +++ b/apps/documenteditor/main/app/view/NoteSettingsDialog.js @@ -474,6 +474,7 @@ define([ } result += val; + prev = Math.abs(val); } return result; diff --git a/apps/documenteditor/main/app/view/NumberingValueDialog.js b/apps/documenteditor/main/app/view/NumberingValueDialog.js index 399289f67..b0f555db7 100644 --- a/apps/documenteditor/main/app/view/NumberingValueDialog.js +++ b/apps/documenteditor/main/app/view/NumberingValueDialog.js @@ -248,6 +248,7 @@ define([ } result += val; + prev = Math.abs(val); } return result; diff --git a/apps/documenteditor/main/app/view/ParagraphSettings.js b/apps/documenteditor/main/app/view/ParagraphSettings.js index 148b62b63..dcb530521 100644 --- a/apps/documenteditor/main/app/view/ParagraphSettings.js +++ b/apps/documenteditor/main/app/view/ParagraphSettings.js @@ -77,7 +77,11 @@ define([ AddInterval: false, BackColor: '#000000', DisabledControls: true, - HideTextOnlySettings: false + HideTextOnlySettings: false, + LeftIndent: null, + RightIndent: null, + FirstLine: null, + CurSpecial: undefined }; this.spinners = []; this.lockedControls = []; @@ -90,6 +94,12 @@ define([ {displayValue: this.textExact, defaultValue: 5, value: c_paragraphLinerule.LINERULE_EXACT, minValue: 0.03, step: 0.01, defaultUnit: 'cm'} ]; + this._arrSpecial = [ + {displayValue: this.textNoneSpecial, value: c_paragraphSpecial.NONE_SPECIAL, defaultValue: 0}, + {displayValue: this.textFirstLine, value: c_paragraphSpecial.FIRST_LINE, defaultValue: 12.7}, + {displayValue: this.textHanging, value: c_paragraphSpecial.HANGING, defaultValue: 12.7} + ]; + this.render(); }, @@ -169,6 +179,60 @@ define([ }); this.lockedControls.push(this.btnColor); + this.numIndentsLeft = new Common.UI.MetricSpinner({ + el: $markup.findById('#paragraph-spin-indent-left'), + step: .1, + width: 85, + defaultUnit : "cm", + defaultValue : 0, + value: '0 cm', + maxValue: 55.87, + minValue: -55.87, + disabled: this._locked + }); + this.spinners.push(this.numIndentsLeft); + this.lockedControls.push(this.numIndentsLeft); + + this.numIndentsRight = new Common.UI.MetricSpinner({ + el: $markup.findById('#paragraph-spin-indent-right'), + step: .1, + width: 85, + defaultUnit : "cm", + defaultValue : 0, + value: '0 cm', + maxValue: 55.87, + minValue: -55.87, + disabled: this._locked + }); + this.spinners.push(this.numIndentsRight); + this.lockedControls.push(this.numIndentsRight); + + this.cmbSpecial = new Common.UI.ComboBox({ + el: $markup.findById('#paragraph-combo-special'), + cls: 'input-group-nr', + editable: false, + data: this._arrSpecial, + style: 'width: 85px;', + menuStyle : 'min-width: 85px;', + disabled: this._locked + }); + this.cmbSpecial.setValue(''); + this.lockedControls.push(this.cmbSpecial); + + this.numSpecialBy = new Common.UI.MetricSpinner({ + el: $markup.findById('#paragraph-spin-special-by'), + step: .1, + width: 85, + defaultUnit : "cm", + defaultValue : 0, + value: '0 cm', + maxValue: 55.87, + minValue: 0, + disabled: this._locked + }); + this.spinners.push(this.numSpecialBy); + this.lockedControls.push(this.numSpecialBy); + this.numLineHeight.on('change', this.onNumLineHeightChange.bind(this)); this.numSpacingBefore.on('change', this.onNumSpacingBeforeChange.bind(this)); this.numSpacingAfter.on('change', this.onNumSpacingAfterChange.bind(this)); @@ -179,6 +243,11 @@ define([ this.cmbLineRule.on('selected', this.onLineRuleSelect.bind(this)); this.cmbLineRule.on('hide:after', this.onHideMenus.bind(this)); this.btnColor.on('color:select', this.onColorPickerSelect.bind(this)); + this.numIndentsLeft.on('change', this.onNumIndentsLeftChange.bind(this)); + this.numIndentsRight.on('change', this.onNumIndentsRightChange.bind(this)); + this.numSpecialBy.on('change', this.onFirstLineChange.bind(this)); + this.cmbSpecial.on('selected', _.bind(this.onSpecialSelect, this)); + this.linkAdvanced = $markup.findById('#paragraph-advanced-link'); this.linkAdvanced.toggleClass('disabled', this._locked); @@ -280,6 +349,61 @@ define([ this.fireEvent('editcomplete', this); }, + onSpecialSelect: function(combo, record) { + var special = record.value, + specialBy = (special === c_paragraphSpecial.NONE_SPECIAL) ? 0 : this.numSpecialBy.getNumberValue(); + specialBy = Common.Utils.Metric.fnRecalcToMM(specialBy); + if (specialBy === 0) { + specialBy = this._arrSpecial[special].defaultValue; + } + if (special === c_paragraphSpecial.HANGING) { + specialBy = -specialBy; + } + + var props = new Asc.asc_CParagraphProperty(); + props.put_Ind(new Asc.asc_CParagraphInd()); + props.get_Ind().put_FirstLine(specialBy); + if (this.api) + this.api.paraApply(props); + this.fireEvent('editcomplete', this); + }, + + onFirstLineChange: function(field, newValue, oldValue, eOpts){ + var specialBy = Common.Utils.Metric.fnRecalcToMM(field.getNumberValue()); + if (this._state.CurSpecial === c_paragraphSpecial.HANGING) { + specialBy = -specialBy; + } + + var props = new Asc.asc_CParagraphProperty(); + props.put_Ind(new Asc.asc_CParagraphInd()); + props.get_Ind().put_FirstLine(specialBy); + if (this.api) + this.api.paraApply(props); + this.fireEvent('editcomplete', this); + }, + + onNumIndentsLeftChange: function(field, newValue, oldValue, eOpts){ + var left = field.getNumberValue(); + if (this._state.FirstLine<0) { + left = left-this._state.FirstLine; + } + var props = new Asc.asc_CParagraphProperty(); + props.put_Ind(new Asc.asc_CParagraphInd()); + props.get_Ind().put_Left(Common.Utils.Metric.fnRecalcToMM(left)); + if (this.api) + this.api.paraApply(props); + this.fireEvent('editcomplete', this); + }, + + onNumIndentsRightChange: function(field, newValue, oldValue, eOpts){ + var props = new Asc.asc_CParagraphProperty(); + props.put_Ind(new Asc.asc_CParagraphInd()); + props.get_Ind().put_Right(Common.Utils.Metric.fnRecalcToMM(field.getNumberValue())); + if (this.api) + this.api.paraApply(props); + this.fireEvent('editcomplete', this); + }, + ChangeSettings: function(prop) { if (this._initSettings) this.createDelayedElements(); @@ -340,6 +464,36 @@ define([ this._state.AddInterval=other.ContextualSpacing; } + var indents = prop.get_Ind(), + first = (indents !== null) ? indents.get_FirstLine() : null, + left = (indents !== null) ? indents.get_Left() : null; + if (first<0 && left !== null) + left = left + first; + if ( Math.abs(this._state.LeftIndent-left)>0.001 || + (this._state.LeftIndent===null || left===null)&&(this._state.LeftIndent!==left)) { + this.numIndentsLeft.setValue(left!==null ? Common.Utils.Metric.fnRecalcFromMM(left) : '', true); + this._state.LeftIndent=left; + } + + if ( Math.abs(this._state.FirstLine-first)>0.001 || + (this._state.FirstLine===null || first===null)&&(this._state.FirstLine!==first)) { + this.numSpecialBy.setValue(first!==null ? Math.abs(Common.Utils.Metric.fnRecalcFromMM(first)) : '', true); + this._state.FirstLine=first; + } + + var value = (indents !== null) ? indents.get_Right() : null; + if ( Math.abs(this._state.RightIndent-value)>0.001 || + (this._state.RightIndent===null || value===null)&&(this._state.RightIndent!==value)) { + this.numIndentsRight.setValue(value!==null ? Common.Utils.Metric.fnRecalcFromMM(value) : '', true); + this._state.RightIndent=value; + } + + value = (first === 0) ? c_paragraphSpecial.NONE_SPECIAL : ((first > 0) ? c_paragraphSpecial.FIRST_LINE : c_paragraphSpecial.HANGING); + if ( this._state.CurSpecial!==value ) { + this.cmbSpecial.setValue(value); + this._state.CurSpecial=value; + } + var shd = prop.get_Shade(); if (shd!==null && shd!==undefined && shd.get_Value()===Asc.c_oAscShdClear) { var color = shd.get_Color(); @@ -394,7 +548,19 @@ define([ if (this._state.LineRuleIdx !== null) { this.numLineHeight.setDefaultUnit(this._arrLineRule[this._state.LineRuleIdx].defaultUnit); this.numLineHeight.setStep(this._arrLineRule[this._state.LineRuleIdx].step); + var val = ''; + if ( this._state.LineRuleIdx == c_paragraphLinerule.LINERULE_AUTO ) { + val = this._state.LineHeight; + } else if (this._state.LineHeight !== null ) { + val = Common.Utils.Metric.fnRecalcFromMM(this._state.LineHeight); + } + this.numLineHeight && this.numLineHeight.setValue((val !== null) ? val : '', true); } + + var val = this._state.LineSpacingBefore; + this.numSpacingBefore && this.numSpacingBefore.setValue((val !== null) ? ((val<0) ? val : Common.Utils.Metric.fnRecalcFromMM(val) ) : '', true); + val = this._state.LineSpacingAfter; + this.numSpacingAfter && this.numSpacingAfter.setValue((val !== null) ? ((val<0) ? val : Common.Utils.Metric.fnRecalcFromMM(val) ) : '', true); }, createDelayedElements: function() { @@ -485,6 +651,13 @@ define([ textAdvanced: 'Show advanced settings', textAt: 'At', txtAutoText: 'Auto', - textBackColor: 'Background color' + textBackColor: 'Background color', + strIndent: 'Indents', + strIndentsLeftText: 'Left', + strIndentsRightText: 'Right', + strIndentsSpecial: 'Special', + textNoneSpecial: '(none)', + textFirstLine: 'First line', + textHanging: 'Hanging' }, DE.Views.ParagraphSettings || {})); }); \ No newline at end of file diff --git a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js index 6eb3ee1e9..49d6fa879 100644 --- a/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/ParagraphSettingsAdvanced.js @@ -376,10 +376,12 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem this.btnBorderColor = new Common.UI.ColorButton({ parentEl: $('#paragraphadv-border-color-btn'), additionalAlign: this.menuAddAlign, - color: '000000' + color: 'auto', + auto: true }); this.colorsBorder = this.btnBorderColor.getPicker(); this.btnBorderColor.on('color:select', _.bind(this.onColorsBorderSelect, this)); + this.btnBorderColor.on('auto:select', _.bind(this.onColorsBorderSelect, this)); this.BordersImage = new Common.UI.TableStyler({ el: $('#id-deparagraphstyler'), @@ -391,14 +393,14 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem }); var _arrBorderPresets = [ - ['lrtb', 'btn-borders-large btn-adv-paragraph-outer', 'paragraphadv-button-border-outer', this.tipOuter], - ['lrtbm', 'btn-borders-large btn-adv-paragraph-all', 'paragraphadv-button-border-all', this.tipAll], - ['', 'btn-borders-large btn-adv-paragraph-none', 'paragraphadv-button-border-none', this.tipNone], - ['l', 'btn-borders-large btn-adv-paragraph-left', 'paragraphadv-button-border-left', this.tipLeft], - ['r', 'btn-borders-large btn-adv-paragraph-right', 'paragraphadv-button-border-right', this.tipRight], - ['t', 'btn-borders-large btn-adv-paragraph-top', 'paragraphadv-button-border-top', this.tipTop], - ['m', 'btn-borders-large btn-adv-paragraph-inner-hor', 'paragraphadv-button-border-inner-hor', this.tipInner], - ['b', 'btn-borders-large btn-adv-paragraph-bottom', 'paragraphadv-button-border-bottom', this.tipBottom] + ['lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-outer', 'paragraphadv-button-border-outer', this.tipOuter], + ['lrtbm', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-all', 'paragraphadv-button-border-all', this.tipAll], + ['', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-none', 'paragraphadv-button-border-none', this.tipNone], + ['l', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-left', 'paragraphadv-button-border-left', this.tipLeft], + ['r', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-right', 'paragraphadv-button-border-right', this.tipRight], + ['t', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-top', 'paragraphadv-button-border-top', this.tipTop], + ['m', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-inner', 'paragraphadv-button-border-inner-hor', this.tipInner], + ['b', 'btn-borders-large toolbar__icon toolbar__icon-big paragraph-borders-bottom', 'paragraphadv-button-border-bottom', this.tipBottom] ]; this._btnsBorderPosition = []; @@ -781,7 +783,7 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem var horizontalAlign = this.cmbTextAlignment.getValue(); this._changedProps.asc_putJc((horizontalAlign !== undefined && horizontalAlign !== null) ? horizontalAlign : c_paragraphTextAlignment.LEFT); - return { paragraphProps: this._changedProps, borderProps: {borderSize: this.BorderSize, borderColor: this.btnBorderColor.color} }; + return { paragraphProps: this._changedProps, borderProps: {borderSize: this.BorderSize, borderColor: this.btnBorderColor.isAutoColor() ? 'auto' : this.btnBorderColor.color} }; }, _setDefaults: function(props) { @@ -962,14 +964,18 @@ define([ 'text!documenteditor/main/app/template/ParagraphSettingsAdvanced.tem if (this.borderProps !== undefined) { this.btnBorderColor.setColor(this.borderProps.borderColor); - this.BordersImage.setVirtualBorderColor((typeof(this.borderProps.borderColor) == 'object') ? this.borderProps.borderColor.color : this.borderProps.borderColor); + this.btnBorderColor.setAutoColor(this.borderProps.borderColor=='auto'); + this.BordersImage.setVirtualBorderColor((typeof(this.btnBorderColor.color) == 'object') ? this.btnBorderColor.color.color : this.btnBorderColor.color); + + if (this.borderProps.borderColor=='auto') + this.colorsBorder.clearSelection(); + else + this.colorsBorder.select(this.borderProps.borderColor,true); this.cmbBorderSize.setValue(this.borderProps.borderSize.ptValue); var rec = this.cmbBorderSize.getSelectedRecord(); if (rec) this.onBorderSizeSelect(this.cmbBorderSize, rec); - - this.colorsBorder.select(this.borderProps.borderColor,true); } for (var i=0; i', - '', + '
', + '' ].join('')); this.cmbWrapType.render($('#shape-combo-wrap')); @@ -1642,7 +1641,9 @@ define([ '' ].join('')) }); diff --git a/apps/documenteditor/main/app/view/TableOfContentsSettings.js b/apps/documenteditor/main/app/view/TableOfContentsSettings.js index 430d1b552..2d043de1e 100644 --- a/apps/documenteditor/main/app/view/TableOfContentsSettings.js +++ b/apps/documenteditor/main/app/view/TableOfContentsSettings.js @@ -69,7 +69,7 @@ define([ '
', '', '', - '
', + '
', '
', '
', '', diff --git a/apps/documenteditor/main/app/view/TableSettings.js b/apps/documenteditor/main/app/view/TableSettings.js index d696c5653..6661e66e3 100644 --- a/apps/documenteditor/main/app/view/TableSettings.js +++ b/apps/documenteditor/main/app/view/TableSettings.js @@ -577,6 +577,10 @@ define([ spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1); } + var val = this._state.Width; + this.numWidth && this.numWidth.setValue((val !== null && val !== undefined) ? Common.Utils.Metric.fnRecalcFromMM(val) : '', true); + val = this._state.Height; + this.numHeight && this.numHeight.setValue((val !== null && val !== undefined) ? Common.Utils.Metric.fnRecalcFromMM(val) : '', true); } }, @@ -626,7 +630,13 @@ define([ var size = parseFloat(this.BorderSize); border.put_Value(1); border.put_Size(size * 25.4 / 72.0); - var color = Common.Utils.ThemeColor.getRgbColor(this.btnBorderColor.color); + var color; + if (this.btnBorderColor.isAutoColor()) { + color = new Asc.asc_CColor(); + color.put_auto(true); + } else { + color = Common.Utils.ThemeColor.getRgbColor(this.btnBorderColor.color); + } border.put_Color(color); } else { @@ -640,7 +650,8 @@ define([ // create color buttons this.btnBorderColor = new Common.UI.ColorButton({ parentEl: $('#table-border-color-btn'), - color: '000000' + color: 'auto', + auto: true }); this.lockedControls.push(this.btnBorderColor); this.borderColor = this.btnBorderColor.getPicker(); @@ -655,7 +666,7 @@ define([ } this.colorsBack.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); this.borderColor.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); - this.btnBorderColor.setColor(this.borderColor.getColor()); + !this.btnBorderColor.isAutoColor() && this.btnBorderColor.setColor(this.borderColor.getColor()); }, _onInitTemplates: function(Templates){ diff --git a/apps/documenteditor/main/app/view/TableSettingsAdvanced.js b/apps/documenteditor/main/app/view/TableSettingsAdvanced.js index 1eac6b73c..d7d13475a 100644 --- a/apps/documenteditor/main/app/view/TableSettingsAdvanced.js +++ b/apps/documenteditor/main/app/view/TableSettingsAdvanced.js @@ -889,9 +889,11 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat this.btnBorderColor = new Common.UI.ColorButton({ parentEl: $('#tableadv-border-color-btn'), additionalAlign: this.menuAddAlign, - color: '000000' + color: 'auto', + auto: true }); this.btnBorderColor.on('color:select', _.bind(me.onColorsBorderSelect, me)); + this.btnBorderColor.on('auto:select', _.bind(me.onColorsBorderSelect, me)); this.colorsBorder = this.btnBorderColor.getPicker(); this.btnBackColor = new Common.UI.ColorButton({ @@ -929,10 +931,10 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat }); var _arrBorderPresets = [ - ['cm', 'btn-borders-large btn-adv-position-inner', 'tableadv-button-border-inner', this.tipInner], - ['lrtb', 'btn-borders-large btn-adv-position-outer', 'tableadv-button-border-outer', this.tipOuter], - ['lrtbcm', 'btn-borders-large btn-adv-position-all', 'tableadv-button-border-all', this.tipAll], - ['', 'btn-borders-large btn-adv-position-none', 'tableadv-button-border-none', this.tipNone] + ['cm', 'btn-borders-large toolbar__icon toolbar__icon-big borders-inner-only', 'tableadv-button-border-inner', this.tipInner], + ['lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big borders-outer-only', 'tableadv-button-border-outer', this.tipOuter], + ['lrtbcm', 'btn-borders-large toolbar__icon toolbar__icon-big borders-all', 'tableadv-button-border-all', this.tipAll], + ['', 'btn-borders-large toolbar__icon toolbar__icon-big borders-none', 'tableadv-button-border-none', this.tipNone] ]; this._btnsBorderPosition = []; @@ -951,14 +953,14 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat var _arrTableBorderPresets = [ - ['cm', '', 'btn-borders-large btn-adv-position-inner-none', 'tableadv-button-border-inner-none', this.tipCellInner], - ['lrtb', '', 'btn-borders-large btn-adv-position-outer-none', 'tableadv-button-border-outer-none', this.tipCellOuter], - ['lrtbcm', '', 'btn-borders-large btn-adv-position-all-none', 'tableadv-button-border-all-none', this.tipCellAll], - ['', '', 'btn-borders-large btn-adv-position-none-none', 'tableadv-button-border-none-none', this.tipNone], - ['lrtbcm', 'lrtb', 'btn-borders-large btn-adv-position-all-table', 'tableadv-button-border-all-table', this.tipTableOuterCellAll], - ['', 'lrtb', 'btn-borders-large btn-adv-position-none-table', 'tableadv-button-border-none-table', this.tipOuter], - ['cm', 'lrtb', 'btn-borders-large btn-adv-position-inner-table', 'tableadv-button-border-inner-table', this.tipTableOuterCellInner], - ['lrtb', 'lrtb', 'btn-borders-large btn-adv-position-outer-table', 'tableadv-button-border-outer-table', this.tipTableOuterCellOuter] + ['cm', '', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-none-inner', 'tableadv-button-border-inner-none', this.tipCellInner], + ['lrtb', '', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-none-outer', 'tableadv-button-border-outer-none', this.tipCellOuter], + ['lrtbcm', '', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-none-all', 'tableadv-button-border-all-none', this.tipCellAll], + ['', '', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-none', 'tableadv-button-border-none-none', this.tipNone], + ['lrtbcm', 'lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-all', 'tableadv-button-border-all-table', this.tipTableOuterCellAll], + ['', 'lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-outer-none', 'tableadv-button-border-none-table', this.tipOuter], + ['cm', 'lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-outer-inner', 'tableadv-button-border-inner-table', this.tipTableOuterCellInner], + ['lrtb', 'lrtb', 'btn-borders-large toolbar__icon toolbar__icon-big borders-twin-outer-outer', 'tableadv-button-border-outer-table', this.tipTableOuterCellOuter] ]; this._btnsTableBorderPosition = []; @@ -1063,16 +1065,19 @@ define([ 'text!documenteditor/main/app/template/TableSettingsAdvanced.templat if (this.borderProps !== undefined) { this.btnBorderColor.setColor(this.borderProps.borderColor); - var colorstr = (typeof(this.borderProps.borderColor) == 'object') ? this.borderProps.borderColor.color : this.borderProps.borderColor; + this.btnBorderColor.setAutoColor(this.borderProps.borderColor=='auto'); + var colorstr = (typeof(this.btnBorderColor.color) == 'object') ? this.btnBorderColor.color.color : this.btnBorderColor.color; this.tableBordersImageSpacing.setVirtualBorderColor(colorstr); this.tableBordersImage.setVirtualBorderColor(colorstr); + if (this.borderProps.borderColor=='auto') + this.colorsBorder.clearSelection(); + else + this.colorsBorder.select(this.borderProps.borderColor,true); this.cmbBorderSize.setValue(this.borderProps.borderSize.ptValue); var rec = this.cmbBorderSize.getSelectedRecord(); if (rec) this.onBorderSizeSelect(this.cmbBorderSize, rec); - - this.colorsBorder.select(this.borderProps.borderColor, true); } for (var i=0; i<%= caption %>') }, {caption: '--'}, - {template: _.template('
')}, + {template: _.template('
')}, {template: _.template('' + this.textNewColor + '')} ] }) }); this.paragraphControls.push(this.btnFontColor); - this.btnParagraphColor = new Common.UI.Button({ + this.btnParagraphColor = new Common.UI.ButtonColored({ id: 'id-toolbar-btn-paracolor', cls: 'btn-toolbar', iconCls: 'toolbar__icon btn-paracolor', split: true, menu: new Common.UI.Menu({ items: [ - {template: _.template('
')}, + {template: _.template('
')}, {template: _.template('' + this.textNewColor + '')} ] }) @@ -290,6 +290,22 @@ define([ this.paragraphControls.push(this.btnParagraphColor); this.textOnlyControls.push(this.btnParagraphColor); + this.btnChangeCase = new Common.UI.Button({ + id: 'id-toolbar-btn-case', + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-change-case', + menu: new Common.UI.Menu({ + items: [ + {caption: this.mniSentenceCase, value: Asc.c_oAscChangeTextCaseType.SentenceCase}, + {caption: this.mniLowerCase, value: Asc.c_oAscChangeTextCaseType.LowerCase}, + {caption: this.mniUpperCase, value: Asc.c_oAscChangeTextCaseType.UpperCase}, + {caption: this.mniCapitalizeWords, value: Asc.c_oAscChangeTextCaseType.CapitalizeWords}, + {caption: this.mniToggleCase, value: Asc.c_oAscChangeTextCaseType.ToggleCase} + ] + }) + }); + this.paragraphControls.push(this.btnChangeCase); + this.btnAlignLeft = new Common.UI.Button({ id: 'id-toolbar-btn-align-left', cls: 'btn-toolbar', @@ -620,7 +636,7 @@ define([ }, { caption: this.textPictureControl, - // iconCls: 'mnu-control-rich', + iconCls: 'menu__icon btn-menu-image', value: 'picture' }, { @@ -666,7 +682,7 @@ define([ checkable: true }), {caption: '--'}, - {template: _.template('
')}, + {template: _.template('
')}, {template: _.template('' + this.textNewColor + '')} ] }) @@ -1095,6 +1111,7 @@ define([ this.mnuInsertImage = this.btnInsertImage.menu; this.mnuPageSize = this.btnPageSize.menu; this.mnuColorSchema = this.btnColorSchemas.menu; + this.mnuChangeCase = this.btnChangeCase.menu; this.cmbFontSize = new Common.UI.ComboBox({ cls: 'input-group-nr', @@ -1264,7 +1281,7 @@ define([ me.$el.html(me.rendererComponents(me.$layout)); } else { me.$layout.find('.canedit').hide(); - me.$layout.addClass('folded'); + me.isCompactView && me.$layout.addClass('folded'); me.$el.html(me.$layout); } @@ -1347,6 +1364,7 @@ define([ _injectComponent('#slot-btn-subscript', this.btnSubscript); _injectComponent('#slot-btn-highlight', this.btnHighlightColor); _injectComponent('#slot-btn-fontcolor', this.btnFontColor); + _injectComponent('#slot-btn-changecase', this.btnChangeCase); _injectComponent('#slot-btn-align-left', this.btnAlignLeft); _injectComponent('#slot-btn-align-center', this.btnAlignCenter); _injectComponent('#slot-btn-align-right', this.btnAlignRight); @@ -1638,6 +1656,7 @@ define([ this.btnHighlightColor.updateHint(this.tipHighlightColor); this.btnFontColor.updateHint(this.tipFontColor); this.btnParagraphColor.updateHint(this.tipPrColor); + this.btnChangeCase.updateHint(this.tipChangeCase); this.btnAlignLeft.updateHint(this.tipAlignLeft + Common.Utils.String.platformKey('Ctrl+L')); this.btnAlignCenter.updateHint(this.tipAlignCenter + Common.Utils.String.platformKey('Ctrl+E')); this.btnAlignRight.updateHint(this.tipAlignRight + Common.Utils.String.platformKey('Ctrl+R')); @@ -1754,7 +1773,7 @@ define([ this.paragraphControls.push(this.mnuInsertPageCount); this.btnInsertChart.setMenu( new Common.UI.Menu({ - style: 'width: 364px;', + style: 'width: 364px;padding-top: 12px;', items: [ {template: _.template('')} ] @@ -1929,10 +1948,8 @@ define([ // var colorVal; if (this.btnHighlightColor.cmpEl) { - colorVal = $('
'); - $('button:first-child', this.btnHighlightColor.cmpEl).append(colorVal); this.btnHighlightColor.currentColor = 'FFFF00'; - colorVal.css('background-color', '#' + this.btnHighlightColor.currentColor); + this.btnHighlightColor.setColor(this.btnHighlightColor.currentColor); this.mnuHighlightColorPicker = new Common.UI.ColorPalette({ el: $('#id-toolbar-menu-highlight'), colors: [ @@ -1944,18 +1961,14 @@ define([ } if (this.btnFontColor.cmpEl) { - colorVal = $('
'); - $('button:first-child', this.btnFontColor.cmpEl).append(colorVal); - colorVal.css('background-color', this.btnFontColor.currentColor || 'transparent'); + this.btnFontColor.setColor(this.btnFontColor.currentColor || 'transparent'); this.mnuFontColorPicker = new Common.UI.ThemeColorPalette({ el: $('#id-toolbar-menu-fontcolor') }); } if (this.btnParagraphColor.cmpEl) { - colorVal = $('
'); - $('button:first-child', this.btnParagraphColor.cmpEl).append(colorVal); - colorVal.css('background-color', this.btnParagraphColor.currentColor || 'transparent'); + this.btnParagraphColor.setColor(this.btnParagraphColor.currentColor || 'transparent'); this.mnuParagraphColorPicker = new Common.UI.ThemeColorPalette({ el: $('#id-toolbar-menu-paracolor'), transparent: true @@ -1964,7 +1977,12 @@ define([ if (this.btnContentControls.cmpEl) { this.mnuControlsColorPicker = new Common.UI.ThemeColorPalette({ - el: $('#id-toolbar-menu-controls-color') + el: $('#id-toolbar-menu-controls-color'), + colors: ['000000', '993300', '333300', '003300', '003366', '000080', '333399', '333333', '800000', 'FF6600', + '808000', '00FF00', '008080', '0000FF', '666699', '808080', 'FF0000', 'FF9900', '99CC00', '339966', + '33CCCC', '3366FF', '800080', '999999', 'FF00FF', 'FFCC00', 'FFFF00', '00FF00', '00FFFF', '00CCFF', + '993366', 'C0C0C0', 'FF99CC', 'FFCC99', 'FFFF99', 'CCFFCC', 'CCFFFF', '99CCFF', 'CC99FF', 'FFFFFF' + ] }); } }, @@ -2392,7 +2410,13 @@ define([ textRestartEachSection: 'Restart Each Section', textSuppressForCurrentParagraph: 'Suppress for Current Paragraph', textCustomLineNumbers: 'Line Numbering Options', - tipLineNumbers: 'Show line numbers' + tipLineNumbers: 'Show line numbers', + tipChangeCase: 'Change case', + mniSentenceCase: 'Sentence case.', + mniLowerCase: 'lowercase', + mniUpperCase: 'UPPERCASE', + mniCapitalizeWords: 'Capitalize Each Word', + mniToggleCase: 'tOGGLE cASE' } })(), DE.Views.Toolbar || {})); }); diff --git a/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js b/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js index e20f56622..3d2fc432c 100644 --- a/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js +++ b/apps/documenteditor/main/app/view/WatermarkSettingsDialog.js @@ -316,10 +316,8 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', var initNewColor = function(btn, picker_el) { if (btn && btn.cmpEl) { - btn.currentColor = '#c0c0c0'; - var colorVal = $('
'); - $('button:first-child', btn.cmpEl).append(colorVal); - colorVal.css('background-color', btn.currentColor); + btn.currentColor = 'c0c0c0'; + btn.setColor( btn.currentColor); var picker = new Common.UI.ThemeColorPalette({ el: $(picker_el) }); @@ -330,13 +328,14 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', picker.on('select', _.bind(me.onColorSelect, me)); return picker; }; - this.btnTextColor = new Common.UI.Button({ + this.btnTextColor = new Common.UI.ButtonColored({ parentEl: $('#watermark-textcolor'), cls : 'btn-toolbar', iconCls : 'toolbar__icon btn-fontcolor', hint : this.textColor, menu : new Common.UI.Menu({ cls: 'shifted-left', + additionalAlign: this.menuAddAlign, items: [ { id: 'watermark-auto-color', @@ -344,7 +343,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', template: _.template('<%= caption %>') }, {caption: '--'}, - { template: _.template('
') }, + { template: _.template('
') }, { template: _.template('' + this.textNewColor + '') } ] }) @@ -406,9 +405,8 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', clr_item.hasClass('selected') && clr_item.removeClass('selected'); this.isAutoColor = false; - var clr = (typeof(color) == 'object') ? color.color : color; this.btnTextColor.currentColor = color; - $('.btn-color-value-line', this.btnTextColor.cmpEl).css('background-color', '#' + clr); + this.btnTextColor.setColor( this.btnTextColor.currentColor); }, updateThemeColors: function() { @@ -424,9 +422,8 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', !clr_item.hasClass('selected') && clr_item.addClass('selected'); this.isAutoColor = true; - var color = "000"; - this.btnTextColor.currentColor = color; - $('.btn-color-value-line', this.btnTextColor.cmpEl).css('background-color', '#' + color); + this.btnTextColor.currentColor = "000"; + this.btnTextColor.setColor( this.btnTextColor.currentColor); this.mnuTextColorPicker.clearSelection(); }, @@ -613,7 +610,7 @@ define(['text!documenteditor/main/app/template/WatermarkSettings.template', } } this.btnTextColor.currentColor = clr; - $('.btn-color-value-line', this.btnTextColor.cmpEl).css('background-color', '#' + ((typeof(clr) == 'object') ? clr.color : clr)); + this.btnTextColor.setColor( this.btnTextColor.currentColor); } val = props.get_Text(); val && this.cmbText.setValue(val); diff --git a/apps/documenteditor/main/app_dev.js b/apps/documenteditor/main/app_dev.js index b0333ef3f..935794835 100644 --- a/apps/documenteditor/main/app_dev.js +++ b/apps/documenteditor/main/app_dev.js @@ -195,6 +195,7 @@ require([ ,'common/main/lib/controller/ExternalMergeEditor' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' + ,'common/main/lib/controller/Themes' ,'common/main/lib/controller/Desktop' ], function() { window.compareVersions = true; diff --git a/apps/documenteditor/main/index.html b/apps/documenteditor/main/index.html index ba2521b40..dfb698f8f 100644 --- a/apps/documenteditor/main/index.html +++ b/apps/documenteditor/main/index.html @@ -62,7 +62,7 @@ .loadmask > .sktoolbar { background: #f1f1f1; - border-bottom: 1px solid #cfcfcf; + border-bottom: var(--scaled-one-px-value, 1px) solid #cfcfcf; height: 46px; padding: 10px 6px; box-sizing: content-box; @@ -104,7 +104,7 @@ width: 794px; margin: 46px auto; height: 100%; - border: 1px solid #bebebe; + border: var(--scaled-one-px-value, 1px) solid #bebebe; padding-top: 50px; } @@ -141,12 +141,16 @@ 50% { opacity:1; } 100% { opacity:0.5; } } + + .pixel-ratio__1_5 { + --scaled-one-px-value: calc(1px / 1.5); + }
@@ -274,6 +279,8 @@ + + diff --git a/apps/documenteditor/main/index.html.deploy b/apps/documenteditor/main/index.html.deploy index 113e142f1..c8981088c 100644 --- a/apps/documenteditor/main/index.html.deploy +++ b/apps/documenteditor/main/index.html.deploy @@ -63,7 +63,7 @@ .loadmask > .sktoolbar { background: #f1f1f1; - border-bottom: 1px solid #cfcfcf; + border-bottom: var(--scaled-one-px-value, 1px) solid #cfcfcf; height: 46px; padding: 10px 6px; box-sizing: content-box; @@ -105,7 +105,7 @@ width: 794px; margin: 46px auto; height: 100%; - border: 1px solid #bebebe; + border: var(--scaled-one-px-value, 1px) solid #bebebe; padding-top: 50px; } @@ -215,6 +215,8 @@ + +
@@ -293,6 +295,8 @@ + + diff --git a/apps/documenteditor/main/index_loader.html b/apps/documenteditor/main/index_loader.html index 1f8891dff..88c0465be 100644 --- a/apps/documenteditor/main/index_loader.html +++ b/apps/documenteditor/main/index_loader.html @@ -270,6 +270,8 @@ + + diff --git a/apps/documenteditor/main/index_loader.html.deploy b/apps/documenteditor/main/index_loader.html.deploy index 948e748d3..13d327a22 100644 --- a/apps/documenteditor/main/index_loader.html.deploy +++ b/apps/documenteditor/main/index_loader.html.deploy @@ -313,6 +313,8 @@ + + diff --git a/apps/documenteditor/main/locale/be.json b/apps/documenteditor/main/locale/be.json index 1ecc6a28d..441b8f5b0 100644 --- a/apps/documenteditor/main/locale/be.json +++ b/apps/documenteditor/main/locale/be.json @@ -431,7 +431,7 @@ "DE.Controllers.Main.errorBadImageUrl": "Хібны URL-адрас выявы", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Злучэнне з серверам страчана. На дадзены момант рэдагаваць дакумент немагчыма.", "DE.Controllers.Main.errorCompare": "Функцыя параўнання дакументаў недаступная ў рэжыме сумеснага рэдагавання.", - "DE.Controllers.Main.errorConnectToServer": "Не атрымалася захаваць дакумент. Калі ласка, праверце налады злучэння і звяжыцеся з адміністратарам.
Калі вы націснеце кнопку \"Добра\", вам прапануецца спампаваць дакумент.

Падрабязную інфармацыю пра злучэнне з серверам дакументаў глядзіце тут", + "DE.Controllers.Main.errorConnectToServer": "Не атрымалася захаваць дакумент. Калі ласка, праверце налады злучэння і звяжыцеся з адміністратарам.
Калі вы націснеце кнопку \"Добра\", вам прапануецца спампаваць дакумент.", "DE.Controllers.Main.errorDatabaseConnection": "Вонкавая памылка.
Памылка злучэння з базай даных. Калі памылка паўтараецца, калі ласка, звярніцеся ў службу падтрымкі.", "DE.Controllers.Main.errorDataEncrypted": "Атрыманы зашыфраваныя змены, іх немагчыма расшыфраваць.", "DE.Controllers.Main.errorDataRange": "Хібны дыяпазон даных.", @@ -782,7 +782,7 @@ "DE.Controllers.Toolbar.textAccent": "Дыякрытычныя знакі", "DE.Controllers.Toolbar.textBracket": "Дужкі", "DE.Controllers.Toolbar.textEmptyImgUrl": "Неабходна вызначыць URL-адрас выявы.", - "DE.Controllers.Toolbar.textFontSizeErr": "Уведзена хібнае значэнне.
Калі ласка, ўвядзіце лік ад 0 да 100.", + "DE.Controllers.Toolbar.textFontSizeErr": "Уведзена хібнае значэнне.
Калі ласка, ўвядзіце лік ад 0 да 300.", "DE.Controllers.Toolbar.textFraction": "Дробы", "DE.Controllers.Toolbar.textFunction": "Функцыі", "DE.Controllers.Toolbar.textInsert": "Уставіць", diff --git a/apps/documenteditor/main/locale/bg.json b/apps/documenteditor/main/locale/bg.json index 3f5797d18..15179d986 100644 --- a/apps/documenteditor/main/locale/bg.json +++ b/apps/documenteditor/main/locale/bg.json @@ -51,7 +51,7 @@ "Common.Controllers.ReviewChanges.textParaInserted": "Вмъкнат е параграф", "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Преместени надолу:", "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Преместени нагоре:", - "Common.Controllers.ReviewChanges.textParaMoveTo": "<Ь>Преместен", + "Common.Controllers.ReviewChanges.textParaMoveTo": "Преместен", "Common.Controllers.ReviewChanges.textPosition": "Позиция", "Common.Controllers.ReviewChanges.textRight": "Подравняване надясно", "Common.Controllers.ReviewChanges.textShape": "Форма", @@ -687,7 +687,7 @@ "DE.Controllers.Toolbar.textAccent": "Акценти", "DE.Controllers.Toolbar.textBracket": "Скоби", "DE.Controllers.Toolbar.textEmptyImgUrl": "Трябва да посочите URL адреса на изображението.", - "DE.Controllers.Toolbar.textFontSizeErr": "Въведената стойност е неправилна.
Въведете числова стойност между 1 и 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Въведената стойност е неправилна.
Въведете числова стойност между 1 и 300", "DE.Controllers.Toolbar.textFraction": "Фракции", "DE.Controllers.Toolbar.textFunction": "Функция", "DE.Controllers.Toolbar.textIntegral": "Интеграли", diff --git a/apps/documenteditor/main/locale/ca.json b/apps/documenteditor/main/locale/ca.json index fd022bd1e..8fc141aa2 100644 --- a/apps/documenteditor/main/locale/ca.json +++ b/apps/documenteditor/main/locale/ca.json @@ -431,7 +431,7 @@ "DE.Controllers.Main.errorBadImageUrl": "Enllaç de la Imatge Incorrecte", "DE.Controllers.Main.errorCoAuthoringDisconnect": "S'ha perdut la connexió amb el servidor. El document no es pot editar ara mateix.", "DE.Controllers.Main.errorCompare": "La funció de comparació de documents no està disponible durant la coedició.", - "DE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb el vostre administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.

Trobeu més informació sobre la connexió de Document Server aquí", + "DE.Controllers.Main.errorConnectToServer": "El document no s'ha pogut desar. Comproveu la configuració de la connexió o poseu-vos en contacte amb el vostre administrador.
Quan feu clic al botó \"D'acord\", se us demanarà que descarregueu el document.", "DE.Controllers.Main.errorDatabaseConnection": "Error extern.
Error de connexió de base de dades. Contacteu amb l'assistència en cas que l'error continuï.", "DE.Controllers.Main.errorDataEncrypted": "S'han rebut canvis xifrats, que no es poden desxifrar.", "DE.Controllers.Main.errorDataRange": "Interval de dades incorrecte.", @@ -782,7 +782,7 @@ "DE.Controllers.Toolbar.textAccent": "Accents", "DE.Controllers.Toolbar.textBracket": "Claudàtor", "DE.Controllers.Toolbar.textEmptyImgUrl": "Cal que especifiqueu l’enllaç de la imatge.", - "DE.Controllers.Toolbar.textFontSizeErr": "El valor introduït és incorrecte.
Introduïu un valor numèric entre 1 i 100.", + "DE.Controllers.Toolbar.textFontSizeErr": "El valor introduït és incorrecte.
Introduïu un valor numèric entre 1 i 300.", "DE.Controllers.Toolbar.textFraction": "Fraccions", "DE.Controllers.Toolbar.textFunction": "Funcions", "DE.Controllers.Toolbar.textInsert": "Inserta", diff --git a/apps/documenteditor/main/locale/cs.json b/apps/documenteditor/main/locale/cs.json index 46c8550ed..b55042e92 100644 --- a/apps/documenteditor/main/locale/cs.json +++ b/apps/documenteditor/main/locale/cs.json @@ -66,7 +66,7 @@ "Common.Controllers.ReviewChanges.textStrikeout": "Přeškrtnout", "Common.Controllers.ReviewChanges.textSubScript": "Dolní index", "Common.Controllers.ReviewChanges.textSuperScript": "Horní index", - "Common.Controllers.ReviewChanges.textTableChanged": "Nastavení tabulky změněna", + "Common.Controllers.ReviewChanges.textTableChanged": "Nastavení tabulky změněna", "Common.Controllers.ReviewChanges.textTableRowsAdd": "Řádky tabulky přidány", "Common.Controllers.ReviewChanges.textTableRowsDel": "Řádky tabulky smazány", "Common.Controllers.ReviewChanges.textTabs": "Změnit panely", @@ -755,7 +755,7 @@ "DE.Controllers.Toolbar.textAccent": "Akcenty", "DE.Controllers.Toolbar.textBracket": "Závorky", "DE.Controllers.Toolbar.textEmptyImgUrl": "Je třeba zadat URL adresu obrázku.", - "DE.Controllers.Toolbar.textFontSizeErr": "Zadaná hodnota není správná.
Zadejte hodnotu z rozmezí 1 až 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Zadaná hodnota není správná.
Zadejte hodnotu z rozmezí 1 až 300", "DE.Controllers.Toolbar.textFraction": "Zlomky", "DE.Controllers.Toolbar.textFunction": "Funkce", "DE.Controllers.Toolbar.textInsert": "Vložit", diff --git a/apps/documenteditor/main/locale/da.json b/apps/documenteditor/main/locale/da.json index f1d5d7bf0..0eff92943 100644 --- a/apps/documenteditor/main/locale/da.json +++ b/apps/documenteditor/main/locale/da.json @@ -760,7 +760,7 @@ "DE.Controllers.Toolbar.textAccent": "Accenter", "DE.Controllers.Toolbar.textBracket": "Klammer", "DE.Controllers.Toolbar.textEmptyImgUrl": "Du skal specificere billede URL", - "DE.Controllers.Toolbar.textFontSizeErr": "Den indtastede værdi er ikke korrekt.
Venligst indtast en numerisk værdi mellem 1 og 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Den indtastede værdi er ikke korrekt.
Venligst indtast en numerisk værdi mellem 1 og 300", "DE.Controllers.Toolbar.textFraction": "Fraktioner", "DE.Controllers.Toolbar.textFunction": "Funktioner", "DE.Controllers.Toolbar.textInsert": "indsæt", diff --git a/apps/documenteditor/main/locale/de.json b/apps/documenteditor/main/locale/de.json index ebc1c56d6..74dc8bae0 100644 --- a/apps/documenteditor/main/locale/de.json +++ b/apps/documenteditor/main/locale/de.json @@ -66,7 +66,7 @@ "Common.Controllers.ReviewChanges.textStrikeout": "Durchgestrichen", "Common.Controllers.ReviewChanges.textSubScript": "Tiefgestellt", "Common.Controllers.ReviewChanges.textSuperScript": "Hochgestellt", - "Common.Controllers.ReviewChanges.textTableChanged": "Tabelleneinstellungen sind geändert ", + "Common.Controllers.ReviewChanges.textTableChanged": "Tabelleneinstellungen sind geändert ", "Common.Controllers.ReviewChanges.textTableRowsAdd": " Tabellenzeilen sind hinzugefügt ", "Common.Controllers.ReviewChanges.textTableRowsDel": "Tabellenzeilen sind gelöscht", "Common.Controllers.ReviewChanges.textTabs": "Registerkarten ändern", @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Akzente", "DE.Controllers.Toolbar.textBracket": "Klammern", "DE.Controllers.Toolbar.textEmptyImgUrl": "Sie müssen eine Bild-URL angeben.", - "DE.Controllers.Toolbar.textFontSizeErr": "Der eingegebene Wert ist falsch.
Geben Sie bitte einen numerischen Wert zwischen 1 und 100 ein.", + "DE.Controllers.Toolbar.textFontSizeErr": "Der eingegebene Wert ist falsch.
Geben Sie bitte einen numerischen Wert zwischen 1 und 300 ein.", "DE.Controllers.Toolbar.textFraction": "Bruchteile", "DE.Controllers.Toolbar.textFunction": "Funktionen", "DE.Controllers.Toolbar.textInsert": "Einfügen", @@ -1671,6 +1671,7 @@ "DE.Views.FormSettings.textKey": "Schlüssel", "DE.Views.FormSettings.textLock": "Sperren", "DE.Views.FormSettings.textMaxChars": "Zeichengrenze", + "DE.Views.FormSettings.textNoBorder": "Kein Rahmen", "DE.Views.FormSettings.textPlaceholder": "Platzhalter", "DE.Views.FormSettings.textRadiobox": "Radiobutton", "DE.Views.FormSettings.textSelectImage": "Bild auswählen", diff --git a/apps/documenteditor/main/locale/el.json b/apps/documenteditor/main/locale/el.json index f749bb735..518afd4e4 100644 --- a/apps/documenteditor/main/locale/el.json +++ b/apps/documenteditor/main/locale/el.json @@ -1,6 +1,6 @@ { "Common.Controllers.Chat.notcriticalErrorTitle": "Προειδοποίηση", - "Common.Controllers.Chat.textEnterMessage": "Εισαγάγετε το μήνυμά σας εδώ", + "Common.Controllers.Chat.textEnterMessage": "Εισάγετε το μήνυμά σας εδώ", "Common.Controllers.ExternalDiagramEditor.textAnonymous": "Ανώνυμος", "Common.Controllers.ExternalDiagramEditor.textClose": "Κλείσιμο", "Common.Controllers.ExternalDiagramEditor.warningText": "Το αντικείμενο είναι απενεργοποιημένο επειδή χρησιμοποιείται από άλλο χρήστη.", @@ -49,9 +49,10 @@ "Common.Controllers.ReviewChanges.textNoWidow": "Χωρίς έλεγχο παραθύρου", "Common.Controllers.ReviewChanges.textNum": "Αλλαγή αρίθμησης", "Common.Controllers.ReviewChanges.textParaDeleted": "Παράγραφος Διαγράφηκε", + "Common.Controllers.ReviewChanges.textParaFormatted": "Παράγραφος Μορφοποιήθηκε", "Common.Controllers.ReviewChanges.textParaInserted": "Παράγραφος Εισήχθη", - "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Μετακίνηση κάτω:", - "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Μετακίνηση επάνω:", + "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Μετακινήθηκαν Κάτω:", + "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Μετακινήθηκαν Πάνω:", "Common.Controllers.ReviewChanges.textParaMoveTo": "Μετακινήθηκαν:", "Common.Controllers.ReviewChanges.textPosition": "Θέση", "Common.Controllers.ReviewChanges.textRight": "Στοίχιση δεξιά", @@ -62,16 +63,18 @@ "Common.Controllers.ReviewChanges.textSpacing": "Απόσταση", "Common.Controllers.ReviewChanges.textSpacingAfter": "Απόσταση μετά", "Common.Controllers.ReviewChanges.textSpacingBefore": "Απόσταση πριν", - "Common.Controllers.ReviewChanges.textStrikeout": "Διακριτή γραφή", + "Common.Controllers.ReviewChanges.textStrikeout": "Διακριτική διαγραφή", "Common.Controllers.ReviewChanges.textSubScript": "Δείκτης", "Common.Controllers.ReviewChanges.textSuperScript": "Εκθέτης", - "Common.Controllers.ReviewChanges.textTableChanged": "Άλλαξαν οι ρυθμίσεις πίνακα", + "Common.Controllers.ReviewChanges.textTableChanged": "Άλλαξαν οι Ρυθμίσεις Πίνακα", "Common.Controllers.ReviewChanges.textTableRowsAdd": "Προστέθηκαν Γραμμές Πίνακα", - "Common.Controllers.ReviewChanges.textTableRowsDel": "Διαγράφηκαν σειρές του πίνακα", + "Common.Controllers.ReviewChanges.textTableRowsDel": "Διαγράφηκαν Γραμμές Πίνακα", "Common.Controllers.ReviewChanges.textTabs": "Αλλαγή καρτελών", "Common.Controllers.ReviewChanges.textTitleComparison": "Ρυθμίσεις Σύγκρισης", "Common.Controllers.ReviewChanges.textUnderline": "Υπογράμμιση", "Common.Controllers.ReviewChanges.textUrl": "Επικόλληση URL εγγράφου", + "Common.Controllers.ReviewChanges.textWidow": "Έλεγχος μεμονωμένων γραμμών", + "Common.Controllers.ReviewChanges.textWord": "Επίπεδο λέξεων", "Common.define.chartData.textArea": "Περιοχή", "Common.define.chartData.textBar": "Μπάρα", "Common.define.chartData.textCharts": "Γραφήματα", @@ -81,7 +84,7 @@ "Common.define.chartData.textPoint": "ΧΥ (Διασπορά)", "Common.define.chartData.textStock": "Μετοχή", "Common.define.chartData.textSurface": "Επιφάνεια", - "Common.Translation.warnFileLocked": "Το αρχείο υφίσταται επεξεργασία σε άλλη εφαρμογή. Μπορείτε να συνεχίσετε την επεξεργασία και να αποθηκεύσετε ένα αντίγραφό του.", + "Common.Translation.warnFileLocked": "Δεν μπορείτε να επεξεργαστείτε αυτό το αρχείο επειδή επεξεργάζεται σε άλλη εφαρμογή.", "Common.Translation.warnFileLockedBtnEdit": "Δημιουργία αντιγράφου", "Common.Translation.warnFileLockedBtnView": "Άνοιγμα για προβολή", "Common.UI.Calendar.textApril": "Απρίλιος", @@ -117,7 +120,7 @@ "Common.UI.Calendar.textShortTuesday": "Τρι", "Common.UI.Calendar.textShortWednesday": "Τετ", "Common.UI.Calendar.textYears": "Έτη", - "Common.UI.ColorButton.textNewColor": "Προσθήκη νέου προσαρμοσμένου χρώματος", + "Common.UI.ColorButton.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", "Common.UI.ComboBorderSize.txtNoBorders": "Χωρίς περιγράμματα", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "Χωρίς περιγράμματα", "Common.UI.ComboDataView.emptyComboText": "Χωρίς τεχνοτροπίες", @@ -126,20 +129,20 @@ "Common.UI.ExtendedColorDialog.textHexErr": "Η τιμή που βάλατε δεν είναι αποδεκτή.
Παρακαλούμε βάλτε μια τιμή μεταξύ 000000 και FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "Νέο", "Common.UI.ExtendedColorDialog.textRGBErr": "Η τιμή που βάλατε δεν είναι αποδεκτή.
Παρακαλούμε βάλτε μια αριθμητική τιμή μεταξύ 0 και 255.", - "Common.UI.HSBColorPicker.textNoColor": "Χωρίς χρώμα", + "Common.UI.HSBColorPicker.textNoColor": "Χωρίς Χρώμα", "Common.UI.SearchDialog.textHighlight": "Επισήμανση αποτελεσμάτων", "Common.UI.SearchDialog.textMatchCase": "Με διάκριση πεζών - κεφαλαίων γραμμάτων", - "Common.UI.SearchDialog.textReplaceDef": "Εισαγάγετε το κείμενο αντικατάστασης", - "Common.UI.SearchDialog.textSearchStart": "Εισαγάγετε το κείμενό σας εδώ", - "Common.UI.SearchDialog.textTitle": "Εύρεση και αντικατάσταση", + "Common.UI.SearchDialog.textReplaceDef": "Εισάγετε το κείμενο αντικατάστασης", + "Common.UI.SearchDialog.textSearchStart": "Εισάγετε το κείμενό σας εδώ", + "Common.UI.SearchDialog.textTitle": "Εύρεση και Αντικατάσταση", "Common.UI.SearchDialog.textTitle2": "Εύρεση", "Common.UI.SearchDialog.textWholeWords": "Ολόκληρες λέξεις μόνο", "Common.UI.SearchDialog.txtBtnHideReplace": "Απόκρυψη Αντικατάστασης", "Common.UI.SearchDialog.txtBtnReplace": "Αντικατάσταση", - "Common.UI.SearchDialog.txtBtnReplaceAll": "Αντικατάσταση όλων", + "Common.UI.SearchDialog.txtBtnReplaceAll": "Αντικατάσταση Όλων", "Common.UI.SynchronizeTip.textDontShow": "Να μην εμφανίζεται αυτό το μήνυμα ξανά", "Common.UI.SynchronizeTip.textSynchronize": "Το έγγραφο έχει αλλάξει από άλλο χρήστη.
Παρακαλούμε κάντε κλικ για να αποθηκεύσετε τις αλλαγές σας και να φορτώσετε ξανά τις ενημερώσεις.", - "Common.UI.ThemeColorPalette.textStandartColors": "Κανονικά Χρώματα", + "Common.UI.ThemeColorPalette.textStandartColors": "Τυπικά χρώματα", "Common.UI.ThemeColorPalette.textThemeColors": "Χρώματα θέματος", "Common.UI.Window.cancelButtonText": "Ακύρωση", "Common.UI.Window.closeButtonText": "Κλείσιμο", @@ -153,13 +156,13 @@ "Common.UI.Window.yesButtonText": "Ναι", "Common.Utils.Metric.txtCm": "εκ", "Common.Utils.Metric.txtPt": "pt", - "Common.Views.About.txtAddress": "διεύθυνση:", - "Common.Views.About.txtLicensee": "ΑΔΕΙΑ", + "Common.Views.About.txtAddress": "Διεύθυνση: ", + "Common.Views.About.txtLicensee": "ΑΔΕΙΟΔΕΚΤΗΣ", "Common.Views.About.txtLicensor": "ΑΔΕΙΟΔΟΤΗΣ", - "Common.Views.About.txtMail": "ηλεκτρονική διεύθυνση:", + "Common.Views.About.txtMail": "email: ", "Common.Views.About.txtPoweredBy": "Υποστηρίζεται από", - "Common.Views.About.txtTel": "τηλ.:", - "Common.Views.About.txtVersion": "Έκδοση", + "Common.Views.About.txtTel": "Tηλ.: ", + "Common.Views.About.txtVersion": "Έκδοση ", "Common.Views.AutoCorrectDialog.textAdd": "Προσθήκη", "Common.Views.AutoCorrectDialog.textApplyText": "Εφαρμογή Κατά Την Πληκτρολόγηση", "Common.Views.AutoCorrectDialog.textAutoFormat": "Αυτόματη Μορφοποίηση Κατά Την Πληκτρολόγηση", @@ -186,26 +189,26 @@ "Common.Views.AutoCorrectDialog.warnRestore": "Η καταχώρηση αυτόματης διόρθωσης για %1 θα τεθεί στην αρχική τιμή της. Θέλετε να συνεχίσετε;", "Common.Views.Chat.textSend": "Αποστολή", "Common.Views.Comments.textAdd": "Προσθήκη", - "Common.Views.Comments.textAddComment": "Προσθήκη σχολίου", - "Common.Views.Comments.textAddCommentToDoc": "Προσθήκη σχολίου στο έγγραφο", - "Common.Views.Comments.textAddReply": "Προσθήκη απάντησης", + "Common.Views.Comments.textAddComment": "Προσθήκη Σχολίου", + "Common.Views.Comments.textAddCommentToDoc": "Προσθήκη Σχολίου στο Έγγραφο", + "Common.Views.Comments.textAddReply": "Προσθήκη Απάντησης", "Common.Views.Comments.textAnonym": "Επισκέπτης", "Common.Views.Comments.textCancel": "Ακύρωση", "Common.Views.Comments.textClose": "Κλείσιμο", "Common.Views.Comments.textComments": "Σχόλια", "Common.Views.Comments.textEdit": "Εντάξει", - "Common.Views.Comments.textEnterCommentHint": "Εισαγάγετε το σχόλιό σας εδώ", + "Common.Views.Comments.textEnterCommentHint": "Εισάγετε το σχόλιό σας εδώ", "Common.Views.Comments.textHintAddComment": "Προσθήκη σχολίου", - "Common.Views.Comments.textOpenAgain": "Άνοιγμα ξανά", + "Common.Views.Comments.textOpenAgain": "Άνοιγμα Ξανά", "Common.Views.Comments.textReply": "Απάντηση", "Common.Views.Comments.textResolve": "Επίλυση", "Common.Views.Comments.textResolved": "Επιλύθηκε", "Common.Views.CopyWarningDialog.textDontShow": "Να μην εμφανίζεται αυτό το μήνυμα ξανά", "Common.Views.CopyWarningDialog.textMsg": "Η αντιγραφή, η αποκοπή και η επικόλληση μέσω των κουμπιών της εργαλειοθήκης του συντάκτη καθώς και οι ενέργειες του μενού συμφραζομένων εφαρμόζονται μόνο εντός αυτής της καρτέλας.

Για αντιγραφή ή επικόλληση από ή προς εφαρμογές εκτός της καρτέλας χρησιμοποιήστε τους ακόλουθους συνδυασμούς πλήκτρων:", - "Common.Views.CopyWarningDialog.textTitle": "Ενέργειες αντιγραφής, αποκοπής και επικόλλησης", - "Common.Views.CopyWarningDialog.textToCopy": "για αντιγραφή", - "Common.Views.CopyWarningDialog.textToCut": "για αποκοπή", - "Common.Views.CopyWarningDialog.textToPaste": "για επικόλληση", + "Common.Views.CopyWarningDialog.textTitle": "Ενέργειες Αντιγραφής, Αποκοπής και Επικόλλησης", + "Common.Views.CopyWarningDialog.textToCopy": "για Αντιγραφή", + "Common.Views.CopyWarningDialog.textToCut": "για Αποκοπή", + "Common.Views.CopyWarningDialog.textToPaste": "για Επικόλληση", "Common.Views.DocumentAccessDialog.textLoading": "Φόρτωση ...", "Common.Views.DocumentAccessDialog.textTitle": "Ρυθμίσεις Διαμοιρασμού", "Common.Views.ExternalDiagramEditor.textClose": "Κλείσιμο", @@ -217,9 +220,9 @@ "Common.Views.Header.labelCoUsersDescr": "Οι χρήστες που επεξεργάζονται το αρχείο:", "Common.Views.Header.textAdvSettings": "Ρυθμίσεις για προχωρημένους", "Common.Views.Header.textBack": "Άνοιγμα τοποθεσίας αρχείου", - "Common.Views.Header.textCompactView": "Απόκρυψη γραμμής εργαλείων", + "Common.Views.Header.textCompactView": "Απόκρυψη Γραμμής Εργαλείων", "Common.Views.Header.textHideLines": "Απόκρυψη Χαράκων", - "Common.Views.Header.textHideStatusBar": "Απόκρυψη γραμμής κατάστασης", + "Common.Views.Header.textHideStatusBar": "Απόκρυψη Γραμμής Κατάστασης", "Common.Views.Header.textZoom": "Εστίαση", "Common.Views.Header.tipAccessRights": "Διαχείριση δικαιωμάτων πρόσβασης εγγράφου", "Common.Views.Header.tipDownload": "Λήψη αρχείου", @@ -232,7 +235,7 @@ "Common.Views.Header.tipViewUsers": "Προβολή χρηστών και διαχείριση δικαιωμάτων πρόσβασης σε έγγραφα", "Common.Views.Header.txtAccessRights": "Αλλαγή δικαιωμάτων πρόσβασης", "Common.Views.Header.txtRename": "Μετονομασία", - "Common.Views.History.textCloseHistory": "Κλείσιμο ιστορικού", + "Common.Views.History.textCloseHistory": "Κλείσιμο Ιστορικού", "Common.Views.History.textHide": "Κλείσιμο", "Common.Views.History.textHideAll": "Απόκρυψη λεπτομερών αλλαγών", "Common.Views.History.textRestore": "Επαναφορά", @@ -243,21 +246,21 @@ "Common.Views.ImageFromUrlDialog.txtEmpty": "Αυτό το πεδίο είναι υποχρεωτικό", "Common.Views.ImageFromUrlDialog.txtNotUrl": "Αυτό το πεδίο πρέπει να είναι διεύθυνση URL με τη μορφή «http://www.example.com»", "Common.Views.InsertTableDialog.textInvalidRowsCols": "Πρέπει να καθορίσετε έγκυρο αριθμό γραμμών και στηλών.", - "Common.Views.InsertTableDialog.txtColumns": "Αριθμός στηλών", + "Common.Views.InsertTableDialog.txtColumns": "Αριθμός Στηλών", "Common.Views.InsertTableDialog.txtMaxText": "Η μέγιστη τιμή για αυτό το πεδίο είναι {0}.", "Common.Views.InsertTableDialog.txtMinText": "Η ελάχιστη τιμή για αυτό το πεδίο είναι {0}.", - "Common.Views.InsertTableDialog.txtRows": "Αριθμός γραμμών", + "Common.Views.InsertTableDialog.txtRows": "Αριθμός Γραμμών", "Common.Views.InsertTableDialog.txtTitle": "Μέγεθος πίνακα", "Common.Views.InsertTableDialog.txtTitleSplit": "Διαίρεση κελιού", "Common.Views.LanguageDialog.labelSelect": "Επιλέξτε τη γλώσσα του εγγράφου", - "Common.Views.OpenDialog.closeButtonText": "Κλείσιμο αρχείου", + "Common.Views.OpenDialog.closeButtonText": "Κλείσιμο Αρχείου", "Common.Views.OpenDialog.txtEncoding": "Κωδικοποίηση", "Common.Views.OpenDialog.txtIncorrectPwd": "Το συνθηματικό είναι εσφαλμένο.", "Common.Views.OpenDialog.txtPassword": "Συνθηματικό", "Common.Views.OpenDialog.txtPreview": "Προεπισκόπηση", "Common.Views.OpenDialog.txtProtected": "Μόλις βάλετε τον κωδικό και ανοίξετε το αρχείο, ο τρέχων κωδικός αρχείου θα αρχικοποιηθεί.", "Common.Views.OpenDialog.txtTitle": "Διαλέξτε %1 επιλογές", - "Common.Views.OpenDialog.txtTitleProtected": "Προστατευμένο αρχείο", + "Common.Views.OpenDialog.txtTitleProtected": "Προστατευμένο Αρχείο", "Common.Views.PasswordDialog.txtDescription": "Ορισμός κωδικού προστασίας για αυτό το έγγραφο", "Common.Views.PasswordDialog.txtIncorrectPwd": "Ο κωδικός επιβεβαίωσης δεν είναι πανομοιότυπος", "Common.Views.PasswordDialog.txtPassword": "Συνθηματικό", @@ -283,11 +286,11 @@ "Common.Views.RenameDialog.txtInvalidName": "Το όνομα αρχείου δεν μπορεί να περιέχει κανέναν από τους ακόλουθους χαρακτήρες:", "Common.Views.ReviewChanges.hintNext": "Στην επόμενη αλλαγή", "Common.Views.ReviewChanges.hintPrev": "Στην προηγούμενη αλλαγή", - "Common.Views.ReviewChanges.mniFromFile": "Έγγραφο από αρχείο", - "Common.Views.ReviewChanges.mniFromStorage": "Έγγραφο από αποθηκευτικό χώρο", - "Common.Views.ReviewChanges.mniFromUrl": "Έγγραφο από διεύθυνση", + "Common.Views.ReviewChanges.mniFromFile": "Έγγραφο από Αρχείο", + "Common.Views.ReviewChanges.mniFromStorage": "Έγγραφο από Αποθηκευτικό Χώρο", + "Common.Views.ReviewChanges.mniFromUrl": "Έγγραφο από URL", "Common.Views.ReviewChanges.mniSettings": "Ρυθμίσεις Σύγκρισης", - "Common.Views.ReviewChanges.strFast": "Γρήγορα", + "Common.Views.ReviewChanges.strFast": "Γρήγορη", "Common.Views.ReviewChanges.strFastDesc": "Συν-επεξεργασία πραγματικού χρόνου. Όλες οι αλλαγές αποθηκεύονται αυτόματα.", "Common.Views.ReviewChanges.strStrict": "Αυστηρή", "Common.Views.ReviewChanges.strStrictDesc": "Χρησιμοποιήστε το κουμπί 'Αποθήκευση' για να συγχρονίσετε τις αλλαγές που κάνετε εσείς και οι άλλοι.", @@ -304,15 +307,15 @@ "Common.Views.ReviewChanges.tipSetSpelling": "Έλεγχος ορθογραφίας", "Common.Views.ReviewChanges.tipSharing": "Διαχείριση δικαιωμάτων πρόσβασης εγγράφου", "Common.Views.ReviewChanges.txtAccept": "Αποδοχή", - "Common.Views.ReviewChanges.txtAcceptAll": "Αποδοχή όλων των αλλαγών", + "Common.Views.ReviewChanges.txtAcceptAll": "Αποδοχή Όλων των Αλλαγών", "Common.Views.ReviewChanges.txtAcceptChanges": "Αποδοχή αλλαγών", - "Common.Views.ReviewChanges.txtAcceptCurrent": "Αποδοχή τρέχουσας αλλαγής", + "Common.Views.ReviewChanges.txtAcceptCurrent": "Αποδοχή Τρέχουσας Αλλαγής", "Common.Views.ReviewChanges.txtChat": "Συνομιλία", "Common.Views.ReviewChanges.txtClose": "Κλείσιμο", "Common.Views.ReviewChanges.txtCoAuthMode": "Κατάσταση Συνεργατικής Επεξεργασίας", - "Common.Views.ReviewChanges.txtCommentRemAll": "Αφαίρεση όλων των σχολίων", + "Common.Views.ReviewChanges.txtCommentRemAll": "Αφαίρεση Όλων των Σχολίων", "Common.Views.ReviewChanges.txtCommentRemCurrent": "Αφαίρεση Υφιστάμενων Σχολίων", - "Common.Views.ReviewChanges.txtCommentRemMy": "Αφαίρεση των σχολίων μου", + "Common.Views.ReviewChanges.txtCommentRemMy": "Αφαίρεση των Σχολίων Μου", "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "Διαγραφή Πρόσφατων Σχολίων Μου", "Common.Views.ReviewChanges.txtCommentRemove": "Αφαίρεση", "Common.Views.ReviewChanges.txtCompare": "Σύγκριση", @@ -327,29 +330,31 @@ "Common.Views.ReviewChanges.txtOriginalCap": "Αυθεντικό", "Common.Views.ReviewChanges.txtPrev": "Προηγούμενο", "Common.Views.ReviewChanges.txtReject": "Απόρριψη", - "Common.Views.ReviewChanges.txtRejectAll": "Απόρριψη όλων των αλλαγών", + "Common.Views.ReviewChanges.txtRejectAll": "Απόρριψη Όλων των Αλλαγών", "Common.Views.ReviewChanges.txtRejectChanges": "Απόρριψη αλλαγών", - "Common.Views.ReviewChanges.txtRejectCurrent": "Απόρριψη τρέχουσας αλλαγής", + "Common.Views.ReviewChanges.txtRejectCurrent": "Απόρριψη Τρέχουσας Αλλαγής", "Common.Views.ReviewChanges.txtSharing": "Διαμοιρασμός", "Common.Views.ReviewChanges.txtSpelling": "Έλεγχος ορθογραφίας", "Common.Views.ReviewChanges.txtTurnon": "Παρακολούθηση αλλαγών", "Common.Views.ReviewChanges.txtView": "Κατάσταση Προβολής", "Common.Views.ReviewChangesDialog.textTitle": "Εισκόπηση αλλαγών", "Common.Views.ReviewChangesDialog.txtAccept": "Αποδοχή", - "Common.Views.ReviewChangesDialog.txtAcceptAll": "Αποδοχή όλων των αλλαγών", - "Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Αποδοχή τρέχουσας αλλαγής", + "Common.Views.ReviewChangesDialog.txtAcceptAll": "Αποδοχή Όλων των Αλλαγών", + "Common.Views.ReviewChangesDialog.txtAcceptCurrent": "Αποδοχή Τρέχουσας Αλλαγής", "Common.Views.ReviewChangesDialog.txtNext": "Στην επόμενη αλλαγή", "Common.Views.ReviewChangesDialog.txtPrev": "Στην προηγούμενη αλλαγή", "Common.Views.ReviewChangesDialog.txtReject": "Απόρριψη", - "Common.Views.ReviewChangesDialog.txtRejectAll": "Απόρριψη όλων των αλλαγών", - "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Απόρριψη τρέχουσας αλλαγής", + "Common.Views.ReviewChangesDialog.txtRejectAll": "Απόρριψη Όλων των Αλλαγών", + "Common.Views.ReviewChangesDialog.txtRejectCurrent": "Απόρριψη Τρέχουσας Αλλαγής", "Common.Views.ReviewPopover.textAdd": "Προσθήκη", - "Common.Views.ReviewPopover.textAddReply": "Προσθήκη απάντησης", + "Common.Views.ReviewPopover.textAddReply": "Προσθήκη Απάντησης", "Common.Views.ReviewPopover.textCancel": "Ακύρωση", "Common.Views.ReviewPopover.textClose": "Κλείσιμο", "Common.Views.ReviewPopover.textEdit": "Εντάξει", "Common.Views.ReviewPopover.textFollowMove": "Παρακολούθηση Κίνησης", - "Common.Views.ReviewPopover.textOpenAgain": "Άνοιγμα ξανά", + "Common.Views.ReviewPopover.textMention": "+mention θα δώσει πρόσβαση στο αρχείο και θα στείλει email", + "Common.Views.ReviewPopover.textMentionNotify": "+mention θα ενημερώσει τον χρήστη με email", + "Common.Views.ReviewPopover.textOpenAgain": "Άνοιγμα Ξανά", "Common.Views.ReviewPopover.textReply": "Απάντηση", "Common.Views.ReviewPopover.textResolve": "Επίλυση", "Common.Views.SaveAsDlg.textLoading": "Γίνεται φόρτωση", @@ -368,8 +373,8 @@ "Common.Views.SignDialog.textTitle": "Υπογραφή εγγράφου", "Common.Views.SignDialog.textUseImage": "ή κάντε κλικ στο 'Επιλογή εικόνας' για να χρησιμοποιήσετε μια εικόνα ως υπογραφή", "Common.Views.SignDialog.textValid": "Έγκυρο από %1 έως %2", - "Common.Views.SignDialog.tipFontName": "Όνομα γραμματοσειράς", - "Common.Views.SignDialog.tipFontSize": "Μέγεθος γραμματοσειράς", + "Common.Views.SignDialog.tipFontName": "Όνομα Γραμματοσειράς", + "Common.Views.SignDialog.tipFontSize": "Μέγεθος Γραμματοσειράς", "Common.Views.SignSettingsDialog.textAllowComment": "Να επιτρέπεται στον υπογράφοντα να προσθέτει σχόλιο στο διάλογο υπογραφής", "Common.Views.SignSettingsDialog.textInfo": "Πληροφορίες Υπογράφοντος", "Common.Views.SignSettingsDialog.textInfoEmail": "Ηλεκτρονική Διεύθυνση", @@ -381,7 +386,7 @@ "Common.Views.SignSettingsDialog.txtEmpty": "Αυτό το πεδίο είναι υποχρεωτικό", "Common.Views.SymbolTableDialog.textCharacter": "Χαρακτήρας", "Common.Views.SymbolTableDialog.textCode": "Δεκαεξαδική τιμή Unicode", - "Common.Views.SymbolTableDialog.textCopyright": "Σήμα πνευματικών δικαιωμάτων", + "Common.Views.SymbolTableDialog.textCopyright": "Σήμα Πνευματικών Δικαιωμάτων", "Common.Views.SymbolTableDialog.textDCQuote": "Κλείσιμο Διπλών Εισαγωγικών", "Common.Views.SymbolTableDialog.textDOQuote": "Άνοιγμα Διπλών Εισαγωγικών", "Common.Views.SymbolTableDialog.textEllipsis": "Οριζόντια Έλλειψη", @@ -419,20 +424,20 @@ "DE.Controllers.LeftMenu.warnDownloadAs": "Αν προχωρήσετε με την αποθήκευση σε αυτή τη μορφή, όλα τα χαρακτηριστικά πλην του κειμένου θα χαθούν.
Θέλετε σίγουρα να συνεχίσετε;", "DE.Controllers.LeftMenu.warnDownloadAsRTF": "Αν προχωρήσετε στην αποθήκευση σε αυτή τη μορφή, κάποιες από τις μορφοποιήσεις μπορεί να χαθούν.
Θέλετε σίγουρα να συνεχίσετε;", "DE.Controllers.Main.applyChangesTextText": "Γίνεται φόρτωση των αλλαγών...", - "DE.Controllers.Main.applyChangesTitleText": "Γίνεται φόρτωση των αλλαγών", + "DE.Controllers.Main.applyChangesTitleText": "Γίνεται Φόρτωση των Αλλαγών", "DE.Controllers.Main.convertationTimeoutText": "Υπέρβαση χρονικού ορίου μετατροπής.", "DE.Controllers.Main.criticalErrorExtText": "Πατήστε \"ΟΚ\" για να επιστρέψετε στη λίστα εγγράφων.", "DE.Controllers.Main.criticalErrorTitle": "Σφάλμα", "DE.Controllers.Main.downloadErrorText": "Αποτυχία λήψης.", "DE.Controllers.Main.downloadMergeText": "Γίνεται λήψη...", "DE.Controllers.Main.downloadMergeTitle": "Γίνεται λήψη", - "DE.Controllers.Main.downloadTextText": "Γίνεται λήψη εγγράφου...", - "DE.Controllers.Main.downloadTitleText": "Γίνεται λήψη εγγράφου", + "DE.Controllers.Main.downloadTextText": "Λήψη εγγράφου...", + "DE.Controllers.Main.downloadTitleText": "Λήψη Εγγράφου", "DE.Controllers.Main.errorAccessDeny": "Προσπαθείτε να εκτελέσετε μια ενέργεια για την οποία δεν έχετε δικαιώματα.
Παρακαλούμε να επικοινωνήστε με τον διαχειριστή του διακομιστή εγγράφων.", - "DE.Controllers.Main.errorBadImageUrl": "Εσφαλμένος σύνδεσμος εικόνας", + "DE.Controllers.Main.errorBadImageUrl": "Εσφαλμένη διεύθυνση URL εικόνας", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Χάθηκε η σύνδεση με τον εξυπηρετητή. Δεν μπορείτε να επεξεργαστείτε το έγγραφο αυτή τη στιγμή.", "DE.Controllers.Main.errorCompare": "Το χαρακτηριστικό Σύγκρισης Εγγράφων δεν είναι διαθέσιμο στην συν-επεξεργασία.", - "DE.Controllers.Main.errorConnectToServer": "Δεν ήταν δυνατή η αποθήκευση του εγγράφου. Ελέγξτε τις ρυθμίσεις σύνδεσης ή επικοινωνήστε με τον διαχειριστή σας.
Όταν πατήσετε 'ΟΚ', θα μπορέσετε να κατεβάσετε το έγγραφο.

Βρείτε περισσότερες πληροφορίες σχετικά με τη σύνδεση του Εξυπηρετητή Εγγράφων εδώ", + "DE.Controllers.Main.errorConnectToServer": "Δεν ήταν δυνατή η αποθήκευση του εγγράφου. Ελέγξτε τις ρυθμίσεις σύνδεσης ή επικοινωνήστε με τον διαχειριστή σας.
Όταν πατήσετε 'ΟΚ', θα μπορέσετε να κατεβάσετε το έγγραφο.", "DE.Controllers.Main.errorDatabaseConnection": "Εξωτερικό σφάλμα.
Σφάλμα σύνδεσης βάσης δεδομένων. Παρακαλούμε επικοινωνήστε με την υποστήριξη σε περίπτωση που το σφάλμα παραμένει.", "DE.Controllers.Main.errorDataEncrypted": "Οι κρυπτογραφημένες αλλαγές έχουν ληφθεί, δεν μπορούν να αποκρυπτογραφηθούν.", "DE.Controllers.Main.errorDataRange": "Εσφαλμένο εύρος δεδομένων.", @@ -457,7 +462,7 @@ "DE.Controllers.Main.errorToken": "Το κλειδί ασφαλείας του εγγράφου δεν είναι σωστά σχηματισμένο.
Παρακαλούμε επικοινωνήστε με τον διαχειριστή του Εξυπηρετητή Εγγράφων.", "DE.Controllers.Main.errorTokenExpire": "Το κλειδί ασφαλείας του εγγράφου έληξε.
Παρακαλούμε επικοινωνήστε με τον διαχειριστή του Εξυπηρετητή Εγγράφων.", "DE.Controllers.Main.errorUpdateVersion": "Η έκδοση του αρχείου έχει αλλάξει. Η σελίδα θα φορτωθεί ξανά.", - "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Η σύνδεση στο Διαδίκτυο έχει αποκατασταθεί και η έκδοση του αρχείου έχει αλλάξει.
Προτού συνεχίσετε να εργάζεστε, πρέπει να κατεβάσετε το αρχείο ή να αντιγράψετε το περιεχόμενό του για να βεβαιωθείτε ότι δεν έχει χαθεί τίποτα και, στη συνέχεια, φορτώστε ξανά αυτήν τη σελίδα.", + "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Η σύνδεση στο Διαδίκτυο έχει αποκατασταθεί και η έκδοση του αρχείου έχει αλλάξει.
Προτού συνεχίσετε να εργάζεστε, πρέπει να κατεβάσετε το αρχείο ή να αντιγράψετε το περιεχόμενό του για να βεβαιωθείτε ότι δεν έχει χαθεί τίποτα. Στη συνέχεια, φορτώστε ξανά αυτή τη σελίδα.", "DE.Controllers.Main.errorUserDrop": "Δεν είναι δυνατή η πρόσβαση στο αρχείο αυτή τη στιγμή.", "DE.Controllers.Main.errorUsersExceed": "Υπέρβαση του αριθμού των χρηστών που επιτρέπονται από το πρόγραμμα τιμολόγησης", "DE.Controllers.Main.errorViewerDisconnect": "Η σύνδεση χάθηκε. Μπορείτε να συνεχίσετε να βλέπετε το έγγραφο,
αλλά δεν θα μπορείτε να το λάβετε ή να το εκτυπώσετε έως ότου αποκατασταθεί η σύνδεση και ανανεωθεί η σελίδα.", @@ -465,22 +470,22 @@ "DE.Controllers.Main.loadFontsTextText": "Γίνεται φόρτωση δεδομένων...", "DE.Controllers.Main.loadFontsTitleText": "Γίνεται φόρτωση δεδομένων", "DE.Controllers.Main.loadFontTextText": "Γίνεται φόρτωση δεδομένων...", - "DE.Controllers.Main.loadFontTitleText": "Γίνεται φόρτωση δεδομένων", - "DE.Controllers.Main.loadImagesTextText": "Γίνεται φόρτωση εικόνων...", - "DE.Controllers.Main.loadImagesTitleText": "Γίνεται φόρτωση εικόνων", + "DE.Controllers.Main.loadFontTitleText": "Γίνεται Φόρτωση Δεδομένων", + "DE.Controllers.Main.loadImagesTextText": "Γίνεται Φόρτωση Εικόνων...", + "DE.Controllers.Main.loadImagesTitleText": "Γίνεται Φόρτωση Εικόνων", "DE.Controllers.Main.loadImageTextText": "Γίνεται φόρτωση εικόνας...", "DE.Controllers.Main.loadImageTitleText": "Γίνεται φόρτωση εικόνας", "DE.Controllers.Main.loadingDocumentTextText": "Γίνεται φόρτωση εγγράφου...", "DE.Controllers.Main.loadingDocumentTitleText": "Φόρτωση εγγράφου", - "DE.Controllers.Main.mailMergeLoadFileText": "Γίνεται φόρτωση πηγαίων δεδομένων...", - "DE.Controllers.Main.mailMergeLoadFileTitle": "Γίνεται φόρτωση πηγαίων δεδομένων", + "DE.Controllers.Main.mailMergeLoadFileText": "Γίνεται Φόρτωση της Πηγής Δεδομένων...", + "DE.Controllers.Main.mailMergeLoadFileTitle": "Γίνεται Φόρτωση της Πηγής Δεδομένων", "DE.Controllers.Main.notcriticalErrorTitle": "Προειδοποίηση", "DE.Controllers.Main.openErrorText": "Παρουσιάστηκε σφάλμα κατά το άνοιγμα του αρχείου.", "DE.Controllers.Main.openTextText": "Γίνεται άνοιγμα εγγράφου...", - "DE.Controllers.Main.openTitleText": "Άνοιγμα εγγράφου", + "DE.Controllers.Main.openTitleText": "Άνοιγμα Εγγράφου", "DE.Controllers.Main.printTextText": "Γίνεται εκτύπωση εγγράφου...", - "DE.Controllers.Main.printTitleText": "Εκτύπωση εγγράφου", - "DE.Controllers.Main.reloadButtonText": "Επανάληψη φόρτωσης σελίδας", + "DE.Controllers.Main.printTitleText": "Εκτύπωση Εγγράφου", + "DE.Controllers.Main.reloadButtonText": "Επανάληψη Φόρτωσης Σελίδας", "DE.Controllers.Main.requestEditFailedMessageText": "Κάποιος επεξεργάζεται αυτό το έγγραφο αυτήν τη στιγμή. Παρακαλούμε δοκιμάστε ξανά αργότερα.", "DE.Controllers.Main.requestEditFailedTitleText": "Δεν επιτρέπεται η πρόσβαση", "DE.Controllers.Main.saveErrorText": "Παρουσιάστηκε σφάλμα κατά την αποθήκευση του αρχείου.", @@ -505,11 +510,11 @@ "DE.Controllers.Main.textConvertEquation": "Η εξίσωση αυτή δημιουργήθηκε με παλαιότερη έκδοση του συντάκτη εξισώσεων που δεν υποστηρίζεται πια. Για να την επεξεργαστείτε, μετατρέψτε την σε μορφή Office Math ML.
Να μετατραπεί τώρα;", "DE.Controllers.Main.textCustomLoader": "Παρακαλούμε λάβετε υπόψη ότι σύμφωνα με τους όρους της άδειας δεν δικαιούστε αλλαγή του φορτωτή.
Παρακαλούμε επικοινωνήστε με το Τμήμα Πωλήσεων για να λάβετε μια προσφορά.", "DE.Controllers.Main.textHasMacros": "Το αρχείο περιέχει αυτόματες μακροεντολές.
Θέλετε να εκτελέσετε μακροεντολές;", - "DE.Controllers.Main.textLearnMore": "Μάθετε περισσότερα", + "DE.Controllers.Main.textLearnMore": "Μάθετε Περισσότερα", "DE.Controllers.Main.textLoadingDocument": "Φόρτωση εγγράφου", "DE.Controllers.Main.textNoLicenseTitle": "Το όριο άδειας συμπληρώθηκε.", "DE.Controllers.Main.textPaidFeature": "Δυνατότητα επί πληρωμή", - "DE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου", + "DE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου για όλα τα αρχεία", "DE.Controllers.Main.textShape": "Σχήμα", "DE.Controllers.Main.textStrict": "Αυστηρή κατάσταση", "DE.Controllers.Main.textTryUndoRedo": "Οι λειτουργίες Αναίρεση/Επανάληψη είναι απενεργοποιημένες στην κατάσταση Γρήγορης συν-επεξεργασίας.
Κάντε κλικ στο κουμπί 'Αυστηρή κατάσταση' για να μεταβείτε στην Αυστηρή κατάσταση συν-επεξεργασίας όπου επεξεργάζεστε το αρχείο χωρίς παρέμβαση άλλων χρηστών και στέλνετε τις αλλαγές σας αφού τις αποθηκεύσετε. Η μετάβαση μεταξύ των δύο καταστάσεων γίνεται μέσω των Ρυθμίσεων για Προχωρημένους.", @@ -518,75 +523,79 @@ "DE.Controllers.Main.titleUpdateVersion": "Η έκδοση άλλαξε", "DE.Controllers.Main.txtAbove": "πάνω από", "DE.Controllers.Main.txtArt": "Το κείμενό σας εδώ", - "DE.Controllers.Main.txtBasicShapes": "Βασικά σχήματα", + "DE.Controllers.Main.txtBasicShapes": "Βασικά Σχήματα", "DE.Controllers.Main.txtBelow": "παρακάτω", "DE.Controllers.Main.txtBookmarkError": "Σφάλμα! Ο σελιδοδείκτης δεν έχει οριστεί.", "DE.Controllers.Main.txtButtons": "Κουμπιά", "DE.Controllers.Main.txtCallouts": "Επεξηγήσεις", "DE.Controllers.Main.txtCharts": "Γραφήματα", "DE.Controllers.Main.txtChoose": "Επιλέξτε ένα αντικείμενο", - "DE.Controllers.Main.txtCurrentDocument": "Τρέχον έγγραφο", + "DE.Controllers.Main.txtCurrentDocument": "Τρέχον Έγγραφο", "DE.Controllers.Main.txtDiagramTitle": "Τίτλος Γραφήματος", "DE.Controllers.Main.txtEditingMode": "Ορισμός κατάστασης επεξεργασίας...", "DE.Controllers.Main.txtEndOfFormula": "Μη αναμενόμενος τερματισμός του τύπου", "DE.Controllers.Main.txtEnterDate": "Εισάγετε μια ημερομηνία", "DE.Controllers.Main.txtErrorLoadHistory": "Η φόρτωση ιστορικού απέτυχε", - "DE.Controllers.Main.txtEvenPage": "Ζυγή σελίδα", + "DE.Controllers.Main.txtEvenPage": "Ζυγή Σελίδα", "DE.Controllers.Main.txtFiguredArrows": "Σχηματικά Βέλη", - "DE.Controllers.Main.txtFirstPage": "Πρώτη σελίδα", + "DE.Controllers.Main.txtFirstPage": "Πρώτη Σελίδα", "DE.Controllers.Main.txtFooter": "Υποσέλιδο", "DE.Controllers.Main.txtFormulaNotInTable": "Ο τύπος δεν περιλαμβάνεται στον πίνακα", "DE.Controllers.Main.txtHeader": "Κεφαλίδα", "DE.Controllers.Main.txtHyperlink": "Υπερσύνδεσμος", "DE.Controllers.Main.txtIndTooLarge": "Υπερβολικά Μεγάλο Ευρετήριο", "DE.Controllers.Main.txtLines": "Γραμμές", - "DE.Controllers.Main.txtMainDocOnly": "Σφάλμα! Μόνο το κύριο έγγραφο.", + "DE.Controllers.Main.txtMainDocOnly": "Σφάλμα! Μόνο το Κύριο Έγγραφο.", "DE.Controllers.Main.txtMath": "Μαθηματικά", "DE.Controllers.Main.txtMissArg": "Λείπει Όρισμα", "DE.Controllers.Main.txtMissOperator": "Λείπει Τελεστής", "DE.Controllers.Main.txtNeedSynchronize": "Έχετε ενημερώσεις", "DE.Controllers.Main.txtNoTableOfContents": "Δεν υπάρχουν επικεφαλίδες στο έγγραφο. Εφαρμόστε μια τεχνοτροπία επικεφαλίδων στο κείμενο ώστε να εμφανίζεται στον πίνακα περιεχομένων.", "DE.Controllers.Main.txtNoText": "Σφάλμα! Δεν υπάρχει κείμενο συγκεκριμένης τεχνοτροπίας στο έγγραφο.", - "DE.Controllers.Main.txtNotInTable": "Δεν Είναι Σε Πίνακα", + "DE.Controllers.Main.txtNotInTable": "Δεν Είναι Στον Πίνακα", "DE.Controllers.Main.txtNotValidBookmark": "Σφάλμα! Μη έγκυρη αυτο-αναφορά σελιδοδείκτη.", - "DE.Controllers.Main.txtOddPage": "Μονή σελίδα", + "DE.Controllers.Main.txtOddPage": "Μονή Σελίδα", "DE.Controllers.Main.txtOnPage": "στην σελίδα", "DE.Controllers.Main.txtRectangles": "Ορθογώνια Παραλληλόγραμμα", "DE.Controllers.Main.txtSameAsPrev": "Ίδιο με το Προηγούμενο", "DE.Controllers.Main.txtSection": "-Τμήμα", "DE.Controllers.Main.txtSeries": "Σειρά", - "DE.Controllers.Main.txtShape_accentBorderCallout1": "Γραμμή Επεξήγησης 1 (Περίγραμμα και Μπάρα Τόνου)", - "DE.Controllers.Main.txtShape_accentBorderCallout2": "Γραμμή Επεξήγησης 2 (Περίγραμμα και Μπάρα Τόνου)", - "DE.Controllers.Main.txtShape_accentBorderCallout3": "Γραμμή Επεξήγησης 3 (Περίγραμμα και Μπάρα Τόνου)", - "DE.Controllers.Main.txtShape_accentCallout1": "Γραμμή Επεξήγησης 1 (Μπάρα Τόνου)", - "DE.Controllers.Main.txtShape_accentCallout2": "Γραμμή Επεξήγησης 2 (Μπάρα Τόνου)", - "DE.Controllers.Main.txtShape_accentCallout3": "Γραμμή Επεξήγησης 3 (Γραμμή Υποσέλιδου)", + "DE.Controllers.Main.txtShape_accentBorderCallout1": "Επεξήγηση με Γραμμή 1 (Περίγραμμα και Μπάρα)", + "DE.Controllers.Main.txtShape_accentBorderCallout2": "Επεξήγηση με Γραμμή 2 (Περίγραμμα και Μπάρα)", + "DE.Controllers.Main.txtShape_accentBorderCallout3": "Επεξήγηση με Γραμμή 3 (Περίγραμμα και Μπάρα)", + "DE.Controllers.Main.txtShape_accentCallout1": "Επεξήγηση με Γραμμή 1 (Μπάρα)", + "DE.Controllers.Main.txtShape_accentCallout2": "Επεξήγηση με Γραμμή 2 (Μπάρα)", + "DE.Controllers.Main.txtShape_accentCallout3": "Επεξήγηση με Γραμμή 3 (Μπάρα)", "DE.Controllers.Main.txtShape_actionButtonBackPrevious": "Κουμπί Πίσω ή Προηγούμενο", - "DE.Controllers.Main.txtShape_actionButtonBeginning": "Κουμπί Έναρξη", - "DE.Controllers.Main.txtShape_actionButtonBlank": "Κενό κουμπί", + "DE.Controllers.Main.txtShape_actionButtonBeginning": "Κουμπί Αρχής", + "DE.Controllers.Main.txtShape_actionButtonBlank": "Κενό Κουμπί", "DE.Controllers.Main.txtShape_actionButtonDocument": "Κουμπί Εγγράφου", "DE.Controllers.Main.txtShape_actionButtonEnd": "Κουμπί Τέλους", - "DE.Controllers.Main.txtShape_actionButtonForwardNext": "Κουμπί προώθηση ή επόμενο", - "DE.Controllers.Main.txtShape_actionButtonHelp": "Κουμπί βοήθειας", - "DE.Controllers.Main.txtShape_actionButtonHome": "Κουμπί αρχικής", + "DE.Controllers.Main.txtShape_actionButtonForwardNext": "Κουμπί Μπροστά ή Επόμενο", + "DE.Controllers.Main.txtShape_actionButtonHelp": "Κουμπί Βοήθειας", + "DE.Controllers.Main.txtShape_actionButtonHome": "Κουμπί Αρχικής", "DE.Controllers.Main.txtShape_actionButtonInformation": "Κουμπί Πληροφορίας", "DE.Controllers.Main.txtShape_actionButtonMovie": "Κουμπί Ταινίας", "DE.Controllers.Main.txtShape_actionButtonReturn": "Κουμπί Επιστροφής", "DE.Controllers.Main.txtShape_actionButtonSound": "Κουμπί Ήχου", "DE.Controllers.Main.txtShape_arc": "Κυκλικό Τόξο", "DE.Controllers.Main.txtShape_bentArrow": "Λυγισμένο Βέλος", + "DE.Controllers.Main.txtShape_bentConnector5": "Αρθρωτός Σύνδεσμος", + "DE.Controllers.Main.txtShape_bentConnector5WithArrow": "Αρθρωτός Σύνδεσμος με Βέλος", + "DE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "Αρθρωτός Σύνδεσμος με Διπλό Βέλος", "DE.Controllers.Main.txtShape_bentUpArrow": "Λυγισμένο Πάνω Βέλος", - "DE.Controllers.Main.txtShape_bevel": "Ψαλίδισμα", - "DE.Controllers.Main.txtShape_borderCallout1": "Γραμμή Επεξήγησης 1", - "DE.Controllers.Main.txtShape_borderCallout2": "Γραμμή Επεξήγησης 2", - "DE.Controllers.Main.txtShape_borderCallout3": "Γραμμή Επεξήγησης 3", + "DE.Controllers.Main.txtShape_bevel": "Πλάγια Τομή", + "DE.Controllers.Main.txtShape_blockArc": "Πλαίσιο Τόξου", + "DE.Controllers.Main.txtShape_borderCallout1": "Επεξήγηση με Γραμμή 1", + "DE.Controllers.Main.txtShape_borderCallout2": "Επεξήγηση με Γραμμή 2", + "DE.Controllers.Main.txtShape_borderCallout3": "Επεξήγηση με Γραμμή 3", "DE.Controllers.Main.txtShape_bracePair": "Διπλό Άγκιστρο", - "DE.Controllers.Main.txtShape_callout1": "Γραμμή Επεξήγησης 1 (Χωρίς Περίγραμμα)", - "DE.Controllers.Main.txtShape_callout2": "Γραμμή Επεξήγησης 2 (Χωρίς Περίγραμμα)", - "DE.Controllers.Main.txtShape_callout3": "Γραμμή Επεξήγησης 3 (Χωρίς Περίγραμμα)", + "DE.Controllers.Main.txtShape_callout1": "Επεξήγηση με Γραμμή 1 (Χωρίς Περίγραμμα)", + "DE.Controllers.Main.txtShape_callout2": "Επεξήγηση με Γραμμή 2 (Χωρίς Περίγραμμα)", + "DE.Controllers.Main.txtShape_callout3": "Επεξήγηση με Γραμμή 3 (Χωρίς Περίγραμμα)", "DE.Controllers.Main.txtShape_can": "Κύλινδρος", "DE.Controllers.Main.txtShape_chevron": "Σιρίτι", - "DE.Controllers.Main.txtShape_chord": "Συγχορδία", + "DE.Controllers.Main.txtShape_chord": "Χορδή Κύκλου", "DE.Controllers.Main.txtShape_circularArrow": "Κυκλικό Βέλος", "DE.Controllers.Main.txtShape_cloud": "Σύννεφο", "DE.Controllers.Main.txtShape_cloudCallout": "Επεξήγηση σε Σύννεφο", @@ -601,23 +610,23 @@ "DE.Controllers.Main.txtShape_curvedUpArrow": "Καμπυλωτό Πάνω Βέλος", "DE.Controllers.Main.txtShape_decagon": "Δεκάγωνο", "DE.Controllers.Main.txtShape_diagStripe": "Διαγώνια Λωρίδα", - "DE.Controllers.Main.txtShape_diamond": "Διαμάντι", + "DE.Controllers.Main.txtShape_diamond": "Ρόμβος", "DE.Controllers.Main.txtShape_dodecagon": "Δωδεκάγωνο", "DE.Controllers.Main.txtShape_donut": "Ντόνατ", "DE.Controllers.Main.txtShape_doubleWave": "Διπλό Κύμα", - "DE.Controllers.Main.txtShape_downArrow": "Κάτω βέλος", + "DE.Controllers.Main.txtShape_downArrow": "Κάτω Βέλος", "DE.Controllers.Main.txtShape_downArrowCallout": "Επεξήγηση με Κάτω Βέλος", "DE.Controllers.Main.txtShape_ellipse": "Έλλειψη", "DE.Controllers.Main.txtShape_ellipseRibbon": "Καμπυλωτή Κορδέλα Κάτω", - "DE.Controllers.Main.txtShape_ellipseRibbon2": "Καμπυλωτή Κορδέλα Πάνω", - "DE.Controllers.Main.txtShape_flowChartAlternateProcess": "Διάγραμμα Ροής: Εναλλακτική Διαδικασία", + "DE.Controllers.Main.txtShape_ellipseRibbon2": "Καμπυλωτή Πάνω Κορδέλα", + "DE.Controllers.Main.txtShape_flowChartAlternateProcess": "Διάγραμμα Ροής: Εναλλακτική Διεργασία", "DE.Controllers.Main.txtShape_flowChartCollate": "Διάγραμμα Ροής: Τοποθέτηση σε Σειρά", "DE.Controllers.Main.txtShape_flowChartConnector": "Διάγραμμα Ροής: Σύνδεσμος", "DE.Controllers.Main.txtShape_flowChartDecision": "Διάγραμμα Ροής: Απόφαση", "DE.Controllers.Main.txtShape_flowChartDelay": "Διάγραμμα Ροής: Καθυστέρηση", "DE.Controllers.Main.txtShape_flowChartDisplay": "Διάγραμμα Ροής: Προβολή", "DE.Controllers.Main.txtShape_flowChartDocument": "Διάγραμμα Ροής: Έγγραφο", - "DE.Controllers.Main.txtShape_flowChartExtract": "Διάγραμμα Ροής: Αφαίρεση", + "DE.Controllers.Main.txtShape_flowChartExtract": "Διάγραμμα Ροής: Εξαγωγή", "DE.Controllers.Main.txtShape_flowChartInputOutput": "Διάγραμμα Ροής: Δεδομένα", "DE.Controllers.Main.txtShape_flowChartInternalStorage": "Διάγραμμα Ροής: Εσωτερικό Αποθηκευτικό Μέσο", "DE.Controllers.Main.txtShape_flowChartMagneticDisk": "Διάγραμμα Ροής: Μαγνητικός Δίσκος", @@ -638,7 +647,7 @@ "DE.Controllers.Main.txtShape_flowChartSort": "Διάγραμμα Ροής: Ταξινόμηση", "DE.Controllers.Main.txtShape_flowChartSummingJunction": "Διάγραμμα Ροής: Συμβολή", "DE.Controllers.Main.txtShape_flowChartTerminator": "Διάγραμμα Ροής: Τερματισμός", - "DE.Controllers.Main.txtShape_foldedCorner": "Διπλωμένη Στροφή", + "DE.Controllers.Main.txtShape_foldedCorner": "Διπλωμένη Γωνία", "DE.Controllers.Main.txtShape_frame": "Πλαίσιο", "DE.Controllers.Main.txtShape_halfFrame": "Μισό Πλαίσιο", "DE.Controllers.Main.txtShape_heart": "Καρδιά", @@ -648,10 +657,10 @@ "DE.Controllers.Main.txtShape_horizontalScroll": "Οριζόντια Κύλιση", "DE.Controllers.Main.txtShape_irregularSeal1": "Έκρηξη 1", "DE.Controllers.Main.txtShape_irregularSeal2": "Έκρηξη 2", - "DE.Controllers.Main.txtShape_leftArrow": "Αριστερό βέλος", + "DE.Controllers.Main.txtShape_leftArrow": "Αριστερό Βέλος", "DE.Controllers.Main.txtShape_leftArrowCallout": "Επεξήγηση με Αριστερό Βέλος", - "DE.Controllers.Main.txtShape_leftBrace": "Αριστερό άγκιστρο", - "DE.Controllers.Main.txtShape_leftBracket": "Αριστερή παρένθεση", + "DE.Controllers.Main.txtShape_leftBrace": "Αριστερό Άγκιστρο", + "DE.Controllers.Main.txtShape_leftBracket": "Αριστερή Παρένθεση", "DE.Controllers.Main.txtShape_leftRightArrow": "Αριστερό Δεξιό Βέλος", "DE.Controllers.Main.txtShape_leftRightArrowCallout": "Επεξήγηση με Αριστερό Δεξιό Βέλος", "DE.Controllers.Main.txtShape_leftRightUpArrow": "Αριστερό Δεξιό Πάνω Βέλος", @@ -659,18 +668,18 @@ "DE.Controllers.Main.txtShape_lightningBolt": "Κεραυνός", "DE.Controllers.Main.txtShape_line": "Γραμμή", "DE.Controllers.Main.txtShape_lineWithArrow": "Βέλος", - "DE.Controllers.Main.txtShape_lineWithTwoArrows": "Διπλό βέλος", - "DE.Controllers.Main.txtShape_mathDivide": "Διαίρεση", + "DE.Controllers.Main.txtShape_lineWithTwoArrows": "Διπλό Βέλος", + "DE.Controllers.Main.txtShape_mathDivide": "Δια", "DE.Controllers.Main.txtShape_mathEqual": "Ίσον", "DE.Controllers.Main.txtShape_mathMinus": "Πλην", - "DE.Controllers.Main.txtShape_mathMultiply": "Πολλαπλασιασμός", - "DE.Controllers.Main.txtShape_mathNotEqual": "Όχι Ίσο", + "DE.Controllers.Main.txtShape_mathMultiply": "Επί", + "DE.Controllers.Main.txtShape_mathNotEqual": "Διάφορο", "DE.Controllers.Main.txtShape_mathPlus": "Συν", "DE.Controllers.Main.txtShape_moon": "Φεγγάρι", "DE.Controllers.Main.txtShape_noSmoking": "Σύμβολο \"Όχι\"", "DE.Controllers.Main.txtShape_notchedRightArrow": "Δεξί Βέλος με Εγκοπή", "DE.Controllers.Main.txtShape_octagon": "Οκτάγωνο", - "DE.Controllers.Main.txtShape_parallelogram": "Παραλληλόγραμμο", + "DE.Controllers.Main.txtShape_parallelogram": "Πλάγιο Παραλληλόγραμμο", "DE.Controllers.Main.txtShape_pentagon": "Πεντάγωνο", "DE.Controllers.Main.txtShape_pie": "Πίτα", "DE.Controllers.Main.txtShape_plaque": "Σύμβολο", @@ -679,42 +688,42 @@ "DE.Controllers.Main.txtShape_polyline2": "Ελεύθερο Σχέδιο", "DE.Controllers.Main.txtShape_quadArrow": "Τετραπλό Βέλος", "DE.Controllers.Main.txtShape_quadArrowCallout": "Επεξήγηση Τετραπλού Βέλους", - "DE.Controllers.Main.txtShape_rect": "Ορθογώνιο παραλληλόγραμμο", + "DE.Controllers.Main.txtShape_rect": "Ορθογώνιο Παραλληλόγραμμο", "DE.Controllers.Main.txtShape_ribbon": "Κάτω Κορδέλα", "DE.Controllers.Main.txtShape_ribbon2": "Πάνω Κορδέλα", - "DE.Controllers.Main.txtShape_rightArrow": "Δεξί βέλος", - "DE.Controllers.Main.txtShape_rightArrowCallout": "Επεξήγηση Δεξιού Βέλους", + "DE.Controllers.Main.txtShape_rightArrow": "Δεξιό βέλος", + "DE.Controllers.Main.txtShape_rightArrowCallout": "Επεξήγηση με Δεξιό Βέλος", "DE.Controllers.Main.txtShape_rightBrace": "Δεξιό Άγκιστρο", "DE.Controllers.Main.txtShape_rightBracket": "Δεξιά Παρένθεση", - "DE.Controllers.Main.txtShape_round1Rect": "Ορθογώνιο με μία στρογγυλεμένη γωνία", - "DE.Controllers.Main.txtShape_round2DiagRect": "Πλάγιο Παραλληλόγραμμο με Στρογγυλεμένες Γωνίες", - "DE.Controllers.Main.txtShape_round2SameRect": "Ορθογώνιο με στρογγυλεμένες γωνίες στην ίδια πλευρά", - "DE.Controllers.Main.txtShape_roundRect": "Ορθογώνιο Παραλληλόγραμμο με Στρογγυλεμένες Γωνίες", + "DE.Controllers.Main.txtShape_round1Rect": "Με Στρογγυλεμένη Γωνία", + "DE.Controllers.Main.txtShape_round2DiagRect": "Με Διαγώνιες Στρογγυλεμένες Γωνίες", + "DE.Controllers.Main.txtShape_round2SameRect": "Με Στρογγυλεμένες Γωνίες στην Ίδια Πλευρά", + "DE.Controllers.Main.txtShape_roundRect": "Με Στρογγυλεμένες Γωνίες", "DE.Controllers.Main.txtShape_rtTriangle": "Ορθογώνιο Τρίγωνο", "DE.Controllers.Main.txtShape_smileyFace": "Χαμογελαστή Φατσούλα", - "DE.Controllers.Main.txtShape_snip1Rect": "Ορθογώνιο με μία ψαλιδισμένη γωνία", - "DE.Controllers.Main.txtShape_snip2DiagRect": "Ορθογώνιο με διαγώνιες ψαλιδισμένες γωνίες", - "DE.Controllers.Main.txtShape_snip2SameRect": "Ορθογώνιο με ψαλιδισμένες γωνίες στην ίδια πλευρά", - "DE.Controllers.Main.txtShape_snipRoundRect": "Ορθογώνιο με μία στρογγυλεμένη γωνία και μία ψαλιδισμένη γωνία", + "DE.Controllers.Main.txtShape_snip1Rect": "Με Ψαλιδισμένη Γωνία", + "DE.Controllers.Main.txtShape_snip2DiagRect": "Με Διαγώνιες Ψαλιδισμένες Γωνίες", + "DE.Controllers.Main.txtShape_snip2SameRect": "Με Ψαλιδισμένες Γωνίες στην Ίδια Πλευρά", + "DE.Controllers.Main.txtShape_snipRoundRect": "Με Στρογγυλεμένη και Ψαλιδισμένη Γωνία", "DE.Controllers.Main.txtShape_spline": "Καμπύλη", - "DE.Controllers.Main.txtShape_star10": "Αστέρι 10 σημείων", - "DE.Controllers.Main.txtShape_star12": "Αστέρι 12 σημείων", - "DE.Controllers.Main.txtShape_star16": "Αστέρι 16 σημείων", - "DE.Controllers.Main.txtShape_star24": "Αστέρι 24 σημείων", - "DE.Controllers.Main.txtShape_star32": "Αστέρι 32 σημείων", - "DE.Controllers.Main.txtShape_star4": "Αστέρι 4 σημείων", - "DE.Controllers.Main.txtShape_star5": "Αστέρι 5 σημείων", - "DE.Controllers.Main.txtShape_star6": "Αστέρι 6 σημείων", - "DE.Controllers.Main.txtShape_star7": "Αστέρι 7 σημείων", - "DE.Controllers.Main.txtShape_star8": "Αστέρι 8 σημείων", + "DE.Controllers.Main.txtShape_star10": "Αστέρι 10 Σημείων", + "DE.Controllers.Main.txtShape_star12": "Αστέρι 12 Σημείων", + "DE.Controllers.Main.txtShape_star16": "Αστέρι 16 Σημείων", + "DE.Controllers.Main.txtShape_star24": "Αστέρι 24 Σημείων", + "DE.Controllers.Main.txtShape_star32": "Αστέρι 32 Σημείων", + "DE.Controllers.Main.txtShape_star4": "Αστέρι 4 Σημείων", + "DE.Controllers.Main.txtShape_star5": "Αστέρι 5 Σημείων", + "DE.Controllers.Main.txtShape_star6": "Αστέρι 6 Σημείων", + "DE.Controllers.Main.txtShape_star7": "Αστέρι 7 Σημείων", + "DE.Controllers.Main.txtShape_star8": "Αστέρι 8 Σημείων", "DE.Controllers.Main.txtShape_stripedRightArrow": "Ριγέ Δεξιό Βέλος", - "DE.Controllers.Main.txtShape_sun": "Κυρ", + "DE.Controllers.Main.txtShape_sun": "Ήλιος", "DE.Controllers.Main.txtShape_teardrop": "Δάκρυ", "DE.Controllers.Main.txtShape_textRect": "Πλαίσιο κειμένου", "DE.Controllers.Main.txtShape_trapezoid": "Τραπεζοειδές", "DE.Controllers.Main.txtShape_triangle": "Τρίγωνο", "DE.Controllers.Main.txtShape_upArrow": "Πάνω Βέλος", - "DE.Controllers.Main.txtShape_upArrowCallout": "Επεξήγηση Πάνω Βέλους", + "DE.Controllers.Main.txtShape_upArrowCallout": "Επεξήγηση με Πάνω Βέλος", "DE.Controllers.Main.txtShape_upDownArrow": "Πάνω Κάτω Βέλος", "DE.Controllers.Main.txtShape_uturnArrow": "Βέλος Αναστροφής", "DE.Controllers.Main.txtShape_verticalScroll": "Κατακόρυφη Κύλιση", @@ -724,7 +733,7 @@ "DE.Controllers.Main.txtShape_wedgeRoundRectCallout": "Στρογγυλεμένη Ορθογώνια Επεξήγηση", "DE.Controllers.Main.txtStarsRibbons": "Αστέρια & Κορδέλες", "DE.Controllers.Main.txtStyle_Caption": "Λεζάντα", - "DE.Controllers.Main.txtStyle_footnote_text": "Κείμενο υποσημείωσης", + "DE.Controllers.Main.txtStyle_footnote_text": "Κείμενο Υποσημείωσης", "DE.Controllers.Main.txtStyle_Heading_1": "Επικεφαλίδα 1", "DE.Controllers.Main.txtStyle_Heading_2": "Επικεφαλίδα 2", "DE.Controllers.Main.txtStyle_Heading_3": "Επικεφαλίδα 3", @@ -735,9 +744,9 @@ "DE.Controllers.Main.txtStyle_Heading_8": "Επικεφαλίδα 8", "DE.Controllers.Main.txtStyle_Heading_9": "Επικεφαλίδα 9", "DE.Controllers.Main.txtStyle_Intense_Quote": "Έντονα Εισαγωγικά", - "DE.Controllers.Main.txtStyle_List_Paragraph": "Παράγραφος λίστα", - "DE.Controllers.Main.txtStyle_No_Spacing": "Χωρίς Διάστημα", - "DE.Controllers.Main.txtStyle_Normal": "Κανονικό", + "DE.Controllers.Main.txtStyle_List_Paragraph": "Παράγραφος Λίστας", + "DE.Controllers.Main.txtStyle_No_Spacing": "Χωρίς Απόσταση", + "DE.Controllers.Main.txtStyle_Normal": "Κανονική", "DE.Controllers.Main.txtStyle_Quote": "Παράθεση", "DE.Controllers.Main.txtStyle_Subtitle": "Υπότιτλος", "DE.Controllers.Main.txtStyle_Title": "Τίτλος", @@ -782,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Τόνοι/Πνεύματα", "DE.Controllers.Toolbar.textBracket": "Αγκύλες", "DE.Controllers.Toolbar.textEmptyImgUrl": "Πρέπει να καθορίσετε τη διεύθυνση URL της εικόνας.", - "DE.Controllers.Toolbar.textFontSizeErr": "Η τιμή που βάλατε δεν είναι αποδεκτή.
Παρακαλούμε βάλτε μια αριθμητική τιμή μεταξύ 1 και 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Η τιμή που βάλατε δεν είναι αποδεκτή.
Παρακαλούμε βάλτε μια αριθμητική τιμή μεταξύ 1 και 300", "DE.Controllers.Toolbar.textFraction": "Κλάσματα", "DE.Controllers.Toolbar.textFunction": "Λειτουργίες", "DE.Controllers.Toolbar.textInsert": "Εισαγωγή", @@ -822,6 +831,7 @@ "DE.Controllers.Toolbar.txtAccent_HarpoonR": "Προς τα δεξιά καμάκι από πάνω", "DE.Controllers.Toolbar.txtAccent_Hat": "Σύμβολο (^)", "DE.Controllers.Toolbar.txtAccent_Smile": "Σημείο βραχέος", + "DE.Controllers.Toolbar.txtAccent_Tilde": "Περισπωμένη", "DE.Controllers.Toolbar.txtBracket_Angle": "Αγκύλες", "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "Αγκύλες με διαχωριστικά", "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "Αγκύλες με διαχωριστικά", @@ -1043,7 +1053,7 @@ "DE.Controllers.Toolbar.txtSymbol_chi": "Χι", "DE.Controllers.Toolbar.txtSymbol_cong": "Περίπου ίσο με", "DE.Controllers.Toolbar.txtSymbol_cup": "Ένωση", - "DE.Controllers.Toolbar.txtSymbol_ddots": "Διαγώνια έλλειψη κάτω δεξιά", + "DE.Controllers.Toolbar.txtSymbol_ddots": "Καθοδική διαγώνια έλλειψη", "DE.Controllers.Toolbar.txtSymbol_degree": "Βαθμοί", "DE.Controllers.Toolbar.txtSymbol_delta": "Δέλτα", "DE.Controllers.Toolbar.txtSymbol_div": "Σύμβολο διαίρεσης", @@ -1062,7 +1072,7 @@ "DE.Controllers.Toolbar.txtSymbol_gg": "Πολύ μεγαλύτερο από", "DE.Controllers.Toolbar.txtSymbol_greater": "Μεγαλύτερο από", "DE.Controllers.Toolbar.txtSymbol_in": "Στοιχείο του", - "DE.Controllers.Toolbar.txtSymbol_inc": "Αύξηση τιμής", + "DE.Controllers.Toolbar.txtSymbol_inc": "Μεταβολή", "DE.Controllers.Toolbar.txtSymbol_infinity": "Άπειρο", "DE.Controllers.Toolbar.txtSymbol_iota": "Γιώτα", "DE.Controllers.Toolbar.txtSymbol_kappa": "Κάπα", @@ -1070,14 +1080,15 @@ "DE.Controllers.Toolbar.txtSymbol_leftarrow": "Αριστερό βέλος", "DE.Controllers.Toolbar.txtSymbol_leftrightarrow": "Αριστερό-δεξιό βέλος", "DE.Controllers.Toolbar.txtSymbol_leq": "Μικρότερο ή ίσο με", - "DE.Controllers.Toolbar.txtSymbol_less": "Λιγότερο από", + "DE.Controllers.Toolbar.txtSymbol_less": "Μικρότερο από", "DE.Controllers.Toolbar.txtSymbol_ll": "Πολύ μικρότερο από", "DE.Controllers.Toolbar.txtSymbol_minus": "Πλην", "DE.Controllers.Toolbar.txtSymbol_mp": "Πλην συν", "DE.Controllers.Toolbar.txtSymbol_mu": "Μι", - "DE.Controllers.Toolbar.txtSymbol_neq": "Όχι ίσο με", + "DE.Controllers.Toolbar.txtSymbol_nabla": "Ανάδελτα", + "DE.Controllers.Toolbar.txtSymbol_neq": "Διάφορο από", "DE.Controllers.Toolbar.txtSymbol_ni": "Περιέχει ως μέλος", - "DE.Controllers.Toolbar.txtSymbol_not": "Δεν είναι υπογεγραμμένο", + "DE.Controllers.Toolbar.txtSymbol_not": "Σύμβολο άρνησης", "DE.Controllers.Toolbar.txtSymbol_notexists": "Δεν υπάρχει", "DE.Controllers.Toolbar.txtSymbol_nu": "Νι", "DE.Controllers.Toolbar.txtSymbol_o": "Όμικρον", @@ -1092,15 +1103,15 @@ "DE.Controllers.Toolbar.txtSymbol_psi": "Ψι", "DE.Controllers.Toolbar.txtSymbol_qdrt": "Τέταρτη ρίζα", "DE.Controllers.Toolbar.txtSymbol_qed": "Τέλος απόδειξης", - "DE.Controllers.Toolbar.txtSymbol_rddots": "Πάνω δεξιά διαγώνια έλλειψη", + "DE.Controllers.Toolbar.txtSymbol_rddots": "Ανοδική διαγώνια έλλειψη", "DE.Controllers.Toolbar.txtSymbol_rho": "Ρο", - "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Δεξί βέλος", + "DE.Controllers.Toolbar.txtSymbol_rightarrow": "Δεξιό βέλος", "DE.Controllers.Toolbar.txtSymbol_sigma": "Σίγμα", "DE.Controllers.Toolbar.txtSymbol_sqrt": "Σύμβολο ρίζας", "DE.Controllers.Toolbar.txtSymbol_tau": "Ταυ", "DE.Controllers.Toolbar.txtSymbol_therefore": "Επομένως", "DE.Controllers.Toolbar.txtSymbol_theta": "Θήτα", - "DE.Controllers.Toolbar.txtSymbol_times": "Σύμβολο Πολλαπλασιασμού", + "DE.Controllers.Toolbar.txtSymbol_times": "Σύμβολο πολλαπλασιασμού", "DE.Controllers.Toolbar.txtSymbol_uparrow": "Πάνω βέλος", "DE.Controllers.Toolbar.txtSymbol_upsilon": "Ύψιλον", "DE.Controllers.Toolbar.txtSymbol_varepsilon": "Παραλλαγή του έψιλον", @@ -1112,8 +1123,8 @@ "DE.Controllers.Toolbar.txtSymbol_vdots": "Κατακόρυφη έλλειψη", "DE.Controllers.Toolbar.txtSymbol_xsi": "Ζήτα", "DE.Controllers.Toolbar.txtSymbol_zeta": "Ζήτα", - "DE.Controllers.Viewport.textFitPage": "Προσαρμογή στη σελίδα", - "DE.Controllers.Viewport.textFitWidth": "Προσαρμογή στο πλάτος", + "DE.Controllers.Viewport.textFitPage": "Προσαρμογή στη Σελίδα", + "DE.Controllers.Viewport.textFitWidth": "Προσαρμογή στο Πλάτος", "DE.Views.AddNewCaptionLabelDialog.textLabel": "Ετικέτα:", "DE.Views.AddNewCaptionLabelDialog.textLabelError": "Η ετικέτα δεν μπορεί να είναι κενή.", "DE.Views.BookmarksDialog.textAdd": "Προσθήκη", @@ -1160,13 +1171,14 @@ "DE.Views.CellsAddDialog.textUp": "Πάνω από τον δρομέα", "DE.Views.ChartSettings.textAdvanced": "Εμφάνιση ρυθμίσεων για προχωρημένους", "DE.Views.ChartSettings.textChartType": "Αλλαγή Τύπου Γραφήματος", - "DE.Views.ChartSettings.textEditData": "Επεξεργασία δεδομένων", + "DE.Views.ChartSettings.textEditData": "Επεξεργασία Δεδομένων", "DE.Views.ChartSettings.textHeight": "Ύψος", - "DE.Views.ChartSettings.textOriginalSize": "Πλήρες μέγεθος", + "DE.Views.ChartSettings.textOriginalSize": "Πραγματικό Μέγεθος", "DE.Views.ChartSettings.textSize": "Μέγεθος", "DE.Views.ChartSettings.textStyle": "Τεχνοτροπία", "DE.Views.ChartSettings.textUndock": "Απαγκίστρωση από τον πίνακα", "DE.Views.ChartSettings.textWidth": "Πλάτος", + "DE.Views.ChartSettings.textWrap": "Στυλ διακοπής γραμμής", "DE.Views.ChartSettings.txtBehind": "Πίσω", "DE.Views.ChartSettings.txtInFront": "Στην πρόσοψη", "DE.Views.ChartSettings.txtInline": "Εντός κειμένου", @@ -1178,7 +1190,7 @@ "DE.Views.ControlSettingsDialog.strGeneral": "Γενικά", "DE.Views.ControlSettingsDialog.textAdd": "Προσθήκη", "DE.Views.ControlSettingsDialog.textAppearance": "Εμφάνιση", - "DE.Views.ControlSettingsDialog.textApplyAll": "Εφαρμογή σε όλα", + "DE.Views.ControlSettingsDialog.textApplyAll": "Εφαρμογή σε Όλα", "DE.Views.ControlSettingsDialog.textBox": "Οριοθετημένο κουτί", "DE.Views.ControlSettingsDialog.textChange": "Επεξεργασία", "DE.Views.ControlSettingsDialog.textCheckbox": "Πλαίσιο ελέγχου", @@ -1200,6 +1212,7 @@ "DE.Views.ControlSettingsDialog.textSystemColor": "Σύστημα", "DE.Views.ControlSettingsDialog.textTag": "Ετικέτα", "DE.Views.ControlSettingsDialog.textTitle": "Ρυθμίσεις Ελέγχου Περιεχομένου", + "DE.Views.ControlSettingsDialog.textUnchecked": "Μη επιλεγμένο σύμβολο", "DE.Views.ControlSettingsDialog.textUp": "Πάνω", "DE.Views.ControlSettingsDialog.textValue": "Τιμή", "DE.Views.ControlSettingsDialog.tipChange": "Αλλαγή συμβόλου", @@ -1249,19 +1262,19 @@ "DE.Views.CustomColumnsDialog.textSeparator": "Διαχωριστής στήλης", "DE.Views.CustomColumnsDialog.textSpacing": "Απόσταση μεταξύ στηλών", "DE.Views.CustomColumnsDialog.textTitle": "Στήλες", - "DE.Views.DateTimeDialog.confirmDefault": "Ορισμός προεπιλεγμένης μορφής για {0}:\"{1}\"", + "DE.Views.DateTimeDialog.confirmDefault": "Ορισμός προεπιλεγμένης μορφής για {0}: \"{1}\"", "DE.Views.DateTimeDialog.textDefault": "Ορισμός ως προεπιλογή", "DE.Views.DateTimeDialog.textFormat": "Μορφοποιήσεις", "DE.Views.DateTimeDialog.textLang": "Γλώσσα", "DE.Views.DateTimeDialog.textUpdate": "Αυτόματη ενημέρωση", "DE.Views.DateTimeDialog.txtTitle": "Ημερομηνία & Ώρα", "DE.Views.DocumentHolder.aboveText": "Πάνω από", - "DE.Views.DocumentHolder.addCommentText": "Προσθήκη σχολίου", + "DE.Views.DocumentHolder.addCommentText": "Προσθήκη Σχολίου", "DE.Views.DocumentHolder.advancedDropCapText": "Ρυθμίσεις Αρχιγράμματος", - "DE.Views.DocumentHolder.advancedFrameText": "Προηγμένες ρυθμίσεις πλαισίου", + "DE.Views.DocumentHolder.advancedFrameText": "Προηγμένες Ρυθμίσεις Πλαισίου", "DE.Views.DocumentHolder.advancedParagraphText": "Ρυθμίσεις Παραγράφου για Προχωρημένους", "DE.Views.DocumentHolder.advancedTableText": "Προηγμένες ρυθμίσεις πίνακα", - "DE.Views.DocumentHolder.advancedText": "Ρυθμίσεις για προχωρημένους", + "DE.Views.DocumentHolder.advancedText": "Ρυθμίσεις για Προχωρημένους", "DE.Views.DocumentHolder.alignmentText": "Στοίχιση", "DE.Views.DocumentHolder.belowText": "Παρακάτω", "DE.Views.DocumentHolder.breakBeforeText": "Αλλαγή σελίδας πριν", @@ -1271,26 +1284,26 @@ "DE.Views.DocumentHolder.centerText": "Κέντρο", "DE.Views.DocumentHolder.chartText": "Ρυθμίσεις Γραφήματος για Προχωρημένους", "DE.Views.DocumentHolder.columnText": "Στήλη", - "DE.Views.DocumentHolder.deleteColumnText": "Διαγραφή στήλης", + "DE.Views.DocumentHolder.deleteColumnText": "Διαγραφή Στήλης", "DE.Views.DocumentHolder.deleteRowText": "Διαγραφή Γραμμής", - "DE.Views.DocumentHolder.deleteTableText": "Διαγραφή πίνακα", + "DE.Views.DocumentHolder.deleteTableText": "Διαγραφή Πίνακα", "DE.Views.DocumentHolder.deleteText": "Διαγραφή", "DE.Views.DocumentHolder.direct270Text": "Περιστροφή Κειμένου Πάνω", "DE.Views.DocumentHolder.direct90Text": "Περιστροφή Κειμένου Κάτω", "DE.Views.DocumentHolder.directHText": "Οριζόντια", "DE.Views.DocumentHolder.directionText": "Κατεύθυνση Κειμένου", - "DE.Views.DocumentHolder.editChartText": "Επεξεργασία δεδομένων", - "DE.Views.DocumentHolder.editFooterText": "Επεξεργασία υποσέλιδου", - "DE.Views.DocumentHolder.editHeaderText": "Επεξεργασία κεφαλίδας", - "DE.Views.DocumentHolder.editHyperlinkText": "Επεξεργασία υπερσυνδέσμου", + "DE.Views.DocumentHolder.editChartText": "Επεξεργασία Δεδομένων", + "DE.Views.DocumentHolder.editFooterText": "Επεξεργασία Υποσέλιδου", + "DE.Views.DocumentHolder.editHeaderText": "Επεξεργασία Κεφαλίδας", + "DE.Views.DocumentHolder.editHyperlinkText": "Επεξεργασία Υπερσυνδέσμου", "DE.Views.DocumentHolder.guestText": "Επισκέπτης", "DE.Views.DocumentHolder.hyperlinkText": "Υπερσύνδεσμος", - "DE.Views.DocumentHolder.ignoreAllSpellText": "Αγνόηση όλων", + "DE.Views.DocumentHolder.ignoreAllSpellText": "Αγνόηση Όλων", "DE.Views.DocumentHolder.ignoreSpellText": "Αγνόηση", - "DE.Views.DocumentHolder.imageText": "Προηγμένες ρυθμίσεις εικόνας", - "DE.Views.DocumentHolder.insertColumnLeftText": "Στήλη αριστερά", - "DE.Views.DocumentHolder.insertColumnRightText": "Στήλη δεξιά", - "DE.Views.DocumentHolder.insertColumnText": "Εισαγωγή στήλης", + "DE.Views.DocumentHolder.imageText": "Προηγμένες Ρυθμίσεις Εικόνας", + "DE.Views.DocumentHolder.insertColumnLeftText": "Στήλη Αριστερά", + "DE.Views.DocumentHolder.insertColumnRightText": "Στήλη Δεξιά", + "DE.Views.DocumentHolder.insertColumnText": "Εισαγωγή Στήλης", "DE.Views.DocumentHolder.insertRowAboveText": "Γραμμή Από Πάνω", "DE.Views.DocumentHolder.insertRowBelowText": "Γραμμή Από Κάτω", "DE.Views.DocumentHolder.insertRowText": "Εισαγωγή Γραμμής", @@ -1299,12 +1312,12 @@ "DE.Views.DocumentHolder.langText": "Επιλογή γλώσσας", "DE.Views.DocumentHolder.leftText": "Αριστερά", "DE.Views.DocumentHolder.loadSpellText": "Φόρτωση παραλλαγών...", - "DE.Views.DocumentHolder.mergeCellsText": "Συγχώνευση κελιών", + "DE.Views.DocumentHolder.mergeCellsText": "Συγχώνευση Κελιών", "DE.Views.DocumentHolder.moreText": "Περισσότερες παραλλαγές...", "DE.Views.DocumentHolder.noSpellVariantsText": "Καμιά παραλλαγή", - "DE.Views.DocumentHolder.originalSizeText": "Πλήρες μέγεθος", + "DE.Views.DocumentHolder.originalSizeText": "Πραγματικό Μέγεθος", "DE.Views.DocumentHolder.paragraphText": "Παράγραφος", - "DE.Views.DocumentHolder.removeHyperlinkText": "Αφαίρεση υπερσυνδέσμου", + "DE.Views.DocumentHolder.removeHyperlinkText": "Αφαίρεση Υπερσυνδέσμου", "DE.Views.DocumentHolder.rightText": "Δεξιά", "DE.Views.DocumentHolder.rowText": "Γραμμή", "DE.Views.DocumentHolder.saveStyleText": "Δημιουργία νέας τεχνοτροπίας", @@ -1327,8 +1340,8 @@ "DE.Views.DocumentHolder.textArrange": "Τακτοποίηση", "DE.Views.DocumentHolder.textArrangeBack": "Μεταφορά στο παρασκήνιο", "DE.Views.DocumentHolder.textArrangeBackward": "Μεταφορά προς τα πίσω", - "DE.Views.DocumentHolder.textArrangeForward": "Μεταφορά προς τα εμπρός", - "DE.Views.DocumentHolder.textArrangeFront": "Μεταφορά στο προσκήνιο", + "DE.Views.DocumentHolder.textArrangeForward": "Μεταφορά Προς τα Εμπρός", + "DE.Views.DocumentHolder.textArrangeFront": "Μεταφορά στο Προσκήνιο", "DE.Views.DocumentHolder.textCells": "Κελιά", "DE.Views.DocumentHolder.textCol": "Διαγραφή ολόκληρης στήλης", "DE.Views.DocumentHolder.textContentControls": "Έλεγχος περιεχομένου", @@ -1338,31 +1351,31 @@ "DE.Views.DocumentHolder.textCropFill": "Γέμισμα", "DE.Views.DocumentHolder.textCropFit": "Προσαρμογή", "DE.Views.DocumentHolder.textCut": "Αποκοπή", - "DE.Views.DocumentHolder.textDistributeCols": "Διανομή στηλών", + "DE.Views.DocumentHolder.textDistributeCols": "Κατανομή στηλών", "DE.Views.DocumentHolder.textDistributeRows": "Κατανομή γραμμών", "DE.Views.DocumentHolder.textEditControls": "Ρυθμίσεις ελέγχου περιεχομένου", "DE.Views.DocumentHolder.textEditWrapBoundary": "Επεξεργασία Ορίων Αναδίπλωσης", "DE.Views.DocumentHolder.textFlipH": "Οριζόντια Περιστροφή", "DE.Views.DocumentHolder.textFlipV": "Κατακόρυφη Περιστροφή", "DE.Views.DocumentHolder.textFollow": "Παρακολούθηση κίνησης", - "DE.Views.DocumentHolder.textFromFile": "Από αρχείο", + "DE.Views.DocumentHolder.textFromFile": "Από Αρχείο", "DE.Views.DocumentHolder.textFromStorage": "Από Αποθηκευτικό Μέσο", - "DE.Views.DocumentHolder.textFromUrl": "Από διεύθυνση", + "DE.Views.DocumentHolder.textFromUrl": "Από διεύθυνση URL", "DE.Views.DocumentHolder.textJoinList": "Ένωση με προηγούμενη λίστα", "DE.Views.DocumentHolder.textLeft": "Ολίσθηση κελιών αριστερά", "DE.Views.DocumentHolder.textNest": "Νέος πίνακας", - "DE.Views.DocumentHolder.textNextPage": "Επόμενη σελίδα", - "DE.Views.DocumentHolder.textNumberingValue": "Τιμή αρίθμησης", + "DE.Views.DocumentHolder.textNextPage": "Επόμενη Σελίδα", + "DE.Views.DocumentHolder.textNumberingValue": "Τιμή Αρίθμησης", "DE.Views.DocumentHolder.textPaste": "Επικόλληση", - "DE.Views.DocumentHolder.textPrevPage": "Προηγούμενη σελίδα", + "DE.Views.DocumentHolder.textPrevPage": "Προηγούμενη Σελίδα", "DE.Views.DocumentHolder.textRefreshField": "Ανανέωση πεδίου", - "DE.Views.DocumentHolder.textRemCheckBox": "Διαγραφή Πλαισίου Επιλογής", - "DE.Views.DocumentHolder.textRemComboBox": "Διαγραφή Πολλαπλών Επιλογών", - "DE.Views.DocumentHolder.textRemDropdown": "Διαγραφή Πτυσσόμενης Λίστας ", + "DE.Views.DocumentHolder.textRemCheckBox": "Αφαίρεση Πλαισίου Επιλογής", + "DE.Views.DocumentHolder.textRemComboBox": "Αφαίρεση Πολλαπλών Επιλογών", + "DE.Views.DocumentHolder.textRemDropdown": "Αφαίρεση Πτυσσόμενης Λίστας ", "DE.Views.DocumentHolder.textRemField": "Διαγραφή Πεδίου Κειμένου", "DE.Views.DocumentHolder.textRemove": "Αφαίρεση", "DE.Views.DocumentHolder.textRemoveControl": "Αφαίρεση ελέγχου περιεχομένου", - "DE.Views.DocumentHolder.textRemPicture": "Διαγραφή Εικόνας", + "DE.Views.DocumentHolder.textRemPicture": "Αφαίρεση Εικόνας", "DE.Views.DocumentHolder.textRemRadioBox": "Διαγραφή Κουμπιού Επιλογής", "DE.Views.DocumentHolder.textReplace": "Αντικατάσταση εικόνας", "DE.Views.DocumentHolder.textRotate": "Περιστροφή", @@ -1372,12 +1385,12 @@ "DE.Views.DocumentHolder.textSeparateList": "Διαχωρισμός λίστας", "DE.Views.DocumentHolder.textSettings": "Ρυθμίσεις", "DE.Views.DocumentHolder.textSeveral": "Πολλαπλές Γραμμές/Στήλες", - "DE.Views.DocumentHolder.textShapeAlignBottom": "Σοίχιση κάτω", - "DE.Views.DocumentHolder.textShapeAlignCenter": "Στοίχιση στο κέντρο", - "DE.Views.DocumentHolder.textShapeAlignLeft": "Στοίχιση αριστερά", - "DE.Views.DocumentHolder.textShapeAlignMiddle": "Σοίχιση στη μέση", - "DE.Views.DocumentHolder.textShapeAlignRight": "Στοίχιση δεξιά", - "DE.Views.DocumentHolder.textShapeAlignTop": "Στοίχιση επάνω", + "DE.Views.DocumentHolder.textShapeAlignBottom": "Στοίχιση Κάτω", + "DE.Views.DocumentHolder.textShapeAlignCenter": "Στοίχιση στο Κέντρο", + "DE.Views.DocumentHolder.textShapeAlignLeft": "Στοίχιση Αριστερά", + "DE.Views.DocumentHolder.textShapeAlignMiddle": "Στοίχιση στη Μέση", + "DE.Views.DocumentHolder.textShapeAlignRight": "Στοίχιση Δεξιά", + "DE.Views.DocumentHolder.textShapeAlignTop": "Στοίχιση Πάνω", "DE.Views.DocumentHolder.textStartNewList": "Έναρξη νέας λίστας", "DE.Views.DocumentHolder.textStartNumberingFrom": "Ορισμός τιμής αρίθμησης", "DE.Views.DocumentHolder.textTitleCellsRemove": "Διαγραφή Κελιών", @@ -1387,8 +1400,9 @@ "DE.Views.DocumentHolder.textUpdateAll": "Ανανέωση ολόκληρου του πίνακα", "DE.Views.DocumentHolder.textUpdatePages": "Ανανέωση αριθμών σελίδων μόνο", "DE.Views.DocumentHolder.textUpdateTOC": "Ανανέωση πίνακα περιεχομένων", + "DE.Views.DocumentHolder.textWrap": "Στυλ διακοπής γραμμής", "DE.Views.DocumentHolder.tipIsLocked": "Αυτό το στοιχείο επεξεργάζεται αυτήν τη στιγμή από άλλο χρήστη.", - "DE.Views.DocumentHolder.toDictionaryText": "Προσθήκη στο λεξικό", + "DE.Views.DocumentHolder.toDictionaryText": "Προσθήκη στο Λεξικό", "DE.Views.DocumentHolder.txtAddBottom": "Προσθήκη κάτω περιγράμματος", "DE.Views.DocumentHolder.txtAddFractionBar": "Προσθήκη γραμμής κλάσματος", "DE.Views.DocumentHolder.txtAddHor": "Προσθήκη οριζόντιας γραμμής", @@ -1411,8 +1425,8 @@ "DE.Views.DocumentHolder.txtDeleteEq": "Διαγραφή εξίσωσης", "DE.Views.DocumentHolder.txtDeleteGroupChar": "Διαγραφή χαρακτήρα", "DE.Views.DocumentHolder.txtDeleteRadical": "Διαγραφή ρίζας", - "DE.Views.DocumentHolder.txtDistribHor": "Διανομή οριζόντια", - "DE.Views.DocumentHolder.txtDistribVert": "Κατακόρυφη κατανομή", + "DE.Views.DocumentHolder.txtDistribHor": "Οριζόντια Κατανομή", + "DE.Views.DocumentHolder.txtDistribVert": "Κατακόρυφη Κατανομή", "DE.Views.DocumentHolder.txtEmpty": "(Κενό)", "DE.Views.DocumentHolder.txtFractionLinear": "Αλλαγή σε γραμμικό κλάσμα", "DE.Views.DocumentHolder.txtFractionSkewed": "Αλλαγή σε πλάγιο κλάσμα", @@ -1423,6 +1437,7 @@ "DE.Views.DocumentHolder.txtHideBottom": "Απόκρυψη κάτω περιγράμματος", "DE.Views.DocumentHolder.txtHideBottomLimit": "Απόκρυψη κάτω ορίου", "DE.Views.DocumentHolder.txtHideCloseBracket": "Απόκρυψη παρένθεσης που κλείνει", + "DE.Views.DocumentHolder.txtHideDegree": "Απόκρυψη πτυχίου", "DE.Views.DocumentHolder.txtHideHor": "Απόκρυψη οριζόντιας γραμμής", "DE.Views.DocumentHolder.txtHideLB": "Απόκρυψη αριστερής κάτω γραμμής", "DE.Views.DocumentHolder.txtHideLeft": "Απόκρυψη αριστερού περιγράμματος", @@ -1452,7 +1467,7 @@ "DE.Views.DocumentHolder.txtOverwriteCells": "Αντικατάσταση κελιών", "DE.Views.DocumentHolder.txtPasteSourceFormat": "Διατήρηση μορφοποίησης πηγής", "DE.Views.DocumentHolder.txtPressLink": "Πατήστε Ctrl και κάντε κλικ στο σύνδεσμο", - "DE.Views.DocumentHolder.txtPrintSelection": "Εκτύπωση επιλογής", + "DE.Views.DocumentHolder.txtPrintSelection": "Εκτύπωση Επιλογής", "DE.Views.DocumentHolder.txtRemFractionBar": "Αφαίρεση γραμμής κλάσματος", "DE.Views.DocumentHolder.txtRemLimit": "Αφαίρεση ορίου", "DE.Views.DocumentHolder.txtRemoveAccentChar": "Αφαίρεση τονισμένου χαρακτήρα", @@ -1464,6 +1479,7 @@ "DE.Views.DocumentHolder.txtScriptsBefore": "Δέσμες ενεργειών πριν το κείμενο", "DE.Views.DocumentHolder.txtShowBottomLimit": "Εμφάνιση κάτω ορίου", "DE.Views.DocumentHolder.txtShowCloseBracket": "Εμφάνιση δεξιάς παρένθεσης", + "DE.Views.DocumentHolder.txtShowDegree": "Εμφάνιση πτυχίου", "DE.Views.DocumentHolder.txtShowOpenBracket": "Εμφάνιση αριστερής παρένθεσης", "DE.Views.DocumentHolder.txtShowPlaceholder": "Εμφάνιση δεσμευμένης θέσης", "DE.Views.DocumentHolder.txtShowTopLimit": "Εμφάνιση πάνω ορίου", @@ -1483,7 +1499,7 @@ "DE.Views.DropcapSettingsAdvanced.textAlign": "Στοίχιση", "DE.Views.DropcapSettingsAdvanced.textAtLeast": "Τουλάχιστον", "DE.Views.DropcapSettingsAdvanced.textAuto": "Αυτόματα", - "DE.Views.DropcapSettingsAdvanced.textBackColor": "Χρώμα φόντου", + "DE.Views.DropcapSettingsAdvanced.textBackColor": "Χρώμα Φόντου", "DE.Views.DropcapSettingsAdvanced.textBorderColor": "Χρώμα", "DE.Views.DropcapSettingsAdvanced.textBorderDesc": "Κάντε κλικ στο διάγραμμα ή χρησιμοποιήστε τα κουμπιά για να επιλέξετε περιγράμματα", "DE.Views.DropcapSettingsAdvanced.textBorderWidth": "Μέγεθος Περιγράμματος", @@ -1492,6 +1508,7 @@ "DE.Views.DropcapSettingsAdvanced.textColumn": "Στήλη", "DE.Views.DropcapSettingsAdvanced.textDistance": "Απόσταση από το κείμενο", "DE.Views.DropcapSettingsAdvanced.textExact": "Ακριβώς", + "DE.Views.DropcapSettingsAdvanced.textFlow": "Πλαίσιο ροής", "DE.Views.DropcapSettingsAdvanced.textFont": "Γραμματοσειρά", "DE.Views.DropcapSettingsAdvanced.textFrame": "Πλαίσιο", "DE.Views.DropcapSettingsAdvanced.textHeight": "Ύψος", @@ -1522,40 +1539,40 @@ "DE.Views.EditListItemDialog.textValue": "Τιμή", "DE.Views.EditListItemDialog.textValueError": "Ένα αντικείμενο με την ίδια τιμή υπάρχει ήδη.", "DE.Views.FileMenu.btnBackCaption": "Άνοιγμα τοποθεσίας αρχείου", - "DE.Views.FileMenu.btnCloseMenuCaption": "Κλείσιμο μενού", - "DE.Views.FileMenu.btnCreateNewCaption": "Δημιουργία νέου", + "DE.Views.FileMenu.btnCloseMenuCaption": "Κλείσιμο Μενού", + "DE.Views.FileMenu.btnCreateNewCaption": "Δημιουργία Νέου", "DE.Views.FileMenu.btnDownloadCaption": "Λήψη ως...", "DE.Views.FileMenu.btnHelpCaption": "Βοήθεια...", "DE.Views.FileMenu.btnHistoryCaption": "Ιστορικό εκδόσεων", - "DE.Views.FileMenu.btnInfoCaption": "Πληροφορίες εγγράφου...", + "DE.Views.FileMenu.btnInfoCaption": "Πληροφορίες Εγγράφου...", "DE.Views.FileMenu.btnPrintCaption": "Εκτύπωση", "DE.Views.FileMenu.btnProtectCaption": "Προστασία", - "DE.Views.FileMenu.btnRecentFilesCaption": "Άνοιγμα πρόσφατου...", + "DE.Views.FileMenu.btnRecentFilesCaption": "Άνοιγμα Πρόσφατου...", "DE.Views.FileMenu.btnRenameCaption": "Μετονομασία...", - "DE.Views.FileMenu.btnReturnCaption": "Πίσω στο έγγραφο", - "DE.Views.FileMenu.btnRightsCaption": "Δικαιώματα πρόσβασης...", + "DE.Views.FileMenu.btnReturnCaption": "Πίσω στο Έγγραφο", + "DE.Views.FileMenu.btnRightsCaption": "Δικαιώματα Πρόσβασης...", "DE.Views.FileMenu.btnSaveAsCaption": "Αποθήκευση ως", "DE.Views.FileMenu.btnSaveCaption": "Αποθήκευση", "DE.Views.FileMenu.btnSaveCopyAsCaption": "Αποθήκευση αντιγράφου ως...", - "DE.Views.FileMenu.btnSettingsCaption": "Ρυθμίσεις για προχωρημένους...", - "DE.Views.FileMenu.btnToEditCaption": "Επεξεργασία εγγράφου", + "DE.Views.FileMenu.btnSettingsCaption": "Ρυθμίσεις για Προχωρημένους...", + "DE.Views.FileMenu.btnToEditCaption": "Επεξεργασία Εγγράφου", "DE.Views.FileMenu.textDownload": "Λήψη", - "DE.Views.FileMenuPanels.CreateNew.fromBlankText": "Από κενό", - "DE.Views.FileMenuPanels.CreateNew.fromTemplateText": "Από πρότυπο", + "DE.Views.FileMenuPanels.CreateNew.fromBlankText": "Από Κενό", + "DE.Views.FileMenuPanels.CreateNew.fromTemplateText": "Από Πρότυπο", "DE.Views.FileMenuPanels.CreateNew.newDescriptionText": "Δημιουργήστε ένα νέο κενό έγγραφο για μορφοποίηση κατά βούληση. Ή επιλέξτε ένα από τα πρότυπα για να δημιουργήσετε ένα έγγραφο συγκεκριμένου τύπου ή σκοπού με προ-εφαρμοσμένες τεχνοτροπίες.", - "DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Νέο έγγραφο κειμένου", + "DE.Views.FileMenuPanels.CreateNew.newDocumentText": "Νέο Έγγραφο Κειμένου", "DE.Views.FileMenuPanels.CreateNew.noTemplatesText": "Δεν υπάρχουν πρότυπα", "DE.Views.FileMenuPanels.DocumentInfo.okButtonText": "Εφαρμογή", - "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Προσθήκη συγγραφέα", - "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Προσθήκη κειμένου", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddAuthor": "Προσθήκη Συγγραφέα", + "DE.Views.FileMenuPanels.DocumentInfo.txtAddText": "Προσθήκη Κειμένου", "DE.Views.FileMenuPanels.DocumentInfo.txtAppName": "Εφαρμογή", "DE.Views.FileMenuPanels.DocumentInfo.txtAuthor": "Συγγραφέας", "DE.Views.FileMenuPanels.DocumentInfo.txtBtnAccessRights": "Αλλαγή δικαιωμάτων πρόσβασης", "DE.Views.FileMenuPanels.DocumentInfo.txtComment": "Σχόλιο", "DE.Views.FileMenuPanels.DocumentInfo.txtCreated": "Δημιουργήθηκε", "DE.Views.FileMenuPanels.DocumentInfo.txtLoading": "Φόρτωση ...", - "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Τελευταία τροποποίηση από", - "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Τελευταία τροποποίηση", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyBy": "Τελευταία Τροποποίηση Από", + "DE.Views.FileMenuPanels.DocumentInfo.txtModifyDate": "Τελευταίο Τροποποιημένο", "DE.Views.FileMenuPanels.DocumentInfo.txtOwner": "Ιδιοκτήτης", "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "Σελίδες", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "Παράγραφοι", @@ -1587,13 +1604,13 @@ "DE.Views.FileMenuPanels.Settings.strAutosave": "Ενεργοποίηση αυτόματης αποθήκευσης", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "Κατάσταση Συνεργατικής Επεξεργασίας", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "Οι άλλοι χρήστες θα δουν αμέσως τις αλλαγές σας", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Θα χρειαστεί να αποδεχτείτε αλλαγές πριν να τις δείτε", - "DE.Views.FileMenuPanels.Settings.strFast": "Γρήγορα", - "DE.Views.FileMenuPanels.Settings.strFontRender": "Υπόδειξη Γραμματοσειράς", + "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "Θα χρειαστεί να αποδεχτείτε τις αλλαγές προτού τις δείτε", + "DE.Views.FileMenuPanels.Settings.strFast": "Γρήγορη", + "DE.Views.FileMenuPanels.Settings.strFontRender": "Βελτιστοποίηση Γραμματοσειράς", "DE.Views.FileMenuPanels.Settings.strForcesave": "Πάντα να αποθηκεύεται σε διακομιστή (διαφορετικά αποθηκεύεται στο διακομιστή κατά το κλείσιμο του εγγράφου)", "DE.Views.FileMenuPanels.Settings.strInputMode": "Ενεργοποίηση ιερογλυφικών", "DE.Views.FileMenuPanels.Settings.strLiveComment": "Ενεργοποίηση προβολής σχολίων", - "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ρυθμίσεις Μακροεντολών", + "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "Ρυθμίσεις Mακροεντολών", "DE.Views.FileMenuPanels.Settings.strPaste": "Αποκοπή, αντιγραφή και επικόλληση", "DE.Views.FileMenuPanels.Settings.strPasteButton": "Εμφάνιση κουμπιού Επιλογών Επικόλλησης κατά την επικόλληση περιεχομένου", "DE.Views.FileMenuPanels.Settings.strResolvedComment": "Ενεργοποίηση εμφάνισης επιλυμένων σχολίων", @@ -1602,34 +1619,35 @@ "DE.Views.FileMenuPanels.Settings.strStrict": "Αυστηρή", "DE.Views.FileMenuPanels.Settings.strUnit": "Μονάδα μέτρησης", "DE.Views.FileMenuPanels.Settings.strZoom": "Προεπιλεγμένη Τιμή Εστίασης", - "DE.Views.FileMenuPanels.Settings.text10Minutes": "Κάθε 10 λεπτά", - "DE.Views.FileMenuPanels.Settings.text30Minutes": "Κάθε 30 λεπτά", - "DE.Views.FileMenuPanels.Settings.text5Minutes": "Κάθε 5 λεπτά", - "DE.Views.FileMenuPanels.Settings.text60Minutes": "Κάθε ώρα", + "DE.Views.FileMenuPanels.Settings.text10Minutes": "Κάθε 10 Λεπτά", + "DE.Views.FileMenuPanels.Settings.text30Minutes": "Κάθε 30 Λεπτά", + "DE.Views.FileMenuPanels.Settings.text5Minutes": "Κάθε 5 Λεπτά", + "DE.Views.FileMenuPanels.Settings.text60Minutes": "Κάθε Ώρα", "DE.Views.FileMenuPanels.Settings.textAlignGuides": "Οδηγοί Στοίχισης", "DE.Views.FileMenuPanels.Settings.textAutoRecover": "Αυτόματη ανάκτηση", "DE.Views.FileMenuPanels.Settings.textAutoSave": "Αυτόματη αποθήκευση", "DE.Views.FileMenuPanels.Settings.textCompatible": "Συμβατότητα", "DE.Views.FileMenuPanels.Settings.textDisabled": "Απενεργοποιημένο", "DE.Views.FileMenuPanels.Settings.textForceSave": "Αποθήκευση στο διακομιστή", - "DE.Views.FileMenuPanels.Settings.textMinute": "Κάθε λεπτό", + "DE.Views.FileMenuPanels.Settings.textMinute": "Κάθε Λεπτό", "DE.Views.FileMenuPanels.Settings.textOldVersions": "Τα αρχεία να γίνονται συμβατά με παλαιότερες εκδόσεις MS Word όταν αποθηκεύονται ως DOCX", - "DE.Views.FileMenuPanels.Settings.txtAll": "Προβολή όλων", - "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Επιλογής αυτόματης διόρθωσης...", + "DE.Views.FileMenuPanels.Settings.txtAll": "Προβολή Όλων", + "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "Επιλογές αυτόματης διόρθωσης...", "DE.Views.FileMenuPanels.Settings.txtCacheMode": "Προεπιλεγμένη κατάσταση λανθάνουσας μνήμης", "DE.Views.FileMenuPanels.Settings.txtCm": "Εκατοστό", - "DE.Views.FileMenuPanels.Settings.txtFitPage": "Προσαρμογή στη σελίδα", - "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Προσαρμογή στο πλάτος", + "DE.Views.FileMenuPanels.Settings.txtFitPage": "Προσαρμογή στη Σελίδα", + "DE.Views.FileMenuPanels.Settings.txtFitWidth": "Προσαρμογή στο Πλάτος", "DE.Views.FileMenuPanels.Settings.txtInch": "Ίντσα", "DE.Views.FileMenuPanels.Settings.txtInput": "Εναλλακτική Είσοδος", - "DE.Views.FileMenuPanels.Settings.txtLast": "Προβολή τελευταίου", - "DE.Views.FileMenuPanels.Settings.txtLiveComment": "Εμφάνιση σχολίων", + "DE.Views.FileMenuPanels.Settings.txtLast": "Προβολή Τελευταίου", + "DE.Views.FileMenuPanels.Settings.txtLiveComment": "Εμφάνιση Σχολίων", "DE.Views.FileMenuPanels.Settings.txtMac": "ως OS X", "DE.Views.FileMenuPanels.Settings.txtNative": "Εγγενής", + "DE.Views.FileMenuPanels.Settings.txtNone": "Προβολή Κανενός", "DE.Views.FileMenuPanels.Settings.txtProofing": "Διόρθωση Κειμένου", "DE.Views.FileMenuPanels.Settings.txtPt": "Σημείο", "DE.Views.FileMenuPanels.Settings.txtRunMacros": "Ενεργοποίηση Όλων", - "DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Ενεργοποίηση όλων των μακροεντολών χωρίς προειδοποίηση", + "DE.Views.FileMenuPanels.Settings.txtRunMacrosDesc": "Ενεργοποίηση όλων των μακροεντολών χωρίς ειδοποίηση", "DE.Views.FileMenuPanels.Settings.txtSpellCheck": "Έλεγχος ορθογραφίας", "DE.Views.FileMenuPanels.Settings.txtStopMacros": "Απενεργοποίηση Όλων", "DE.Views.FileMenuPanels.Settings.txtStopMacrosDesc": "Απενεργοποίηση όλων των μακροεντολών χωρίς ειδοποίηση", @@ -1638,21 +1656,26 @@ "DE.Views.FileMenuPanels.Settings.txtWin": "ως Windows", "DE.Views.FormSettings.textCheckbox": "Πλαίσιο επιλογής", "DE.Views.FormSettings.textColor": "Χρώμα περιγράμματος", - "DE.Views.FormSettings.textCombobox": "Πολλαπλές Eπιλογές", + "DE.Views.FormSettings.textComb": "Ξεδιάλεγμα χαρακτήρων", + "DE.Views.FormSettings.textCombobox": "Πολλαπλές Επιλογές", + "DE.Views.FormSettings.textConnected": "Συνδεδεμένα πεδία", "DE.Views.FormSettings.textDelete": "Διαγραφή", "DE.Views.FormSettings.textDisconnect": "Αποσύνδεση", "DE.Views.FormSettings.textDropDown": "Αναπτυσσόμενο μενού", "DE.Views.FormSettings.textField": "Πεδίο Κειμένου", "DE.Views.FormSettings.textFromFile": "Από Αρχείο", - "DE.Views.FormSettings.textFromStorage": "Από Μονάδα Αποθήκευσης", + "DE.Views.FormSettings.textFromStorage": "Από Αποθηκευτικό Μέσο", "DE.Views.FormSettings.textFromUrl": "Από διεύθυνση URL", + "DE.Views.FormSettings.textGroupKey": "Κλειδί ομάδας", "DE.Views.FormSettings.textImage": "Εικόνα", "DE.Views.FormSettings.textKey": "Κλειδί", "DE.Views.FormSettings.textLock": "Κλείδωμα", "DE.Views.FormSettings.textMaxChars": "Όριο χαρακτήρων", + "DE.Views.FormSettings.textNoBorder": "Χωρίς περίγραμμα", "DE.Views.FormSettings.textPlaceholder": "Δέσμευση Θέσης", "DE.Views.FormSettings.textRadiobox": "Κουμπί Επιλογής", "DE.Views.FormSettings.textSelectImage": "Επιλογή Εικόνας", + "DE.Views.FormSettings.textTip": "Υπόδειξη", "DE.Views.FormSettings.textTipAdd": "Προσθήκη νέας τιμής", "DE.Views.FormSettings.textTipDelete": "Διαγραφή τιμής", "DE.Views.FormSettings.textTipDown": "Μετακίνηση κάτω", @@ -1661,7 +1684,7 @@ "DE.Views.FormSettings.textValue": "Επιλογές Τιμής", "DE.Views.FormSettings.textWidth": "Πλάτος κελιού", "DE.Views.FormsTab.capBtnCheckBox": "Πλαίσιο επιλογής", - "DE.Views.FormsTab.capBtnComboBox": "Πολλαπλές Eπιλογές", + "DE.Views.FormsTab.capBtnComboBox": "Πολλαπλές Επιλογές", "DE.Views.FormsTab.capBtnDropDown": "Αναπτυσσόμενο μενού", "DE.Views.FormsTab.capBtnImage": "Εικόνα", "DE.Views.FormsTab.capBtnRadioBox": "Κουμπί Επιλογής", @@ -1689,8 +1712,8 @@ "DE.Views.HeaderFooterSettings.textHeaderFromTop": "Κεφαλίδα από την Κορυφή", "DE.Views.HeaderFooterSettings.textInsertCurrent": "Εισαγωγή στην Τρέχουσα Θέση", "DE.Views.HeaderFooterSettings.textOptions": "Επιλογές", - "DE.Views.HeaderFooterSettings.textPageNum": "Εισαγωγή αριθμού σελίδας", - "DE.Views.HeaderFooterSettings.textPageNumbering": "Αρίθμηση σελίδας", + "DE.Views.HeaderFooterSettings.textPageNum": "Εισαγωγή Αριθμού Σελίδας", + "DE.Views.HeaderFooterSettings.textPageNumbering": "Αρίθμηση Σελίδας", "DE.Views.HeaderFooterSettings.textPosition": "Θέση", "DE.Views.HeaderFooterSettings.textPrev": "Συνέχεια από το προηγούμενο τμήμα", "DE.Views.HeaderFooterSettings.textSameAs": "Σύνδεσμος προς το Προηγούμενο", @@ -1700,9 +1723,9 @@ "DE.Views.HeaderFooterSettings.textTopRight": "Πάνω δεξιά", "DE.Views.HyperlinkSettingsDialog.textDefault": "Επιλεγμένο κομμάτι κειμένου", "DE.Views.HyperlinkSettingsDialog.textDisplay": "Προβολή", - "DE.Views.HyperlinkSettingsDialog.textExternal": "Εξωτερικός σύνδεσμος", + "DE.Views.HyperlinkSettingsDialog.textExternal": "Εξωτερικός Σύνδεσμος", "DE.Views.HyperlinkSettingsDialog.textInternal": "Θέση στο Έγγραφο", - "DE.Views.HyperlinkSettingsDialog.textTitle": "Ρυθμίσεις υπερσυνδέσμου", + "DE.Views.HyperlinkSettingsDialog.textTitle": "Ρυθμίσεις Υπερσυνδέσμου", "DE.Views.HyperlinkSettingsDialog.textTooltip": "Κείμενο υπόδειξης", "DE.Views.HyperlinkSettingsDialog.textUrl": "Σύνδεσμος σε", "DE.Views.HyperlinkSettingsDialog.txtBeginning": "Έναρξη εγγράφου", @@ -1715,23 +1738,24 @@ "DE.Views.ImageSettings.textCropFill": "Γέμισμα", "DE.Views.ImageSettings.textCropFit": "Προσαρμογή", "DE.Views.ImageSettings.textEdit": "Επεξεργασία", - "DE.Views.ImageSettings.textEditObject": "Επεξεργασία αντικειμένου", - "DE.Views.ImageSettings.textFitMargins": "Προσαρμογή στο περιθώριο", + "DE.Views.ImageSettings.textEditObject": "Επεξεργασία Αντικειμένου", + "DE.Views.ImageSettings.textFitMargins": "Προσαρμογή στο Περιθώριο", "DE.Views.ImageSettings.textFlip": "Περιστροφή", - "DE.Views.ImageSettings.textFromFile": "Από αρχείο", + "DE.Views.ImageSettings.textFromFile": "Από Αρχείο", "DE.Views.ImageSettings.textFromStorage": "Από Αποθηκευτικό Μέσο", - "DE.Views.ImageSettings.textFromUrl": "Από διεύθυνση", + "DE.Views.ImageSettings.textFromUrl": "Από διεύθυνση URL", "DE.Views.ImageSettings.textHeight": "Ύψος", "DE.Views.ImageSettings.textHint270": "Περιστροφή 90° αριστερόστροφα", "DE.Views.ImageSettings.textHint90": "Περιστροφή 90° δεξιόστροφα", "DE.Views.ImageSettings.textHintFlipH": "Οριζόντια Περιστροφή", "DE.Views.ImageSettings.textHintFlipV": "Κατακόρυφη Περιστροφή", - "DE.Views.ImageSettings.textInsert": "Αντικατάσταση εικόνας", - "DE.Views.ImageSettings.textOriginalSize": "Πλήρες μέγεθος", + "DE.Views.ImageSettings.textInsert": "Αντικατάσταση Εικόνας", + "DE.Views.ImageSettings.textOriginalSize": "Πραγματικό Μέγεθος", "DE.Views.ImageSettings.textRotate90": "Περιστροφή 90°", "DE.Views.ImageSettings.textRotation": "Περιστροφή", "DE.Views.ImageSettings.textSize": "Μέγεθος", "DE.Views.ImageSettings.textWidth": "Πλάτος", + "DE.Views.ImageSettings.textWrap": "Στυλ διακοπής γραμμής", "DE.Views.ImageSettings.txtBehind": "Πίσω", "DE.Views.ImageSettings.txtInFront": "Στην πρόσοψη", "DE.Views.ImageSettings.txtInline": "Εντός κειμένου", @@ -1742,7 +1766,7 @@ "DE.Views.ImageSettingsAdvanced.strMargins": "Γέμισμα Κειμένου", "DE.Views.ImageSettingsAdvanced.textAbsoluteWH": "Απόλυτο", "DE.Views.ImageSettingsAdvanced.textAlignment": "Στοίχιση", - "DE.Views.ImageSettingsAdvanced.textAlt": "Εναλλακτικό κείμενο", + "DE.Views.ImageSettingsAdvanced.textAlt": "Εναλλακτικό Κείμενο", "DE.Views.ImageSettingsAdvanced.textAltDescription": "Περιγραφή", "DE.Views.ImageSettingsAdvanced.textAltTip": "Η εναλλακτική με βάση κείμενο αναπαράσταση των πληροφοριών οπτικού αντικειμένου, η οποία θα αναγνωσθεί στα άτομα με προβλήματα όρασης ή γνωστικών προβλημάτων για να τους βοηθήσουν να κατανοήσουν καλύτερα ποιες πληροφορίες υπάρχουν στην εικόνα, σε αυτόματο σχήμα, στο διάγραμμα ή στον πίνακα.", "DE.Views.ImageSettingsAdvanced.textAltTitle": "Τίτλος", @@ -1750,18 +1774,18 @@ "DE.Views.ImageSettingsAdvanced.textArrows": "Βέλη", "DE.Views.ImageSettingsAdvanced.textAspectRatio": "Κλείδωμα αναλογίας", "DE.Views.ImageSettingsAdvanced.textAutofit": "Αυτόματο Ταίριασμα", - "DE.Views.ImageSettingsAdvanced.textBeginSize": "Μέγεθος εκκίνησης", - "DE.Views.ImageSettingsAdvanced.textBeginStyle": "Τεχνοτροπία εκκίνησης", + "DE.Views.ImageSettingsAdvanced.textBeginSize": "Μέγεθος Εκκίνησης", + "DE.Views.ImageSettingsAdvanced.textBeginStyle": "Τεχνοτροπία Εκκίνησης", "DE.Views.ImageSettingsAdvanced.textBelow": "παρακάτω", - "DE.Views.ImageSettingsAdvanced.textBevel": "Ψαλίδισμα", + "DE.Views.ImageSettingsAdvanced.textBevel": "Πλάγια Τομή", "DE.Views.ImageSettingsAdvanced.textBottom": "Κάτω", - "DE.Views.ImageSettingsAdvanced.textBottomMargin": "Κάτω περιθώριο", + "DE.Views.ImageSettingsAdvanced.textBottomMargin": "Κάτω Περιθώριο", "DE.Views.ImageSettingsAdvanced.textBtnWrap": "Αναδίπλωση Κειμένου", - "DE.Views.ImageSettingsAdvanced.textCapType": "Αρχικό γράμμα", + "DE.Views.ImageSettingsAdvanced.textCapType": "Αρχικό Γράμμα", "DE.Views.ImageSettingsAdvanced.textCenter": "Κέντρο", "DE.Views.ImageSettingsAdvanced.textCharacter": "Χαρακτήρας", "DE.Views.ImageSettingsAdvanced.textColumn": "Στήλη", - "DE.Views.ImageSettingsAdvanced.textDistance": "Απόσταση από το κείμενο", + "DE.Views.ImageSettingsAdvanced.textDistance": "Απόσταση από το Κείμενο", "DE.Views.ImageSettingsAdvanced.textEndSize": "Μέγεθος Τέλους", "DE.Views.ImageSettingsAdvanced.textEndStyle": "Τεχνοτροπία Τέλους", "DE.Views.ImageSettingsAdvanced.textFlat": "Επίπεδο", @@ -1776,9 +1800,10 @@ "DE.Views.ImageSettingsAdvanced.textLine": "Γραμμή", "DE.Views.ImageSettingsAdvanced.textLineStyle": "Τεχνοτροπία Γραμμής", "DE.Views.ImageSettingsAdvanced.textMargin": "Περιθώριο", + "DE.Views.ImageSettingsAdvanced.textMiter": "Μίτρα", "DE.Views.ImageSettingsAdvanced.textMove": "Μετακίνηση αντικειμένου με κείμενο", "DE.Views.ImageSettingsAdvanced.textOptions": "Επιλογές", - "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Πλήρες μέγεθος", + "DE.Views.ImageSettingsAdvanced.textOriginalSize": "Πραγματικό Μέγεθος", "DE.Views.ImageSettingsAdvanced.textOverlap": "Να επιτρέπεται η επικάλυψη", "DE.Views.ImageSettingsAdvanced.textPage": "Σελίδα", "DE.Views.ImageSettingsAdvanced.textParagraph": "Παράγραφος", @@ -1805,6 +1830,7 @@ "DE.Views.ImageSettingsAdvanced.textVertically": "Κατακόρυφα", "DE.Views.ImageSettingsAdvanced.textWeightArrows": "Πλάτη & Βέλη", "DE.Views.ImageSettingsAdvanced.textWidth": "Πλάτος", + "DE.Views.ImageSettingsAdvanced.textWrap": "Στυλ διακοπής γραμμής", "DE.Views.ImageSettingsAdvanced.textWrapBehindTooltip": "Πίσω", "DE.Views.ImageSettingsAdvanced.textWrapInFrontTooltip": "Στην πρόσοψη", "DE.Views.ImageSettingsAdvanced.textWrapInlineTooltip": "Εντός κειμένου", @@ -1818,7 +1844,7 @@ "DE.Views.LeftMenu.tipNavigation": "Πλοήγηση", "DE.Views.LeftMenu.tipPlugins": "Πρόσθετα", "DE.Views.LeftMenu.tipSearch": "Αναζήτηση", - "DE.Views.LeftMenu.tipSupport": "Ανάδραση & Υποστήριξη", + "DE.Views.LeftMenu.tipSupport": "Ανατροφοδότηση & Υποστήριξη", "DE.Views.LeftMenu.tipTitles": "Τίτλοι", "DE.Views.LeftMenu.txtDeveloper": "ΛΕΙΤΟΥΡΓΙΑ ΓΙΑ ΠΡΟΓΡΑΜΜΑΤΙΣΤΕΣ", "DE.Views.LeftMenu.txtLimit": "Περιορισμός Πρόσβασης", @@ -1848,16 +1874,16 @@ "DE.Views.Links.confirmDeleteFootnotes": "Θέλετε να διαγράψετε όλες τις υποσημειώσεις;", "DE.Views.Links.confirmReplaceTOF": "Θέλετε να αντικαταστήσετε τον επιλεγμένο πίνακα εικόνων;", "DE.Views.Links.mniConvertNote": "Μετατροπή Όλων των Σημειώσεων", - "DE.Views.Links.mniDelFootnote": "Διαγραφή Όλων των Υποσημειώσεων", + "DE.Views.Links.mniDelFootnote": "Διαγραφή Όλων των Σημειώσεων", "DE.Views.Links.mniInsEndnote": "Εισαγωγή Σημείωσης Τέλους", - "DE.Views.Links.mniInsFootnote": "Εισαγωγή υποσημείωσης", - "DE.Views.Links.mniNoteSettings": "Ρυθμίσεις σημειώσεων", + "DE.Views.Links.mniInsFootnote": "Εισαγωγή Υποσημείωσης", + "DE.Views.Links.mniNoteSettings": "Ρυθμίσεις Σημειώσεων", "DE.Views.Links.textContentsRemove": "Αφαίρεση πίνακα περιεχομένων", "DE.Views.Links.textContentsSettings": "Ρυθμίσεις", "DE.Views.Links.textConvertToEndnotes": "Μετατροπή Όλων των Υποσημειώσεων σε Σημειώσεις Τέλους", - "DE.Views.Links.textConvertToFootnotes": "Μετατροπή όλων των Σημειώσεων Τέλους σε Υποσημειώσεις", - "DE.Views.Links.textGotoEndnote": "Πηγαίνετε στις Σημειώσεις Τέλους", - "DE.Views.Links.textGotoFootnote": "Πηγαίνετε στις Υποσημειώσεις", + "DE.Views.Links.textConvertToFootnotes": "Μετατροπή Όλων των Σημειώσεων Τέλους σε Υποσημειώσεις", + "DE.Views.Links.textGotoEndnote": "Μετάβαση στις Σημειώσεις Τέλους", + "DE.Views.Links.textGotoFootnote": "Μετάβαση στις Υποσημειώσεις", "DE.Views.Links.textSwapNotes": "Αντιμετάθεση Υποσημειώσεων και Σημειώσεων Τέλους", "DE.Views.Links.textUpdateAll": "Ανανέωση ολόκληρου του πίνακα", "DE.Views.Links.textUpdatePages": "Ανανέωση αριθμών σελίδων μόνο", @@ -1880,7 +1906,7 @@ "DE.Views.ListSettingsDialog.txtAlign": "Στοίχιση", "DE.Views.ListSettingsDialog.txtBullet": "Κουκκίδα", "DE.Views.ListSettingsDialog.txtColor": "Χρώμα", - "DE.Views.ListSettingsDialog.txtFont": "Γραμματοσειρά και σύμβολο", + "DE.Views.ListSettingsDialog.txtFont": "Γραμματοσειρά και Σύμβολο", "DE.Views.ListSettingsDialog.txtLikeText": "Ως κείμενο", "DE.Views.ListSettingsDialog.txtNewBullet": "Νέα κουκίδα", "DE.Views.ListSettingsDialog.txtNone": "Κανένα", @@ -1909,18 +1935,18 @@ "DE.Views.MailMergeSettings.textAddRecipients": "Πρώτα προσθέστε μερικούς παραλήπτες στη λίστα", "DE.Views.MailMergeSettings.textAll": "Όλες οι καταχωρήσεις", "DE.Views.MailMergeSettings.textCurrent": "Τρέχουσα εγγραφή", - "DE.Views.MailMergeSettings.textDataSource": "Πηγή δεδομένων", + "DE.Views.MailMergeSettings.textDataSource": "Πηγή Δεδομένων", "DE.Views.MailMergeSettings.textDocx": "Docx", "DE.Views.MailMergeSettings.textDownload": "Λήψη", "DE.Views.MailMergeSettings.textEditData": "Επεξεργασία λίστας παραληπτών", "DE.Views.MailMergeSettings.textEmail": "Ηλεκτρονική διεύθυνση", "DE.Views.MailMergeSettings.textFrom": "Από", - "DE.Views.MailMergeSettings.textGoToMail": "Πηγαίνετε στην Αλληλογραφία", + "DE.Views.MailMergeSettings.textGoToMail": "Μετάβαση στην Αλληλογραφία", "DE.Views.MailMergeSettings.textHighlight": "Επισήμανση πεδίων συγχώνευσης", "DE.Views.MailMergeSettings.textInsertField": "Εισαγωγή Πεδίου Συγχώνευσης", "DE.Views.MailMergeSettings.textMaxRecepients": "Μέγιστο 100 αποδέκτες", "DE.Views.MailMergeSettings.textMerge": "Συγχώνευση", - "DE.Views.MailMergeSettings.textMergeFields": "Συγχώνεση πεδίων", + "DE.Views.MailMergeSettings.textMergeFields": "Συγχώνευση Πεδίων", "DE.Views.MailMergeSettings.textMergeTo": "Συγχώνευση σε", "DE.Views.MailMergeSettings.textPdf": "PDF", "DE.Views.MailMergeSettings.textPortal": "Αποθήκευση", @@ -1960,13 +1986,13 @@ "DE.Views.NoteSettingsDialog.textInsert": "Εισαγωγή", "DE.Views.NoteSettingsDialog.textLocation": "Τοποθεσία", "DE.Views.NoteSettingsDialog.textNumbering": "Αρίθμηση", - "DE.Views.NoteSettingsDialog.textNumFormat": "Μορφή αριθμού", + "DE.Views.NoteSettingsDialog.textNumFormat": "Μορφή Αριθμού", "DE.Views.NoteSettingsDialog.textPageBottom": "Κάτω μέρος της σελίδας", "DE.Views.NoteSettingsDialog.textSectEnd": "Τέλος τμήματος", "DE.Views.NoteSettingsDialog.textSection": "Τρέχουσα ενότητα", "DE.Views.NoteSettingsDialog.textStart": "Έναρξη σε", "DE.Views.NoteSettingsDialog.textTextBottom": "Παρακάτω κείμενο", - "DE.Views.NoteSettingsDialog.textTitle": "Ρυθμίσεις σημειώσεων", + "DE.Views.NoteSettingsDialog.textTitle": "Ρυθμίσεις Σημειώσεων", "DE.Views.NotesRemoveDialog.textEnd": "Διαγραφή Όλων των Σημειώσεων Τέλους", "DE.Views.NotesRemoveDialog.textFoot": "Διαγραφή Όλων των Υποσημειώσεων", "DE.Views.NotesRemoveDialog.textTitle": "Διαγραφή Σημειώσεων", @@ -1979,8 +2005,9 @@ "DE.Views.PageMarginsDialog.textLeft": "Αριστερά", "DE.Views.PageMarginsDialog.textMirrorMargins": "Καθρεφτισμός περιθωρίων", "DE.Views.PageMarginsDialog.textMultiplePages": "Πολλαπλές σελίδες", - "DE.Views.PageMarginsDialog.textNormal": "Κανονικό", + "DE.Views.PageMarginsDialog.textNormal": "Κανονική", "DE.Views.PageMarginsDialog.textOrientation": "Προσανατολισμός", + "DE.Views.PageMarginsDialog.textOutside": "Απέξω", "DE.Views.PageMarginsDialog.textPortrait": "Κατακόρυφα", "DE.Views.PageMarginsDialog.textPreview": "Προεπισκόπηση", "DE.Views.PageMarginsDialog.textRight": "Δεξιά", @@ -1990,7 +2017,7 @@ "DE.Views.PageMarginsDialog.txtMarginsW": "Το αριστερό και το δεξιό περιθώριο είναι πολύ πλατιά για δεδομένο πλάτος σελίδας", "DE.Views.PageSizeDialog.textHeight": "Ύψος", "DE.Views.PageSizeDialog.textPreset": "Προκαθορισμός", - "DE.Views.PageSizeDialog.textTitle": "Μέγεθος σελίδας", + "DE.Views.PageSizeDialog.textTitle": "Μέγεθος Σελίδας", "DE.Views.PageSizeDialog.textWidth": "Πλάτος", "DE.Views.PageSizeDialog.txtCustom": "Προσαρμοσμένο", "DE.Views.ParagraphSettings.strLineHeight": "Διάστιχο", @@ -2013,6 +2040,7 @@ "DE.Views.ParagraphSettingsAdvanced.strIndent": "Εσοχές", "DE.Views.ParagraphSettingsAdvanced.strIndentsLeftText": "Αριστερά", "DE.Views.ParagraphSettingsAdvanced.strIndentsLineSpacing": "Διάστιχο", + "DE.Views.ParagraphSettingsAdvanced.strIndentsOutlinelevel": "Επίπεδο διαγράμματος", "DE.Views.ParagraphSettingsAdvanced.strIndentsRightText": "Δεξιά", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingAfter": "Μετά", "DE.Views.ParagraphSettingsAdvanced.strIndentsSpacingBefore": "Πριν", @@ -2028,7 +2056,7 @@ "DE.Views.ParagraphSettingsAdvanced.strSmallCaps": "Μικρά κεφαλαία", "DE.Views.ParagraphSettingsAdvanced.strSomeParagraphSpace": "Να μην προστίθεται διάστημα μεταξύ παραγράφων της ίδιας τεχνοτροπίας", "DE.Views.ParagraphSettingsAdvanced.strSpacing": "Απόσταση", - "DE.Views.ParagraphSettingsAdvanced.strStrike": "Διακριτή γραφή", + "DE.Views.ParagraphSettingsAdvanced.strStrike": "Διακριτική διαγραφή", "DE.Views.ParagraphSettingsAdvanced.strSubscript": "Δείκτης", "DE.Views.ParagraphSettingsAdvanced.strSuperscript": "Εκθέτης", "DE.Views.ParagraphSettingsAdvanced.strSuppressLineNumbers": "Κατάπνιξη αριθμών γραμμών", @@ -2036,8 +2064,8 @@ "DE.Views.ParagraphSettingsAdvanced.textAlign": "Στοίχιση", "DE.Views.ParagraphSettingsAdvanced.textAtLeast": "Τουλάχιστον", "DE.Views.ParagraphSettingsAdvanced.textAuto": "Πολλαπλό", - "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Χρώμα φόντου", - "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Βασικό κείμενο", + "DE.Views.ParagraphSettingsAdvanced.textBackColor": "Χρώμα Φόντου", + "DE.Views.ParagraphSettingsAdvanced.textBodyText": "Βασικό Κείμενο", "DE.Views.ParagraphSettingsAdvanced.textBorderColor": "Χρώμα", "DE.Views.ParagraphSettingsAdvanced.textBorderDesc": "Κάντε κλικ στο διάγραμμα ή χρησιμοποιήστε τα κουμπιά για να επιλέξετε περιγράμματα και να εφαρμόσετε την επιλεγμένη τεχνοτροπία σε αυτά", "DE.Views.ParagraphSettingsAdvanced.textBorderWidth": "Μέγεθος Περιγράμματος", @@ -2048,14 +2076,16 @@ "DE.Views.ParagraphSettingsAdvanced.textEffects": "Εφέ", "DE.Views.ParagraphSettingsAdvanced.textExact": "Ακριβώς", "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "Πρώτη γραμμή", + "DE.Views.ParagraphSettingsAdvanced.textHanging": "Κρέμεται", "DE.Views.ParagraphSettingsAdvanced.textJustified": "Πλήρης Στοίχιση", + "DE.Views.ParagraphSettingsAdvanced.textLeader": "Ηγέτης", "DE.Views.ParagraphSettingsAdvanced.textLeft": "Αριστερά", "DE.Views.ParagraphSettingsAdvanced.textLevel": "Επίπεδο", "DE.Views.ParagraphSettingsAdvanced.textNone": "Κανένα", "DE.Views.ParagraphSettingsAdvanced.textNoneSpecial": "(κανένα)", "DE.Views.ParagraphSettingsAdvanced.textPosition": "Θέση", "DE.Views.ParagraphSettingsAdvanced.textRemove": "Αφαίρεση", - "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Αφαίρεση όλων", + "DE.Views.ParagraphSettingsAdvanced.textRemoveAll": "Αφαίρεση Όλων", "DE.Views.ParagraphSettingsAdvanced.textRight": "Δεξιά", "DE.Views.ParagraphSettingsAdvanced.textSet": "Προσδιορισμός", "DE.Views.ParagraphSettingsAdvanced.textSpacing": "Απόσταση", @@ -2099,13 +2129,13 @@ "DE.Views.ShapeSettings.textAdvanced": "Εμφάνιση ρυθμίσεων για προχωρημένους", "DE.Views.ShapeSettings.textAngle": "Γωνία", "DE.Views.ShapeSettings.textBorderSizeErr": "Η τιμή που βάλατε δεν είναι αποδεκτή.
Παρακαλούμε βάλτε μια αριθμητική τιμή μεταξύ 0pt και 1584pt.", - "DE.Views.ShapeSettings.textColor": "Γέμισμα χρώματος", + "DE.Views.ShapeSettings.textColor": "Γέμισμα με Χρώμα", "DE.Views.ShapeSettings.textDirection": "Κατεύθυνση", "DE.Views.ShapeSettings.textEmptyPattern": "Χωρίς Σχέδιο", "DE.Views.ShapeSettings.textFlip": "Περιστροφή", - "DE.Views.ShapeSettings.textFromFile": "Από αρχείο", + "DE.Views.ShapeSettings.textFromFile": "Από Αρχείο", "DE.Views.ShapeSettings.textFromStorage": "Από Αποθηκευτικό Μέσο", - "DE.Views.ShapeSettings.textFromUrl": "Από διεύθυνση", + "DE.Views.ShapeSettings.textFromUrl": "Από διεύθυνση URL", "DE.Views.ShapeSettings.textGradient": "Σημεία διαβάθμισης", "DE.Views.ShapeSettings.textGradientFill": "Βαθμωτό Γέμισμα", "DE.Views.ShapeSettings.textHint270": "Περιστροφή 90° αριστερόστροφα", @@ -2114,7 +2144,7 @@ "DE.Views.ShapeSettings.textHintFlipV": "Κατακόρυφη Περιστροφή", "DE.Views.ShapeSettings.textImageTexture": "Εικόνα ή Υφή", "DE.Views.ShapeSettings.textLinear": "Γραμμικός", - "DE.Views.ShapeSettings.textNoFill": "Χωρίς γέμισμα", + "DE.Views.ShapeSettings.textNoFill": "Χωρίς Γέμισμα", "DE.Views.ShapeSettings.textPatternFill": "Μοτίβο", "DE.Views.ShapeSettings.textPosition": "Θέση", "DE.Views.ShapeSettings.textRadial": "Ακτινικός", @@ -2125,19 +2155,23 @@ "DE.Views.ShapeSettings.textStretch": "Έκταση", "DE.Views.ShapeSettings.textStyle": "Τεχνοτροπία", "DE.Views.ShapeSettings.textTexture": "Από Υφή", + "DE.Views.ShapeSettings.textTile": "Πλακάκι", + "DE.Views.ShapeSettings.textWrap": "Στυλ διακοπής γραμμής", "DE.Views.ShapeSettings.tipAddGradientPoint": "Προσθήκη βαθμωτού σημείου", "DE.Views.ShapeSettings.tipRemoveGradientPoint": "Αφαίρεση σημείου διαβάθμισης", "DE.Views.ShapeSettings.txtBehind": "Πίσω", - "DE.Views.ShapeSettings.txtBrownPaper": "Καφέ χαρτί", + "DE.Views.ShapeSettings.txtBrownPaper": "Καφέ Χαρτί", "DE.Views.ShapeSettings.txtCanvas": "Καμβάς", + "DE.Views.ShapeSettings.txtCarton": "Χαρτόνι", "DE.Views.ShapeSettings.txtDarkFabric": "Σκούρο Ύφασμα", "DE.Views.ShapeSettings.txtGrain": "Κόκκος", "DE.Views.ShapeSettings.txtGranite": "Γρανίτης", - "DE.Views.ShapeSettings.txtGreyPaper": "Γκρι χαρτί", + "DE.Views.ShapeSettings.txtGreyPaper": "Γκρι Χαρτί", "DE.Views.ShapeSettings.txtInFront": "Στην πρόσοψη", "DE.Views.ShapeSettings.txtInline": "Εντός κειμένου", + "DE.Views.ShapeSettings.txtKnit": "Πλέκω", "DE.Views.ShapeSettings.txtLeather": "Δέρμα", - "DE.Views.ShapeSettings.txtNoBorders": "Χωρίς γραμμή", + "DE.Views.ShapeSettings.txtNoBorders": "Χωρίς Γραμμή", "DE.Views.ShapeSettings.txtPapyrus": "Πάπυρος", "DE.Views.ShapeSettings.txtSquare": "Τετράγωνο", "DE.Views.ShapeSettings.txtThrough": "Διά μέσου", @@ -2159,7 +2193,7 @@ "DE.Views.SignatureSettings.txtRequestedSignatures": "Αυτό το έγγραφο πρέπει να υπογραφεί.", "DE.Views.SignatureSettings.txtSigned": "Προστέθηκαν έγκυρες υπογραφές στο έγγραφο. Το έγγραφο έχει προστασία επεξεργασίας.", "DE.Views.SignatureSettings.txtSignedInvalid": "Κάποιες από τις ψηφιακές υπογραφές του εγγράφου είναι άκυρες ή δεν επιβεβαιώθηκαν. Αποτρέπεται η επεξεργασία του.", - "DE.Views.Statusbar.goToPageText": "Μετάβαση στη σελίδα", + "DE.Views.Statusbar.goToPageText": "Μετάβαση στη Σελίδα", "DE.Views.Statusbar.pageIndexText": "Σελίδα {0} από {1}", "DE.Views.Statusbar.tipFitPage": "Προσαρμογή στη σελίδα", "DE.Views.Statusbar.tipFitWidth": "Προσαρμογή στο πλάτος", @@ -2173,23 +2207,26 @@ "DE.Views.StyleTitleDialog.textTitle": "Τίτλος", "DE.Views.StyleTitleDialog.txtEmpty": "Αυτό το πεδίο είναι υποχρεωτικό", "DE.Views.StyleTitleDialog.txtNotEmpty": "Το πεδίο δεν πρέπει να είναι κενό", - "DE.Views.TableFormulaDialog.textBookmark": "Επικόλληση σελιδοδείκτη", - "DE.Views.TableFormulaDialog.textFormat": "Μορφή αριθμού", + "DE.Views.StyleTitleDialog.txtSameAs": "Ίδιο με το νέο στυλ", + "DE.Views.TableFormulaDialog.textBookmark": "Επικόλληση Σελιδοδείκτη", + "DE.Views.TableFormulaDialog.textFormat": "Μορφή Αριθμού", "DE.Views.TableFormulaDialog.textFormula": "Τύπος", "DE.Views.TableFormulaDialog.textInsertFunction": "Επικόλληση Συνάρτησης", - "DE.Views.TableFormulaDialog.textTitle": "Ρυθμίσεις τύπου", + "DE.Views.TableFormulaDialog.textTitle": "Ρυθμίσεις Τύπου", "DE.Views.TableOfContentsSettings.strAlign": "Δεξιά στοίχιση αριθμών σελίδων", "DE.Views.TableOfContentsSettings.strFullCaption": "Συμπερίληψη ετικέτας και αριθμού", - "DE.Views.TableOfContentsSettings.strLinks": "Διαμόρφωση πίνακα περιεχομένων ως συνδέσμων", + "DE.Views.TableOfContentsSettings.strLinks": "Διαμόρφωση Πίνακα Περιεχομένων ως συνδέσμων", "DE.Views.TableOfContentsSettings.strShowPages": "Εμφάνιση αριθμών σελίδων", "DE.Views.TableOfContentsSettings.textBuildTable": "Δημιουργία πίνακα περιεχομένων από", "DE.Views.TableOfContentsSettings.textBuildTableOF": "Δημιουργία πίνακα εικόνων από", "DE.Views.TableOfContentsSettings.textEquation": "Εξίσωση", "DE.Views.TableOfContentsSettings.textFigure": "Εικόνα", + "DE.Views.TableOfContentsSettings.textLeader": "Ηγέτης", "DE.Views.TableOfContentsSettings.textLevel": "Επίπεδο", "DE.Views.TableOfContentsSettings.textLevels": "Επίπεδα", "DE.Views.TableOfContentsSettings.textNone": "Κανένα", "DE.Views.TableOfContentsSettings.textRadioCaption": "Λεζάντα", + "DE.Views.TableOfContentsSettings.textRadioLevels": "Επίπεδα διαγράμματος", "DE.Views.TableOfContentsSettings.textRadioStyle": "Τεχνοτροπία", "DE.Views.TableOfContentsSettings.textRadioStyles": "Επιλεγμένες τεχνοτροπίες", "DE.Views.TableOfContentsSettings.textStyle": "Τεχνοτροπία", @@ -2205,15 +2242,15 @@ "DE.Views.TableOfContentsSettings.txtModern": "Μοντέρνο", "DE.Views.TableOfContentsSettings.txtOnline": "Σε σύνδεση", "DE.Views.TableOfContentsSettings.txtSimple": "Απλό", - "DE.Views.TableOfContentsSettings.txtStandard": "Κανονικό", - "DE.Views.TableSettings.deleteColumnText": "Διαγραφή στήλης", + "DE.Views.TableOfContentsSettings.txtStandard": "Τυπικό", + "DE.Views.TableSettings.deleteColumnText": "Διαγραφή Στήλης", "DE.Views.TableSettings.deleteRowText": "Διαγραφή Γραμμής", - "DE.Views.TableSettings.deleteTableText": "Διαγραφή πίνακα", - "DE.Views.TableSettings.insertColumnLeftText": "Εισαγωγή στήλης αριστερά", - "DE.Views.TableSettings.insertColumnRightText": "Εισαγωγή στήλης δεξιά", + "DE.Views.TableSettings.deleteTableText": "Διαγραφή Πίνακα", + "DE.Views.TableSettings.insertColumnLeftText": "Εισαγωγή Στήλης Αριστερά", + "DE.Views.TableSettings.insertColumnRightText": "Εισαγωγή Στήλης Δεξιά", "DE.Views.TableSettings.insertRowAboveText": "Εισαγωγή Γραμμής Από Πάνω", "DE.Views.TableSettings.insertRowBelowText": "Εισαγωγή Γραμμής Από Κάτω", - "DE.Views.TableSettings.mergeCellsText": "Συγχώνευση κελιών", + "DE.Views.TableSettings.mergeCellsText": "Συγχώνευση Κελιών", "DE.Views.TableSettings.selectCellText": "Επιλογή κελιού", "DE.Views.TableSettings.selectColumnText": "Επιλογή στήλης", "DE.Views.TableSettings.selectRowText": "Επιλογή Γραμμής", @@ -2223,13 +2260,13 @@ "DE.Views.TableSettings.strRepeatRow": "Επανάληψη ως γραμμή επικεφαλίδας στην αρχή κάθε σελίδας", "DE.Views.TableSettings.textAddFormula": "Προσθήκη τύπου", "DE.Views.TableSettings.textAdvanced": "Εμφάνιση ρυθμίσεων για προχωρημένους", - "DE.Views.TableSettings.textBackColor": "Χρώμα φόντου", + "DE.Views.TableSettings.textBackColor": "Χρώμα Φόντου", "DE.Views.TableSettings.textBanded": "Με Εναλλαγή Σκίασης", "DE.Views.TableSettings.textBorderColor": "Χρώμα", "DE.Views.TableSettings.textBorders": "Τεχνοτροπία Περιγραμμάτων", "DE.Views.TableSettings.textCellSize": "Μέγεθος Γραμμών & Στηλών", "DE.Views.TableSettings.textColumns": "Στήλες", - "DE.Views.TableSettings.textDistributeCols": "Διανομή στηλών", + "DE.Views.TableSettings.textDistributeCols": "Κατανομή στηλών", "DE.Views.TableSettings.textDistributeRows": "Κατανομή γραμμών", "DE.Views.TableSettings.textEdit": "Γραμμές & Στήλες", "DE.Views.TableSettings.textEmptyTemplate": "Κανένα πρότυπο", @@ -2258,39 +2295,40 @@ "DE.Views.TableSettings.txtTable_Dark": "Σκούρο", "DE.Views.TableSettings.txtTable_GridTable": "Πίνακας Πλέγματος", "DE.Views.TableSettings.txtTable_Light": "Φως", - "DE.Views.TableSettings.txtTable_ListTable": "Πίνακας λίστα", - "DE.Views.TableSettings.txtTable_PlainTable": "Απλός πίνακας", + "DE.Views.TableSettings.txtTable_ListTable": "Πίνακας Λίστας", + "DE.Views.TableSettings.txtTable_PlainTable": "Απλός Πίνακας", "DE.Views.TableSettings.txtTable_TableGrid": "Πλέγμα Πίνακα", "DE.Views.TableSettingsAdvanced.textAlign": "Στοίχιση", "DE.Views.TableSettingsAdvanced.textAlignment": "Στοίχιση", "DE.Views.TableSettingsAdvanced.textAllowSpacing": "Απόσταση μεταξύ κελιών", - "DE.Views.TableSettingsAdvanced.textAlt": "Εναλλακτικό κείμενο", + "DE.Views.TableSettingsAdvanced.textAlt": "Εναλλακτικό Κείμενο", "DE.Views.TableSettingsAdvanced.textAltDescription": "Περιγραφή", "DE.Views.TableSettingsAdvanced.textAltTip": "Η εναλλακτική με βάση κείμενο αναπαράσταση των πληροφοριών οπτικού αντικειμένου, η οποία θα αναγνωσθεί στα άτομα με προβλήματα όρασης ή γνωστικών προβλημάτων για να τους βοηθήσουν να κατανοήσουν καλύτερα ποιες πληροφορίες υπάρχουν στην εικόνα, σε αυτόματο σχήμα, στο διάγραμμα ή στον πίνακα.", "DE.Views.TableSettingsAdvanced.textAltTitle": "Τίτλος", "DE.Views.TableSettingsAdvanced.textAnchorText": "Κείμενο", "DE.Views.TableSettingsAdvanced.textAutofit": "Αυτόματη αλλαγή μεγέθους για προσαρμογή περιεχομένου", - "DE.Views.TableSettingsAdvanced.textBackColor": "Φόντο κελιού", + "DE.Views.TableSettingsAdvanced.textBackColor": "Φόντο Κελιού", "DE.Views.TableSettingsAdvanced.textBelow": "παρακάτω", "DE.Views.TableSettingsAdvanced.textBorderColor": "Χρώμα", "DE.Views.TableSettingsAdvanced.textBorderDesc": "Κάντε κλικ στο διάγραμμα ή χρησιμοποιήστε τα κουμπιά για να επιλέξετε περιγράμματα και να εφαρμόσετε την επιλεγμένη τεχνοτροπία σε αυτά", "DE.Views.TableSettingsAdvanced.textBordersBackgroung": "Περιγράμματα & Φόντο", "DE.Views.TableSettingsAdvanced.textBorderWidth": "Μέγεθος Περιγράμματος", "DE.Views.TableSettingsAdvanced.textBottom": "Κάτω", - "DE.Views.TableSettingsAdvanced.textCellOptions": "Επιλογές κελιού", + "DE.Views.TableSettingsAdvanced.textCellOptions": "Επιλογές Κελιού", "DE.Views.TableSettingsAdvanced.textCellProps": "Κελί", - "DE.Views.TableSettingsAdvanced.textCellSize": "Μέγεθος κελιού", + "DE.Views.TableSettingsAdvanced.textCellSize": "Μέγεθος Κελιού", "DE.Views.TableSettingsAdvanced.textCenter": "Κέντρο", "DE.Views.TableSettingsAdvanced.textCenterTooltip": "Κέντρο", "DE.Views.TableSettingsAdvanced.textCheckMargins": "Χρήση προεπιλεγμένων περιθωρίων", "DE.Views.TableSettingsAdvanced.textDefaultMargins": "Προεπιλεγμένα Περιθώρια Κελιών", - "DE.Views.TableSettingsAdvanced.textDistance": "Απόσταση από το κείμενο", + "DE.Views.TableSettingsAdvanced.textDistance": "Απόσταση από το Κείμενο", "DE.Views.TableSettingsAdvanced.textHorizontal": "Οριζόντια", "DE.Views.TableSettingsAdvanced.textIndLeft": "Εσοχή από Αριστερά", "DE.Views.TableSettingsAdvanced.textLeft": "Αριστερά", "DE.Views.TableSettingsAdvanced.textLeftTooltip": "Αριστερά", "DE.Views.TableSettingsAdvanced.textMargin": "Περιθώριο", - "DE.Views.TableSettingsAdvanced.textMargins": "Περιθώρια κελιού", + "DE.Views.TableSettingsAdvanced.textMargins": "Περιθώρια Κελιού", + "DE.Views.TableSettingsAdvanced.textMeasure": "Μέτρηση σε", "DE.Views.TableSettingsAdvanced.textMove": "Μετακίνηση αντικειμένου με κείμενο", "DE.Views.TableSettingsAdvanced.textOnlyCells": "Μόνο για επιλεγμένα κελιά", "DE.Views.TableSettingsAdvanced.textOptions": "Επιλογές", @@ -2314,6 +2352,8 @@ "DE.Views.TableSettingsAdvanced.textWidthSpaces": "Πλάτος & Διαστήματα", "DE.Views.TableSettingsAdvanced.textWrap": "Αναδίπλωση Κειμένου", "DE.Views.TableSettingsAdvanced.textWrapNoneTooltip": "Πίνακας εντός κειμένου", + "DE.Views.TableSettingsAdvanced.textWrapParallelTooltip": "Πίνακας ροής", + "DE.Views.TableSettingsAdvanced.textWrappingStyle": "Στυλ διακοπής γραμμής", "DE.Views.TableSettingsAdvanced.textWrapText": "Αναδίπλωση κειμένου", "DE.Views.TableSettingsAdvanced.tipAll": "Ορισμός εξωτερικού περιγράμματος και όλων των εσωτερικών γραμμών", "DE.Views.TableSettingsAdvanced.tipCellAll": "Ορισμός περιγραμμάτων μόνο για τα εσωτερικά κελιά", @@ -2338,12 +2378,12 @@ "DE.Views.TextArtSettings.strType": "Τύπος", "DE.Views.TextArtSettings.textAngle": "Γωνία", "DE.Views.TextArtSettings.textBorderSizeErr": "Η τιμή που βάλατε δεν είναι αποδεκτή.
Παρακαλούμε βάλτε μια αριθμητική τιμή μεταξύ 0pt και 1584pt.", - "DE.Views.TextArtSettings.textColor": "Γέμισμα χρώματος", + "DE.Views.TextArtSettings.textColor": "Γέμισμα με Χρώμα", "DE.Views.TextArtSettings.textDirection": "Κατεύθυνση", "DE.Views.TextArtSettings.textGradient": "Σημεία διαβάθμισης", "DE.Views.TextArtSettings.textGradientFill": "Βαθμωτό Γέμισμα", "DE.Views.TextArtSettings.textLinear": "Γραμμικός", - "DE.Views.TextArtSettings.textNoFill": "Χωρίς γέμισμα", + "DE.Views.TextArtSettings.textNoFill": "Χωρίς Γέμισμα", "DE.Views.TextArtSettings.textPosition": "Θέση", "DE.Views.TextArtSettings.textRadial": "Ακτινικός", "DE.Views.TextArtSettings.textSelectTexture": "Επιλογή", @@ -2352,9 +2392,9 @@ "DE.Views.TextArtSettings.textTransform": "Μεταμόρφωση", "DE.Views.TextArtSettings.tipAddGradientPoint": "Προσθήκη βαθμωτού σημείου", "DE.Views.TextArtSettings.tipRemoveGradientPoint": "Αφαίρεση σημείου διαβάθμισης", - "DE.Views.TextArtSettings.txtNoBorders": "Χωρίς γραμμή", - "DE.Views.Toolbar.capBtnAddComment": "Προσθήκη σχολίου", - "DE.Views.Toolbar.capBtnBlankPage": "Κενή σελίδα", + "DE.Views.TextArtSettings.txtNoBorders": "Χωρίς Γραμμή", + "DE.Views.Toolbar.capBtnAddComment": "Προσθήκη Σχολίου", + "DE.Views.Toolbar.capBtnBlankPage": "Κενή Σελίδα", "DE.Views.Toolbar.capBtnColumns": "Στήλες", "DE.Views.Toolbar.capBtnComment": "Σχόλιο", "DE.Views.Toolbar.capBtnDateTime": "Ημερομηνία & Ώρα", @@ -2377,27 +2417,28 @@ "DE.Views.Toolbar.capBtnWatermark": "Υδατόσημο", "DE.Views.Toolbar.capImgAlign": "Στοίχιση", "DE.Views.Toolbar.capImgBackward": "Μεταφορά προς τα πίσω", - "DE.Views.Toolbar.capImgForward": "Μεταφορά προς τα εμπρός", + "DE.Views.Toolbar.capImgForward": "Μεταφορά Προς τα Εμπρός", "DE.Views.Toolbar.capImgGroup": "Ομάδα", - "DE.Views.Toolbar.mniCustomTable": "Εισαγωγή προσαρμοσμένου πίνακα", + "DE.Views.Toolbar.capImgWrapping": "Διακοπή της γραμμής", + "DE.Views.Toolbar.mniCustomTable": "Εισαγωγή Προσαρμοσμένου Πίνακα", "DE.Views.Toolbar.mniDrawTable": "Σχεδίαση Πίνακα", - "DE.Views.Toolbar.mniEditControls": "Ρυθμίσεις ελέγχου", + "DE.Views.Toolbar.mniEditControls": "Ρυθμίσεις Ελέγχου", "DE.Views.Toolbar.mniEditDropCap": "Ρυθμίσεις Αρχιγράμματος", - "DE.Views.Toolbar.mniEditFooter": "Επεξεργασία υποσέλιδου", - "DE.Views.Toolbar.mniEditHeader": "Επεξεργασία κεφαλίδας", - "DE.Views.Toolbar.mniEraseTable": "Διαγραφή πίνακα", + "DE.Views.Toolbar.mniEditFooter": "Επεξεργασία Υποσέλιδου", + "DE.Views.Toolbar.mniEditHeader": "Επεξεργασία Κεφαλίδας", + "DE.Views.Toolbar.mniEraseTable": "Εκκαθάριση Πίνακα", "DE.Views.Toolbar.mniHiddenBorders": "Κρυμμένα Περιγράμματα Πίνακα", - "DE.Views.Toolbar.mniHiddenChars": "Μη εκτυπώσιμοι χαρακτήρες", - "DE.Views.Toolbar.mniHighlightControls": "Ρυθμίσεις επισήμανσης", - "DE.Views.Toolbar.mniImageFromFile": "Εικόνα από αρχείο", - "DE.Views.Toolbar.mniImageFromStorage": "Εικόνα από αποθηκευτικό χώρο", - "DE.Views.Toolbar.mniImageFromUrl": "Εικόνα από σύνδεσμο", - "DE.Views.Toolbar.strMenuNoFill": "Χωρίς γέμισμα", + "DE.Views.Toolbar.mniHiddenChars": "Μη Εκτυπώσιμοι Χαρακτήρες", + "DE.Views.Toolbar.mniHighlightControls": "Ρυθμίσεις Επισήμανσης", + "DE.Views.Toolbar.mniImageFromFile": "Εικόνα από Αρχείο", + "DE.Views.Toolbar.mniImageFromStorage": "Εικόνα από Μέσο Αποθήκευσης", + "DE.Views.Toolbar.mniImageFromUrl": "Εικόνα από διεύθυνση URL", + "DE.Views.Toolbar.strMenuNoFill": "Χωρίς Γέμισμα", "DE.Views.Toolbar.textAutoColor": "Αυτόματα", "DE.Views.Toolbar.textBold": "Έντονα", "DE.Views.Toolbar.textBottom": "Κάτω Μέρος:", "DE.Views.Toolbar.textCheckboxControl": "Πλαίσιο ελέγχου", - "DE.Views.Toolbar.textColumnsCustom": "Προσαρμοσμένες στήλες", + "DE.Views.Toolbar.textColumnsCustom": "Προσαρμοσμένες Στήλες", "DE.Views.Toolbar.textColumnsLeft": "Αριστερά", "DE.Views.Toolbar.textColumnsOne": "Ένα", "DE.Views.Toolbar.textColumnsRight": "Δεξιά", @@ -2409,31 +2450,32 @@ "DE.Views.Toolbar.textCustomLineNumbers": "Επιλογές Αρίθμησης Γραμμών", "DE.Views.Toolbar.textDateControl": "Ημερομηνία", "DE.Views.Toolbar.textDropdownControl": "Αναδυόμενη λίστα", - "DE.Views.Toolbar.textEditWatermark": "Προσαρμοσμένο υδατόσημο", - "DE.Views.Toolbar.textEvenPage": "Ζυγή σελίδα", + "DE.Views.Toolbar.textEditWatermark": "Προσαρμοσμένο Υδατογράφημα", + "DE.Views.Toolbar.textEvenPage": "Ζυγή Σελίδα", "DE.Views.Toolbar.textInMargin": "Στο Περιθώριο", "DE.Views.Toolbar.textInsColumnBreak": "Εισαγωγή Αλλαγής Στήλης", "DE.Views.Toolbar.textInsertPageCount": "Εισαγωγή αριθμού σελίδων", "DE.Views.Toolbar.textInsertPageNumber": "Εισαγωγή αριθμού σελίδας", - "DE.Views.Toolbar.textInsPageBreak": "Εισαγωγή αλλαγής σελίδας", + "DE.Views.Toolbar.textInsPageBreak": "Εισαγωγή Αλλαγής Σελίδας", "DE.Views.Toolbar.textInsSectionBreak": "Εισαγωγή Αλλαγής Τμήματος", "DE.Views.Toolbar.textInText": "Στο Κείμενο", "DE.Views.Toolbar.textItalic": "Πλάγια", "DE.Views.Toolbar.textLandscape": "Οριζόντια", "DE.Views.Toolbar.textLeft": "Αριστερά:", "DE.Views.Toolbar.textListSettings": "Ρυθμίσεις Λίστας", + "DE.Views.Toolbar.textMarginsLast": "Τελευταίο Προσαρμοσμένο", "DE.Views.Toolbar.textMarginsModerate": "Μέτριο", "DE.Views.Toolbar.textMarginsNarrow": "Στενό", - "DE.Views.Toolbar.textMarginsNormal": "Κανονικό", + "DE.Views.Toolbar.textMarginsNormal": "Κανονική", "DE.Views.Toolbar.textMarginsUsNormal": "ΗΠΑ κανονικό", "DE.Views.Toolbar.textMarginsWide": "Πλατύ", - "DE.Views.Toolbar.textNewColor": "Προσθήκη νέου προσαρμοσμένου χρώματος", - "DE.Views.Toolbar.textNextPage": "Επόμενη σελίδα", + "DE.Views.Toolbar.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", + "DE.Views.Toolbar.textNextPage": "Επόμενη Σελίδα", "DE.Views.Toolbar.textNoHighlight": "Χωρίς επισήμανση", "DE.Views.Toolbar.textNone": "Κανένα", - "DE.Views.Toolbar.textOddPage": "Μονή σελίδα", - "DE.Views.Toolbar.textPageMarginsCustom": "Προσαρμοσμένα περιθώρια", - "DE.Views.Toolbar.textPageSizeCustom": "Προσαρμοσμένο μέγεθος σελίδας", + "DE.Views.Toolbar.textOddPage": "Μονή Σελίδα", + "DE.Views.Toolbar.textPageMarginsCustom": "Προσαρμοσμένα Περιθώρια", + "DE.Views.Toolbar.textPageSizeCustom": "Προσαρμοσμένο Μέγεθος Σελίδας", "DE.Views.Toolbar.textPictureControl": "Εικόνα", "DE.Views.Toolbar.textPlainControl": "Απλό κείμενο", "DE.Views.Toolbar.textPortrait": "Κατακόρυφα", @@ -2443,7 +2485,7 @@ "DE.Views.Toolbar.textRestartEachSection": "Επανεκκίνηση Κάθε Τμήματος", "DE.Views.Toolbar.textRichControl": "Εμπλουτισμένο κείμενο", "DE.Views.Toolbar.textRight": "Δεξιά:", - "DE.Views.Toolbar.textStrikeout": "Διακριτή γραφή", + "DE.Views.Toolbar.textStrikeout": "Διακριτική διαγραφή", "DE.Views.Toolbar.textStyleMenuDelete": "Διαγραφή τεχνοτροπίας", "DE.Views.Toolbar.textStyleMenuDeleteAll": "Διαγραφή όλων των προσαρμοσμένων τεχνοτροπιών", "DE.Views.Toolbar.textStyleMenuNew": "Νέα τεχνοτροπία από την επιλογή", @@ -2495,7 +2537,7 @@ "DE.Views.Toolbar.tipInsertChart": "Εισαγωγή γραφήματος", "DE.Views.Toolbar.tipInsertEquation": "Εισαγωγή εξίσωσης", "DE.Views.Toolbar.tipInsertImage": "Εισαγωγή εικόνας", - "DE.Views.Toolbar.tipInsertNum": "Εισαγωγή αριθμού σελίδας", + "DE.Views.Toolbar.tipInsertNum": "Εισαγωγή Αριθμού Σελίδας", "DE.Views.Toolbar.tipInsertShape": "Εισαγωγή αυτόματου σχήματος", "DE.Views.Toolbar.tipInsertSymbol": "Εισαγωγή συμβόλου", "DE.Views.Toolbar.tipInsertTable": "Εισαγωγή πίνακα", @@ -2524,39 +2566,46 @@ "DE.Views.Toolbar.tipSynchronize": "Το έγγραφο τροποποιήθηκε από άλλο χρήστη. Κάντε κλικ για να αποθηκεύσετε τις αλλαγές σας και να επαναφορτώσετε τις ενημερώσεις.", "DE.Views.Toolbar.tipUndo": "Αναίρεση", "DE.Views.Toolbar.tipWatermark": "Επεξεργασία υδατόσημου", - "DE.Views.Toolbar.txtDistribHor": "Διανομή οριζόντια", + "DE.Views.Toolbar.txtDistribHor": "Οριζόντια Κατανομή", "DE.Views.Toolbar.txtDistribVert": "Κατακόρυφη Κατανομή", "DE.Views.Toolbar.txtMarginAlign": "Στοίχιση σε Περιθώριο", - "DE.Views.Toolbar.txtObjectsAlign": "Στοίχιση επιλεγμένων αντικειμένων", + "DE.Views.Toolbar.txtObjectsAlign": "Στοίχιση Επιλεγμένων Αντικειμένων", "DE.Views.Toolbar.txtPageAlign": "Στοίχιση σε Σελίδα", "DE.Views.Toolbar.txtScheme1": "Γραφείο", - "DE.Views.Toolbar.txtScheme10": "Διάμεσος", + "DE.Views.Toolbar.txtScheme10": "Διάμεσο", + "DE.Views.Toolbar.txtScheme11": "Μετρό", "DE.Views.Toolbar.txtScheme12": "Άρθρωμα", + "DE.Views.Toolbar.txtScheme13": "Άφθονο", + "DE.Views.Toolbar.txtScheme14": "Προεξέχον παράθυρο", "DE.Views.Toolbar.txtScheme15": "Προέλευση", "DE.Views.Toolbar.txtScheme16": "Χαρτί", "DE.Views.Toolbar.txtScheme17": "Ηλιοστάσιο", "DE.Views.Toolbar.txtScheme18": "Τεχνικό", + "DE.Views.Toolbar.txtScheme19": "Ταξίδι", "DE.Views.Toolbar.txtScheme2": "Αποχρώσεις του γκρι", "DE.Views.Toolbar.txtScheme20": "Αστικό", + "DE.Views.Toolbar.txtScheme21": "Οίστρος", "DE.Views.Toolbar.txtScheme3": "Άκρο", "DE.Views.Toolbar.txtScheme4": "Άποψη", "DE.Views.Toolbar.txtScheme5": "Κυβικό", + "DE.Views.Toolbar.txtScheme6": "Συνάθροιση", "DE.Views.Toolbar.txtScheme7": "Μετοχή", "DE.Views.Toolbar.txtScheme8": "Αιώρηση", + "DE.Views.Toolbar.txtScheme9": "Χυτήριο", "DE.Views.WatermarkSettingsDialog.textAuto": "Αυτόματα", "DE.Views.WatermarkSettingsDialog.textBold": "Έντονα", "DE.Views.WatermarkSettingsDialog.textColor": "Χρώμα κειμένου", "DE.Views.WatermarkSettingsDialog.textDiagonal": "Διαγώνιο", "DE.Views.WatermarkSettingsDialog.textFont": "Γραμματοσειρά", - "DE.Views.WatermarkSettingsDialog.textFromFile": "Από αρχείο", + "DE.Views.WatermarkSettingsDialog.textFromFile": "Από Αρχείο", "DE.Views.WatermarkSettingsDialog.textFromStorage": "Από Αποθηκευτικό Μέσο", - "DE.Views.WatermarkSettingsDialog.textFromUrl": "Από διεύθυνση", + "DE.Views.WatermarkSettingsDialog.textFromUrl": "Από διεύθυνση URL", "DE.Views.WatermarkSettingsDialog.textHor": "Οριζόντια", "DE.Views.WatermarkSettingsDialog.textImageW": "Υδατογραφία εικόνας", "DE.Views.WatermarkSettingsDialog.textItalic": "Πλάγια", "DE.Views.WatermarkSettingsDialog.textLanguage": "Γλώσσα", "DE.Views.WatermarkSettingsDialog.textLayout": "Διάταξη", - "DE.Views.WatermarkSettingsDialog.textNewColor": "Προσθήκη νέου προσαρμοσμένου χρώματος", + "DE.Views.WatermarkSettingsDialog.textNewColor": "Προσθήκη Νέου Προσαρμοσμένου Χρώματος", "DE.Views.WatermarkSettingsDialog.textNone": "Κανένα", "DE.Views.WatermarkSettingsDialog.textScale": "Κλίμακα", "DE.Views.WatermarkSettingsDialog.textSelect": "Επιλογή εικόνας", @@ -2566,6 +2615,6 @@ "DE.Views.WatermarkSettingsDialog.textTitle": "Ρυθμίσεις υδατόσημου", "DE.Views.WatermarkSettingsDialog.textTransparency": "Ημιδιαφανές", "DE.Views.WatermarkSettingsDialog.textUnderline": "Υπογράμμιση", - "DE.Views.WatermarkSettingsDialog.tipFontName": "Όνομα γραμματοσειράς", - "DE.Views.WatermarkSettingsDialog.tipFontSize": "Μέγεθος γραμματοσειράς" + "DE.Views.WatermarkSettingsDialog.tipFontName": "Όνομα Γραμματοσειράς", + "DE.Views.WatermarkSettingsDialog.tipFontSize": "Μέγεθος Γραμματοσειράς" } \ No newline at end of file diff --git a/apps/documenteditor/main/locale/en.json b/apps/documenteditor/main/locale/en.json index 975ad8547..39667bcf7 100644 --- a/apps/documenteditor/main/locale/en.json +++ b/apps/documenteditor/main/locale/en.json @@ -153,6 +153,7 @@ "Common.UI.Calendar.textShortTuesday": "Tu", "Common.UI.Calendar.textShortWednesday": "We", "Common.UI.Calendar.textYears": "Years", + "Common.UI.ColorButton.textAutoColor": "Automatic", "Common.UI.ColorButton.textNewColor": "Add New Custom Color", "Common.UI.ComboBorderSize.txtNoBorders": "No borders", "Common.UI.ComboBorderSizeEditable.txtNoBorders": "No borders", @@ -476,7 +477,7 @@ "DE.Controllers.Main.errorCoAuthoringDisconnect": "Server connection lost. The document cannot be edited right now.", "DE.Controllers.Main.errorComboSeries": "To create a combination chart, select at least two series of data.", "DE.Controllers.Main.errorCompare": "The Compare Documents feature is not available while co-editing. ", - "DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
When you click the 'OK' button, you will be prompted to download the document.

Find more information about connecting Document Server here", + "DE.Controllers.Main.errorConnectToServer": "The document could not be saved. Please check connection settings or contact your administrator.
When you click the 'OK' button, you will be prompted to download the document.", "DE.Controllers.Main.errorDatabaseConnection": "External error.
Database connection error. Please contact support in case the error persists.", "DE.Controllers.Main.errorDataEncrypted": "Encrypted changes have been received, they cannot be deciphered.", "DE.Controllers.Main.errorDataRange": "Incorrect data range.", @@ -556,7 +557,7 @@ "DE.Controllers.Main.textLongName": "Enter a name that is less than 128 characters.", "DE.Controllers.Main.textNoLicenseTitle": "License limit reached", "DE.Controllers.Main.textPaidFeature": "Paid feature", - "DE.Controllers.Main.textRemember": "Remember my choice", + "DE.Controllers.Main.textRemember": "Remember my choice for all files", "DE.Controllers.Main.textRenameError": "User name must not be empty.", "DE.Controllers.Main.textRenameLabel": "Enter a name to be used for collaboration", "DE.Controllers.Main.textShape": "Shape", @@ -824,6 +825,7 @@ "DE.Controllers.Main.warnNoLicense": "You've reached the limit for simultaneous connections to %1 editors. This document will be opened for viewing only.
Contact %1 sales team for personal upgrade terms.", "DE.Controllers.Main.warnNoLicenseUsers": "You've reached the user limit for %1 editors. Contact %1 sales team for personal upgrade terms.", "DE.Controllers.Main.warnProcessRightsChange": "You have been denied the right to edit the file.", + "DE.Controllers.Main.errorSubmit": "Submit failed.", "DE.Controllers.Navigation.txtBeginning": "Beginning of document", "DE.Controllers.Navigation.txtGotoBeginning": "Go to the beginning of the document", "DE.Controllers.Statusbar.textHasChanges": "New changes have been tracked", @@ -835,7 +837,7 @@ "DE.Controllers.Toolbar.textAccent": "Accents", "DE.Controllers.Toolbar.textBracket": "Brackets", "DE.Controllers.Toolbar.textEmptyImgUrl": "You need to specify image URL.", - "DE.Controllers.Toolbar.textFontSizeErr": "The entered value is incorrect.
Please enter a numeric value between 1 and 100", + "DE.Controllers.Toolbar.textFontSizeErr": "The entered value is incorrect.
Please enter a numeric value between 1 and 300", "DE.Controllers.Toolbar.textFraction": "Fractions", "DE.Controllers.Toolbar.textFunction": "Functions", "DE.Controllers.Toolbar.textInsert": "Insert", @@ -1698,6 +1700,9 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "Show Notification", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "Disable all macros with a notification", "DE.Views.FileMenuPanels.Settings.txtWin": "as Windows", + "DE.Views.FileMenuPanels.Settings.strTheme": "Theme", + "DE.Views.FileMenuPanels.Settings.txtThemeLight": "Light", + "DE.Views.FileMenuPanels.Settings.txtThemeDark": "Dark", "DE.Views.FormSettings.textCheckbox": "Checkbox", "DE.Views.FormSettings.textColor": "Border color", "DE.Views.FormSettings.textComb": "Comb of characters", @@ -1715,6 +1720,7 @@ "DE.Views.FormSettings.textKey": "Key", "DE.Views.FormSettings.textLock": "Lock", "DE.Views.FormSettings.textMaxChars": "Characters limit", + "DE.Views.FormSettings.textNoBorder": "No border", "DE.Views.FormSettings.textPlaceholder": "Placeholder", "DE.Views.FormSettings.textRadiobox": "Radio Button", "DE.Views.FormSettings.textSelectImage": "Select Image", @@ -1743,7 +1749,15 @@ "DE.Views.FormsTab.tipImageField": "Insert image", "DE.Views.FormsTab.tipRadioBox": "Insert radio button", "DE.Views.FormsTab.tipTextField": "Insert text field", - "DE.Views.FormsTab.tipViewForm": "Fill form mode", + "DE.Views.FormsTab.tipViewForm": "View form", + "DE.Views.FormsTab.textClear": "Clear Fields", + "DE.Views.FormsTab.capBtnPrev": "Previous Field", + "DE.Views.FormsTab.capBtnNext": "Next Field", + "DE.Views.FormsTab.capBtnSubmit": "Submit", + "DE.Views.FormsTab.tipPrevForm": "Go to the previous field", + "DE.Views.FormsTab.tipNextForm": "Go to the next field", + "DE.Views.FormsTab.tipSubmit": "Submit form", + "DE.Views.FormsTab.textSubmited": "Form submitted successfully", "DE.Views.HeaderFooterSettings.textBottomCenter": "Bottom center", "DE.Views.HeaderFooterSettings.textBottomLeft": "Bottom left", "DE.Views.HeaderFooterSettings.textBottomPage": "Bottom of Page", @@ -2063,6 +2077,10 @@ "DE.Views.PageSizeDialog.textTitle": "Page Size", "DE.Views.PageSizeDialog.textWidth": "Width", "DE.Views.PageSizeDialog.txtCustom": "Custom", + "DE.Views.ParagraphSettings.strIndent": "Indents", + "DE.Views.ParagraphSettings.strIndentsLeftText": "Left", + "DE.Views.ParagraphSettings.strIndentsRightText": "Right", + "DE.Views.ParagraphSettings.strIndentsSpecial": "Special", "DE.Views.ParagraphSettings.strLineHeight": "Line Spacing", "DE.Views.ParagraphSettings.strParagraphSpacing": "Paragraph Spacing", "DE.Views.ParagraphSettings.strSomeParagraphSpace": "Don't add interval between paragraphs of the same style", @@ -2074,6 +2092,9 @@ "DE.Views.ParagraphSettings.textAuto": "Multiple", "DE.Views.ParagraphSettings.textBackColor": "Background color", "DE.Views.ParagraphSettings.textExact": "Exactly", + "DE.Views.ParagraphSettings.textFirstLine": "First line", + "DE.Views.ParagraphSettings.textHanging": "Hanging", + "DE.Views.ParagraphSettings.textNoneSpecial": "(none)", "DE.Views.ParagraphSettings.txtAutoText": "Auto", "DE.Views.ParagraphSettingsAdvanced.noTabs": "The specified tabs will appear in this field", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "All caps", @@ -2463,6 +2484,7 @@ "DE.Views.Toolbar.capImgForward": "Bring Forward", "DE.Views.Toolbar.capImgGroup": "Group", "DE.Views.Toolbar.capImgWrapping": "Wrapping", + "DE.Views.Toolbar.mniCapitalizeWords": "Capitalize Each Word", "DE.Views.Toolbar.mniCustomTable": "Insert Custom Table", "DE.Views.Toolbar.mniDrawTable": "Draw Table", "DE.Views.Toolbar.mniEditControls": "Control Settings", @@ -2476,6 +2498,10 @@ "DE.Views.Toolbar.mniImageFromFile": "Image from File", "DE.Views.Toolbar.mniImageFromStorage": "Image from Storage", "DE.Views.Toolbar.mniImageFromUrl": "Image from URL", + "DE.Views.Toolbar.mniLowerCase": "lowercase", + "DE.Views.Toolbar.mniSentenceCase": "Sentence case.", + "DE.Views.Toolbar.mniToggleCase": "tOGGLE cASE", + "DE.Views.Toolbar.mniUpperCase": "UPPERCASE", "DE.Views.Toolbar.strMenuNoFill": "No Fill", "DE.Views.Toolbar.textAutoColor": "Automatic", "DE.Views.Toolbar.textBold": "Bold", @@ -2556,6 +2582,7 @@ "DE.Views.Toolbar.tipAlignRight": "Align right", "DE.Views.Toolbar.tipBack": "Back", "DE.Views.Toolbar.tipBlankPage": "Insert blank page", + "DE.Views.Toolbar.tipChangeCase:": "Change case", "DE.Views.Toolbar.tipChangeChart": "Change chart type", "DE.Views.Toolbar.tipClearStyle": "Clear style", "DE.Views.Toolbar.tipColorSchemas": "Change color scheme", diff --git a/apps/documenteditor/main/locale/es.json b/apps/documenteditor/main/locale/es.json index 389648808..39d2d5fe4 100644 --- a/apps/documenteditor/main/locale/es.json +++ b/apps/documenteditor/main/locale/es.json @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Acentos", "DE.Controllers.Toolbar.textBracket": "Paréntesis", "DE.Controllers.Toolbar.textEmptyImgUrl": "Hay que especificar URL de imagen", - "DE.Controllers.Toolbar.textFontSizeErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor numérico entre 1 y 100", + "DE.Controllers.Toolbar.textFontSizeErr": "El valor introducido es incorrecto.
Por favor, introduzca un valor numérico entre 1 y 300", "DE.Controllers.Toolbar.textFraction": "Fracciones", "DE.Controllers.Toolbar.textFunction": "Funciones", "DE.Controllers.Toolbar.textInsert": "Insertar", @@ -1671,6 +1671,7 @@ "DE.Views.FormSettings.textKey": "Clave", "DE.Views.FormSettings.textLock": "Bloquear", "DE.Views.FormSettings.textMaxChars": "Límite de caracteres", + "DE.Views.FormSettings.textNoBorder": "Sin bordes", "DE.Views.FormSettings.textPlaceholder": "Marcador de posición", "DE.Views.FormSettings.textRadiobox": "Botón de opción", "DE.Views.FormSettings.textSelectImage": "Seleccionar Imagen", diff --git a/apps/documenteditor/main/locale/fi.json b/apps/documenteditor/main/locale/fi.json index fef47a152..2f4584d95 100644 --- a/apps/documenteditor/main/locale/fi.json +++ b/apps/documenteditor/main/locale/fi.json @@ -437,7 +437,7 @@ "DE.Controllers.Toolbar.textAccent": "Aksentit", "DE.Controllers.Toolbar.textBracket": "Hakasulkeet", "DE.Controllers.Toolbar.textEmptyImgUrl": "Sinun tulee määritellä kuvan verkko-osoite", - "DE.Controllers.Toolbar.textFontSizeErr": "Syötetty arvo ei ole oikein. Ole hyvä ja syötä numeerinen arvo välillä 1 ja 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Syötetty arvo ei ole oikein. Ole hyvä ja syötä numeerinen arvo välillä 1 ja 300", "DE.Controllers.Toolbar.textFraction": "Murtoluvut", "DE.Controllers.Toolbar.textFunction": "Funktiot", "DE.Controllers.Toolbar.textIntegral": "Integraalit", diff --git a/apps/documenteditor/main/locale/fr.json b/apps/documenteditor/main/locale/fr.json index 013b6d8aa..74b2af55a 100644 --- a/apps/documenteditor/main/locale/fr.json +++ b/apps/documenteditor/main/locale/fr.json @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Types d'accentuation", "DE.Controllers.Toolbar.textBracket": "Crochets", "DE.Controllers.Toolbar.textEmptyImgUrl": "Specifiez URL d'image", - "DE.Controllers.Toolbar.textFontSizeErr": "La valeur entrée est incorrecte.
Entrez une valeur numérique entre 1 et 100", + "DE.Controllers.Toolbar.textFontSizeErr": "La valeur entrée est incorrecte.
Entrez une valeur numérique entre 1 et 300", "DE.Controllers.Toolbar.textFraction": "Fractions", "DE.Controllers.Toolbar.textFunction": "Fonctions", "DE.Controllers.Toolbar.textInsert": "Insérer", @@ -1671,6 +1671,7 @@ "DE.Views.FormSettings.textKey": "Clé", "DE.Views.FormSettings.textLock": "Verrou ", "DE.Views.FormSettings.textMaxChars": "Limite de caractères", + "DE.Views.FormSettings.textNoBorder": "Sans bordures", "DE.Views.FormSettings.textPlaceholder": "Espace réservé", "DE.Views.FormSettings.textRadiobox": "Bouton radio", "DE.Views.FormSettings.textSelectImage": "Sélectionner une image", diff --git a/apps/documenteditor/main/locale/hu.json b/apps/documenteditor/main/locale/hu.json index a9bc05013..c74f6334a 100644 --- a/apps/documenteditor/main/locale/hu.json +++ b/apps/documenteditor/main/locale/hu.json @@ -788,7 +788,7 @@ "DE.Controllers.Toolbar.textAccent": "Accents", "DE.Controllers.Toolbar.textBracket": "Zárójelben", "DE.Controllers.Toolbar.textEmptyImgUrl": "Meg kell adni a kép URL linkjét.", - "DE.Controllers.Toolbar.textFontSizeErr": "A megadott érték helytelen.
Kérjük, adjon meg egy számértéket 1 és 100 között", + "DE.Controllers.Toolbar.textFontSizeErr": "A megadott érték helytelen.
Kérjük, adjon meg egy számértéket 1 és 300 között", "DE.Controllers.Toolbar.textFraction": "Törtek", "DE.Controllers.Toolbar.textFunction": "Függévenyek", "DE.Controllers.Toolbar.textInsert": "Beszúrás", diff --git a/apps/documenteditor/main/locale/id.json b/apps/documenteditor/main/locale/id.json index df812d8ba..637fefdaa 100644 --- a/apps/documenteditor/main/locale/id.json +++ b/apps/documenteditor/main/locale/id.json @@ -256,7 +256,7 @@ "DE.Controllers.Toolbar.textAccent": "Aksen", "DE.Controllers.Toolbar.textBracket": "Tanda Kurung", "DE.Controllers.Toolbar.textEmptyImgUrl": "Anda harus menentukan URL gambar.", - "DE.Controllers.Toolbar.textFontSizeErr": "Input yang dimasukkan salah.
Silakan masukkan input numerik antara 1 dan 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Input yang dimasukkan salah.
Silakan masukkan input numerik antara 1 dan 300", "DE.Controllers.Toolbar.textFraction": "Pecahan", "DE.Controllers.Toolbar.textFunction": "Fungsi", "DE.Controllers.Toolbar.textIntegral": "Integral", diff --git a/apps/documenteditor/main/locale/it.json b/apps/documenteditor/main/locale/it.json index 60298ecef..81b6ee64c 100644 --- a/apps/documenteditor/main/locale/it.json +++ b/apps/documenteditor/main/locale/it.json @@ -778,7 +778,7 @@ "DE.Controllers.Toolbar.textAccent": "Accenti", "DE.Controllers.Toolbar.textBracket": "Parentesi", "DE.Controllers.Toolbar.textEmptyImgUrl": "Specifica URL immagine.", - "DE.Controllers.Toolbar.textFontSizeErr": "Il valore inserito non è corretto.
Inserisci un valore numerico compreso tra 1 e 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Il valore inserito non è corretto.
Inserisci un valore numerico compreso tra 1 e 300", "DE.Controllers.Toolbar.textFraction": "Frazioni", "DE.Controllers.Toolbar.textFunction": "Funzioni", "DE.Controllers.Toolbar.textInsert": "Inserisci", diff --git a/apps/documenteditor/main/locale/ja.json b/apps/documenteditor/main/locale/ja.json index ab800a023..af8dcf1e6 100644 --- a/apps/documenteditor/main/locale/ja.json +++ b/apps/documenteditor/main/locale/ja.json @@ -788,7 +788,7 @@ "DE.Controllers.Toolbar.textAccent": "アクセントカラー", "DE.Controllers.Toolbar.textBracket": "かっこ", "DE.Controllers.Toolbar.textEmptyImgUrl": "画像のURLを指定しなければなりません。", - "DE.Controllers.Toolbar.textFontSizeErr": "入力された値が正しくありません。
1〜100の数値を入力してください。", + "DE.Controllers.Toolbar.textFontSizeErr": "入力された値が正しくありません。
1〜300の数値を入力してください。", "DE.Controllers.Toolbar.textFraction": "分数", "DE.Controllers.Toolbar.textFunction": "関数", "DE.Controllers.Toolbar.textInsert": "挿入する", diff --git a/apps/documenteditor/main/locale/ko.json b/apps/documenteditor/main/locale/ko.json index 94d3d2020..b26689504 100644 --- a/apps/documenteditor/main/locale/ko.json +++ b/apps/documenteditor/main/locale/ko.json @@ -20,7 +20,7 @@ "Common.Controllers.ReviewChanges.textChart": "차트", "Common.Controllers.ReviewChanges.textColor": "글꼴 색", "Common.Controllers.ReviewChanges.textContextual": "같은 스타일의 단락 사이에 간격을 추가하지 마십시오.", - "Common.Controllers.ReviewChanges.textDeleted": " 삭제됨 : ", + "Common.Controllers.ReviewChanges.textDeleted": " 삭제됨 : ", "Common.Controllers.ReviewChanges.textDStrikeout": "Double strikeout", "Common.Controllers.ReviewChanges.textEquation": "수식", "Common.Controllers.ReviewChanges.textExact": "정확히", @@ -31,7 +31,7 @@ "Common.Controllers.ReviewChanges.textImage": "이미지", "Common.Controllers.ReviewChanges.textIndentLeft": "들여 쓰기 왼쪽", "Common.Controllers.ReviewChanges.textIndentRight": "들여 쓰기", - "Common.Controllers.ReviewChanges.textInserted": " 삽입 됨 : ", + "Common.Controllers.ReviewChanges.textInserted": " 삽입 됨 : ", "Common.Controllers.ReviewChanges.textItalic": "Italic", "Common.Controllers.ReviewChanges.textJustify": "정렬 정렬", "Common.Controllers.ReviewChanges.textKeepLines": "줄을 함께 유지", @@ -434,7 +434,7 @@ "DE.Controllers.Toolbar.textAccent": "Accents", "DE.Controllers.Toolbar.textBracket": "대괄호", "DE.Controllers.Toolbar.textEmptyImgUrl": "이미지 URL을 지정해야합니다.", - "DE.Controllers.Toolbar.textFontSizeErr": "입력 한 값이 잘못되었습니다.
1 ~ 100 사이의 숫자 값을 입력하십시오.", + "DE.Controllers.Toolbar.textFontSizeErr": "입력 한 값이 잘못되었습니다.
1 ~ 300 사이의 숫자 값을 입력하십시오.", "DE.Controllers.Toolbar.textFraction": "Fractions", "DE.Controllers.Toolbar.textFunction": "Functions", "DE.Controllers.Toolbar.textIntegral": "Integrals", diff --git a/apps/documenteditor/main/locale/lo.json b/apps/documenteditor/main/locale/lo.json index 8f820f233..73d9af3c8 100644 --- a/apps/documenteditor/main/locale/lo.json +++ b/apps/documenteditor/main/locale/lo.json @@ -3,11 +3,11 @@ "Common.Controllers.Chat.textEnterMessage": "ໃສ່ຂໍ້ຄວາມຂອງທ່ານທີ່ນີ້", "Common.Controllers.ExternalDiagramEditor.textAnonymous": "ບໍ່ລະບຸຊື່", "Common.Controllers.ExternalDiagramEditor.textClose": "ປິດ", - "Common.Controllers.ExternalDiagramEditor.warningText": "\nປິດຈຸດປະສົງເນື່ອງຈາກຖືກແກ້ໄຂໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", + "Common.Controllers.ExternalDiagramEditor.warningText": "ປິດຈຸດປະສົງເນື່ອງຈາກຖືກແກ້ໄຂໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", "Common.Controllers.ExternalDiagramEditor.warningTitle": "ແຈ້ງເຕືອນ", "Common.Controllers.ExternalMergeEditor.textAnonymous": "ບໍ່ລະບຸຊື່", "Common.Controllers.ExternalMergeEditor.textClose": " ປິດ", - "Common.Controllers.ExternalMergeEditor.warningText": "\nປິດຈຸດປະສົງເນື່ອງຈາກຖືກແກ້ໄຂໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", + "Common.Controllers.ExternalMergeEditor.warningText": "ປິດຈຸດປະສົງເນື່ອງຈາກຖືກແກ້ໄຂໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", "Common.Controllers.ExternalMergeEditor.warningTitle": "ແຈ້ງເຕືອນ", "Common.Controllers.History.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "Common.Controllers.ReviewChanges.textAcceptBeforeCompare": "ຄຳສັ່ງໃນການປຽບທຽບ", @@ -66,9 +66,9 @@ "Common.Controllers.ReviewChanges.textStrikeout": "ຂີດທັບ", "Common.Controllers.ReviewChanges.textSubScript": "ຕົວຫ້ອຍ", "Common.Controllers.ReviewChanges.textSuperScript": "ຕົວຍົກ", - "Common.Controllers.ReviewChanges.textTableChanged": "ການຕັ້ງຄ່າຕາຕະລາງ", + "Common.Controllers.ReviewChanges.textTableChanged": "ການຕັ້ງຄ່າຕາຕະລາງ", "Common.Controllers.ReviewChanges.textTableRowsAdd": "ເພີ່ມແຖວຕາຕະລາງ", - "Common.Controllers.ReviewChanges.textTableRowsDel": "ແຖວຕາຕະລາງ", + "Common.Controllers.ReviewChanges.textTableRowsDel": "ແຖວຕາຕະລາງ", "Common.Controllers.ReviewChanges.textTabs": "ປ່ຽນຂັ້ນ", "Common.Controllers.ReviewChanges.textTitleComparison": "ປຽບທຽບການຕັ້ງຄ່າ", "Common.Controllers.ReviewChanges.textUnderline": "ຂີ້ດກ້ອງ", @@ -128,15 +128,15 @@ "Common.UI.ExtendedColorDialog.textCurrent": "ປະຈຸບັນ", "Common.UI.ExtendedColorDialog.textHexErr": "ຄ່າທີ່ປ້ອນເຂົ້າແມ່ນບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ມູນຄ່າລະຫວ່າງ 000000 ແລະ FFFFFF.", "Common.UI.ExtendedColorDialog.textNew": "ໃຫມ່", - "Common.UI.ExtendedColorDialog.textRGBErr": "\nຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 0 ເຖິງ 255.", + "Common.UI.ExtendedColorDialog.textRGBErr": "ຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 0 ເຖິງ 255.", "Common.UI.HSBColorPicker.textNoColor": "ບໍ່ມີສີ", "Common.UI.SearchDialog.textHighlight": "ໄຮໄລ້ ຜົນ", "Common.UI.SearchDialog.textMatchCase": "ກໍລະນີທີ່ສຳຄັນ", - "Common.UI.SearchDialog.textReplaceDef": "\nກະລຸນາໃສ່ຕົວ ໜັງ ສືທົດແທນເນື້ອຫາ", + "Common.UI.SearchDialog.textReplaceDef": "ກະລຸນາໃສ່ຕົວ ໜັງ ສືທົດແທນເນື້ອຫາ", "Common.UI.SearchDialog.textSearchStart": "ໃສ່ເນື້ອຫາຂອງທ່ານທີນີ້", "Common.UI.SearchDialog.textTitle": "ຄົ້ນຫາແລະປ່ຽນແທນ", "Common.UI.SearchDialog.textTitle2": "ຄົ້ນຫາ", - "Common.UI.SearchDialog.textWholeWords": "\nຄຳ ເວົ້າທັງ ໝົດ ເທົ່ານັ້ນ", + "Common.UI.SearchDialog.textWholeWords": "ຄຳ ເວົ້າທັງ ໝົດ ເທົ່ານັ້ນ", "Common.UI.SearchDialog.txtBtnHideReplace": "ເຊື່ອງສະຖານທີ່", "Common.UI.SearchDialog.txtBtnReplace": "ປ່ຽນແທນ", "Common.UI.SearchDialog.txtBtnReplaceAll": "ປ່ຽນແທນທັງໝົດ", @@ -178,15 +178,15 @@ "Common.Views.AutoCorrectDialog.textReplace": "ປ່ຽນແທນ:", "Common.Views.AutoCorrectDialog.textReplaceText": "ປ່ຽນແທນໃນຂະນະທີ່ທ່ານພິມ", "Common.Views.AutoCorrectDialog.textReplaceType": "ປ່ຽນຫົວຂໍ້ ໃນຂະນະທີ່ທ່ານພິມ", - "Common.Views.AutoCorrectDialog.textReset": "\nປັບໃໝ່", - "Common.Views.AutoCorrectDialog.textResetAll": "\nປັບເປັນຄ່າເລີ່ມຕົ້ນ", + "Common.Views.AutoCorrectDialog.textReset": "ປັບໃໝ່", + "Common.Views.AutoCorrectDialog.textResetAll": "ປັບເປັນຄ່າເລີ່ມຕົ້ນ", "Common.Views.AutoCorrectDialog.textRestore": "ກູ້ຄືນ", "Common.Views.AutoCorrectDialog.textTitle": "ແກ້ໄຂໂອໂຕ້", "Common.Views.AutoCorrectDialog.textWarnAddRec": "ຟັງຊັ້ນທີ່ຮູ້ຈັກຕອ້ງມີແຕ່ຕົວອັກສອນ A ຖິງ Z, ຕົວອັກສອນໃຫຍ່ຫລືໂຕນ້ອຍ.", "Common.Views.AutoCorrectDialog.textWarnResetRec": "ທຸກຄຳເວົ້າທີ່ທ່ານເພີ່ມຈະຖືກລຶບອອກ ແລະ ຄຳທີ່ຖືກລຶບອອກຈະຖືກນຳກັບມາໃຊ້. ທ່ານຕ້ອງການດຳເນີນການຕໍ່ບໍ?", "Common.Views.AutoCorrectDialog.warnReplace": "ການປ້ອນຂໍ້ມູນທີ່ຖືກຕ້ອງ ສຳ ລັບ% 1 ມີຢູ່ແລ້ວ. ທ່ານຕ້ອງການປ່ຽນແທນບໍ?", "Common.Views.AutoCorrectDialog.warnReset": "ທຸກໆການແກ້ໄຂອັດຕະໂນມັດທີ່ທ່ານເພີ່ມຈະຖືກລຶບອອກແລະສິ່ງທີ່ຖືກປ່ຽນແປງຈະຖືກນຳກັບມາໃຊ້ແບບເດີມ. ທ່ານຕ້ອງການດຳເນີນການຕໍ່ບໍ?", - "Common.Views.AutoCorrectDialog.warnRestore": "\nການປ້ອນຂໍ້ມູນທີ່ຖືກຕ້ອງ ສຳ ລັບ% 1 ຈະຖືກຕັ້ງຄ່າໃຫ້ກັບຄ່າເດີມ. ທ່ານຕ້ອງການ ດຳ ເນີນການຕໍ່ບໍ?", + "Common.Views.AutoCorrectDialog.warnRestore": "ການປ້ອນຂໍ້ມູນທີ່ຖືກຕ້ອງ ສຳ ລັບ% 1 ຈະຖືກຕັ້ງຄ່າໃຫ້ກັບຄ່າເດີມ. ທ່ານຕ້ອງການ ດຳ ເນີນການຕໍ່ບໍ?", "Common.Views.Chat.textSend": "ສົ່ງ", "Common.Views.Comments.textAdd": "ເພີ່ມ", "Common.Views.Comments.textAddComment": "ເພີ່ມຄຳເຫັນ", @@ -212,10 +212,10 @@ "Common.Views.DocumentAccessDialog.textLoading": "ກໍາລັງດາວໂຫຼດ...", "Common.Views.DocumentAccessDialog.textTitle": "ຕັ້ງຄ່າການແບ່ງປັນ", "Common.Views.ExternalDiagramEditor.textClose": "ປິດ", - "Common.Views.ExternalDiagramEditor.textSave": "\nບັນທຶກ ແລະ ອອກ", + "Common.Views.ExternalDiagramEditor.textSave": "ບັນທຶກ ແລະ ອອກ", "Common.Views.ExternalDiagramEditor.textTitle": "ການແກ້ໄຂແຜນຜັງ", "Common.Views.ExternalMergeEditor.textClose": "ປິດ", - "Common.Views.ExternalMergeEditor.textSave": "\nບັນທຶກ ແລະ ອອກ", + "Common.Views.ExternalMergeEditor.textSave": "ບັນທຶກ ແລະ ອອກ", "Common.Views.ExternalMergeEditor.textTitle": "ຜູ້ຮັບຈົດ ໝາຍ ອີເມລ໌", "Common.Views.Header.labelCoUsersDescr": "ຜູ້ໃຊ້ທີ່ກໍາລັງແກ້ໄຂເອກະສານ", "Common.Views.Header.textAdvSettings": "ຕັ້ງ​ຄ່າ​ຂັ້ນ​ສູງ", @@ -230,8 +230,8 @@ "Common.Views.Header.tipPrint": "ພິມເອກະສານ", "Common.Views.Header.tipRedo": "ເຮັດຊ້ຳ", "Common.Views.Header.tipSave": "ບັນທຶກ", - "Common.Views.Header.tipUndo": "\nຍົກເລີກ", - "Common.Views.Header.tipViewSettings": "\nເບິ່ງການຕັ້ງຄ່າ", + "Common.Views.Header.tipUndo": "ຍົກເລີກ", + "Common.Views.Header.tipViewSettings": "ເບິ່ງການຕັ້ງຄ່າ", "Common.Views.Header.tipViewUsers": "ເບິ່ງຜູ້ໃຊ້ແລະຈັດການສິດເຂົ້າເຖິງເອກະສານ", "Common.Views.Header.txtAccessRights": "ປ່ຽນສິດການເຂົ້າເຖິງ", "Common.Views.Header.txtRename": "ປ່ຽນຊື່", @@ -243,8 +243,8 @@ "Common.Views.History.textShowAll": "ສະແດງການປ່ຽນແປງໂດຍລະອຽດ", "Common.Views.History.textVer": "ver.", "Common.Views.ImageFromUrlDialog.textUrl": "ວາງ URL ຂອງຮູບພາບ:", - "Common.Views.ImageFromUrlDialog.txtEmpty": "\nຕ້ອງມີດ້ານນີ້", - "Common.Views.ImageFromUrlDialog.txtNotUrl": "\nຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນ \"http://www.example.com\"", + "Common.Views.ImageFromUrlDialog.txtEmpty": "ຕ້ອງມີດ້ານນີ້", + "Common.Views.ImageFromUrlDialog.txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນ \"http://www.example.com\"", "Common.Views.InsertTableDialog.textInvalidRowsCols": "ທ່ານ ຈຳ ເປັນຕ້ອງ ກຳ ນົດແຖວແລະຖັນນັບທີ່ຖືກຕ້ອງ.", "Common.Views.InsertTableDialog.txtColumns": "ຈຳນວນຖັນ", "Common.Views.InsertTableDialog.txtMaxText": "ຄ່າສູງສຸດ ສຳ ລັບເຂດນີ້ແມ່ນ {0}", @@ -252,19 +252,19 @@ "Common.Views.InsertTableDialog.txtRows": "ຈໍານວນແຖວ", "Common.Views.InsertTableDialog.txtTitle": "ຂະໜາດຕາຕະລາງ", "Common.Views.InsertTableDialog.txtTitleSplit": "ແຍກແຊວ ", - "Common.Views.LanguageDialog.labelSelect": "\nເລືອກພາສາເອກະສານ", + "Common.Views.LanguageDialog.labelSelect": "ເລືອກພາສາເອກະສານ", "Common.Views.OpenDialog.closeButtonText": "ປິດຟາຍ", "Common.Views.OpenDialog.txtEncoding": "ການເຂົ້າລະຫັດ", "Common.Views.OpenDialog.txtIncorrectPwd": "ລະຫັດບໍ່ຖືກຕ້ອງ", "Common.Views.OpenDialog.txtPassword": "ລະຫັດ", - "Common.Views.OpenDialog.txtPreview": "\nເບິ່ງຕົວຢ່າງ", - "Common.Views.OpenDialog.txtProtected": "\nເມື່ອທ່ານໃສ່ລະຫັດຜ່ານເປີດເອກະສານ, ລະຫັດຜ່ານໃນປະຈຸບັນຈະຖືກຕັ້ງຄ່າ ໃໝ່.", + "Common.Views.OpenDialog.txtPreview": "ເບິ່ງຕົວຢ່າງ", + "Common.Views.OpenDialog.txtProtected": "ເມື່ອທ່ານໃສ່ລະຫັດຜ່ານເປີດເອກະສານ, ລະຫັດຜ່ານໃນປະຈຸບັນຈະຖືກຕັ້ງຄ່າ ໃໝ່.", "Common.Views.OpenDialog.txtTitle": "ເລືອກ %1 ຕົວເລືອກ", "Common.Views.OpenDialog.txtTitleProtected": "ຟາຍທີ່ໄດ້ຮັບການປົກປ້ອງ", "Common.Views.PasswordDialog.txtDescription": "ຕັ້ງລະຫັດຜ່ານເພື່ອປົກປ້ອງເອກະສານນີ້", "Common.Views.PasswordDialog.txtIncorrectPwd": "ການຢັ້ງຢືນລະຫັດຜ່ານແມ່ນ", "Common.Views.PasswordDialog.txtPassword": "ລະຫັດ", - "Common.Views.PasswordDialog.txtRepeat": "\nໃສ່ລະຫັດຜ່ານຄືນໃໝ່", + "Common.Views.PasswordDialog.txtRepeat": "ໃສ່ລະຫັດຜ່ານຄືນໃໝ່", "Common.Views.PasswordDialog.txtTitle": "ຕັ້ງລະຫັດຜ່ານ", "Common.Views.PluginDlg.textLoading": "ກຳລັງໂຫລດ", "Common.Views.Plugins.groupCaption": "ຮູປັກສຽບ", @@ -292,7 +292,7 @@ "Common.Views.ReviewChanges.mniSettings": "ປຽບທຽບການຕັ້ງຄ່າ", "Common.Views.ReviewChanges.strFast": "ໄວ", "Common.Views.ReviewChanges.strFastDesc": "ການແກ້ໄຂຮ່ວມກັນໃນເວລາຈິງ. ການປ່ຽນແປງທັງ ໝົດ ຖືກບັນທຶກໂດຍອັດຕະໂນມັດ", - "Common.Views.ReviewChanges.strStrict": "\nເຂັ້ມງວດ, ໂຕເຂັ້ມ", + "Common.Views.ReviewChanges.strStrict": "ເຂັ້ມງວດ, ໂຕເຂັ້ມ", "Common.Views.ReviewChanges.strStrictDesc": "ໃຊ້ປຸ່ມ 'ບັນທຶກ' ເພື່ອຊິງການປ່ຽນແປງທີ່ທ່ານ ແລະ ຄົນອື່ນໆ", "Common.Views.ReviewChanges.tipAcceptCurrent": "ຍອມຮັບການປ່ຽນແປງໃນປະຈຸບັນ", "Common.Views.ReviewChanges.tipCoAuthMode": "ຕັ້ງຮູບແບບການແກ້ໄຂຮ່ວມກັນ", @@ -316,7 +316,7 @@ "Common.Views.ReviewChanges.txtCommentRemAll": "ລຶບຄວາມຄິດເຫັນທັງໝົດ", "Common.Views.ReviewChanges.txtCommentRemCurrent": "ລຶບຄວາມຄິດເຫັນປະຈຸບັນ", "Common.Views.ReviewChanges.txtCommentRemMy": "ລຶບຄວາມຄິດເຫັນຂອງຂ້ອຍ", - "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "\nເອົາ ຄຳ ເຫັນປະຈຸບັນຂອງຂ້ອຍອອກ", + "Common.Views.ReviewChanges.txtCommentRemMyCurrent": "ເອົາ ຄຳ ເຫັນປະຈຸບັນຂອງຂ້ອຍອອກ", "Common.Views.ReviewChanges.txtCommentRemove": "ລຶບ", "Common.Views.ReviewChanges.txtCompare": "ການປຽບທຽບ", "Common.Views.ReviewChanges.txtDocLang": "ພາສາ", @@ -366,10 +366,10 @@ "Common.Views.SignDialog.textChange": "ການປ່ຽນແປງ", "Common.Views.SignDialog.textInputName": "ໃສ່ຊື່ຜູ້ລົງລາຍເຊັນ", "Common.Views.SignDialog.textItalic": "ໂຕໜັງສືອຽງ", - "Common.Views.SignDialog.textPurpose": "\nຈຸດປະສົງໃນການເຊັນເອກະສານສະບັບນີ້", + "Common.Views.SignDialog.textPurpose": "ຈຸດປະສົງໃນການເຊັນເອກະສານສະບັບນີ້", "Common.Views.SignDialog.textSelect": "ເລືອກ", "Common.Views.SignDialog.textSelectImage": "ເລືອກຮູບພາບ", - "Common.Views.SignDialog.textSignature": "\nລາຍເຊັນມີລັກສະນະຄື", + "Common.Views.SignDialog.textSignature": "ລາຍເຊັນມີລັກສະນະຄື", "Common.Views.SignDialog.textTitle": "ເຊັນເອກະສານ", "Common.Views.SignDialog.textUseImage": "ຫຼືກົດປຸ່ມ 'ເລືອກຮູບ' ເພື່ອໃຊ້ຮູບເປັນລາຍເຊັນ", "Common.Views.SignDialog.textValid": "ຖືກຕ້ອງຈາກ% 1 ເຖິງ% 2", @@ -380,10 +380,10 @@ "Common.Views.SignSettingsDialog.textInfoEmail": "ອິເມວ", "Common.Views.SignSettingsDialog.textInfoName": "ຊື່", "Common.Views.SignSettingsDialog.textInfoTitle": "ຊື່ຜູ້ລົງທະບຽນ", - "Common.Views.SignSettingsDialog.textInstructions": "\nຄຳ ແນະ ນຳຜູ້ລົງລາຍເຊັນ", - "Common.Views.SignSettingsDialog.textShowDate": "\nສະແດງວັນທີລົງລາຍເຊັນຢູ່ໃນລາຍເຊັນ", + "Common.Views.SignSettingsDialog.textInstructions": "ຄຳ ແນະ ນຳຜູ້ລົງລາຍເຊັນ", + "Common.Views.SignSettingsDialog.textShowDate": "ສະແດງວັນທີລົງລາຍເຊັນຢູ່ໃນລາຍເຊັນ", "Common.Views.SignSettingsDialog.textTitle": "ການຕັ້ງຄ່າລາຍເຊັນ", - "Common.Views.SignSettingsDialog.txtEmpty": "\nຕ້ອງມີດ້ານນີ້", + "Common.Views.SignSettingsDialog.txtEmpty": "ຕ້ອງມີດ້ານນີ້", "Common.Views.SymbolTableDialog.textCharacter": "ລັກສະນະ", "Common.Views.SymbolTableDialog.textCode": "ຄ່າ Unicode HEX", "Common.Views.SymbolTableDialog.textCopyright": "ລິຂະສິດ", @@ -416,13 +416,13 @@ "DE.Controllers.LeftMenu.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "DE.Controllers.LeftMenu.requestEditRightsText": "ຂໍສິດໃນການແກ້ໄຂ", "DE.Controllers.LeftMenu.textLoadHistory": "ກຳລັງໂຫລດປະຫວັດ", - "DE.Controllers.LeftMenu.textNoTextFound": "\nຂໍ້ມູນທີ່ທ່ານ ກຳ ລັງຄົ້ນຫາບໍ່ສາມາດຊອກຫາໄດ້. ກະລຸນາປັບຕົວເລືອກການຊອກຫາຂອງທ່ານ.", - "DE.Controllers.LeftMenu.textReplaceSkipped": "\nການທົດແທນໄດ້ຖືກປະຕິບັດແລ້ວ. {0} ຖືກຂ້າມເຫດການທີ່ເກີດຂື້ນໄດ້", - "DE.Controllers.LeftMenu.textReplaceSuccess": "\nການຄົ້ນຫາໄດ້ສຳເລັດແລ້ວ. ສິ່ງທີ່ເກີດຂື້ນໄດ້ປ່ຽນແທນແລ້ວ: {0}", + "DE.Controllers.LeftMenu.textNoTextFound": "ຂໍ້ມູນທີ່ທ່ານ ກຳ ລັງຄົ້ນຫາບໍ່ສາມາດຊອກຫາໄດ້. ກະລຸນາປັບຕົວເລືອກການຊອກຫາຂອງທ່ານ.", + "DE.Controllers.LeftMenu.textReplaceSkipped": "ການທົດແທນໄດ້ຖືກປະຕິບັດແລ້ວ. {0} ຖືກຂ້າມເຫດການທີ່ເກີດຂື້ນໄດ້", + "DE.Controllers.LeftMenu.textReplaceSuccess": "ການຄົ້ນຫາໄດ້ສຳເລັດແລ້ວ. ສິ່ງທີ່ເກີດຂື້ນໄດ້ປ່ຽນແທນແລ້ວ: {0}", "DE.Controllers.LeftMenu.txtCompatible": "ເອກະສານຈະຖືກບັນທຶກເປັນຮູບແບບ ໃໝ່. ມັນຈະອະນຸຍາດໃຫ້ ນຳ ໃຊ້ທຸກລັກສະນະຂອງບັນນາທິການ, ແຕ່ອາດຈະສົ່ງຜົນກະທົບຕໍ່ການຈັດວາງເອກະສານ.
ໃຊ້ຕົວເລືອກ 'ຄວາມເຂົ້າກັນໄດ້' ຂອງການຕັ້ງຄ່າຂັ້ນສູງຖ້າທ່ານຕ້ອງການທີ່ຈະເຮັດໃຫ້ແຟ້ມຂໍ້ມູນເຂົ້າກັນໄດ້ກັບລຸ້ນ MS Word ເກົ່າ.", "DE.Controllers.LeftMenu.txtUntitled": "ບໍ່ມີຫົວຂໍ້", "DE.Controllers.LeftMenu.warnDownloadAs": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ທຸກລັກສະນະ ຍົກເວັ້ນຂໍ້ຄວາມຈະຫາຍໄປ.
ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດໍາເນີນຕໍ່?", - "DE.Controllers.LeftMenu.warnDownloadAsRTF": "\nຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ ບາງຮູບແບບອາດຈະຫາຍໄປ.
ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດຳເນີນການຕໍ່?", + "DE.Controllers.LeftMenu.warnDownloadAsRTF": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ ບາງຮູບແບບອາດຈະຫາຍໄປ.
ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດຳເນີນການຕໍ່?", "DE.Controllers.Main.applyChangesTextText": "ກຳລັງໂຫລດການປ່ຽນແປງ", "DE.Controllers.Main.applyChangesTitleText": "ກຳລັງໂຫລດການປ່ຽນແປງ", "DE.Controllers.Main.convertationTimeoutText": "ໝົດເວລາການປ່ຽນແປງ.", @@ -437,9 +437,9 @@ "DE.Controllers.Main.errorBadImageUrl": "URL ຮູບພາບບໍ່ຖືກຕ້ອງ", "DE.Controllers.Main.errorCoAuthoringDisconnect": "ຂາດການເຊື່ອມຕໍ່ເສີບເວີ, ເອກະສານບໍ່ສາມາດແກ້ໄຂໄດ້ໃນປັດຈຸບັນ", "DE.Controllers.Main.errorCompare": "ຄຸນນະສົມບັດຂອງເອກະສານປຽບທຽບບໍ່ສາມາດໃຊ້ໄດ້ໃນຂະນະທີ່ຮ່ວມກັນແກ້ໄຂ.", - "DE.Controllers.Main.errorConnectToServer": "ເອກະສານບໍ່ສາມາດບັນທຶກໄດ້. ກະລຸນາກວດສອບການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຫລືຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.
ເມື່ອທ່ານກົດປຸ່ມ 'OK', ທ່ານຈະໄດ້ຮັບການກະຕຸ້ນເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.


ຊອກຫາຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການເຊື່ອມຕໍ່ເອກະສານ Server ບ່ອນນີ້ ", + "DE.Controllers.Main.errorConnectToServer": "ເອກະສານບໍ່ສາມາດບັນທຶກໄດ້. ກະລຸນາກວດສອບການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຫລືຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.
ເມື່ອທ່ານກົດປຸ່ມ 'OK', ທ່ານຈະໄດ້ຮັບການກະຕຸ້ນເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", "DE.Controllers.Main.errorDatabaseConnection": "ຜິດພາດພາຍນອກ,ການຄິດຕໍ່ຖານຂໍ້ມູນຜິດພາດ, ກະລຸນາຕິດຕໍ່ການສະ ໜັບ ສະ ໜູນ ໃນກໍລະນີຄວາມຜິດພາດຍັງຄົງຢູ່.", - "DE.Controllers.Main.errorDataEncrypted": "\nໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "DE.Controllers.Main.errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", "DE.Controllers.Main.errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", "DE.Controllers.Main.errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", "DE.Controllers.Main.errorDirectUrl": "ກະລຸນາກວດສອບເອກະສານທີ່ຢູ່ໃນເອກະສານ.
ລິ້ງນີ້ຕ້ອງແມ່ນລິ້ງເຊື່ອມຕໍ່ໂດຍກົງກັບເອກະສານເພື່ອດາວໂຫລດ.", @@ -485,7 +485,7 @@ "DE.Controllers.Main.openTitleText": "ກໍາລັງເປີດເອກະສານ", "DE.Controllers.Main.printTextText": "ກໍາລັງພີມເອກະສານ...", "DE.Controllers.Main.printTitleText": "ກໍາລັງພີມເອກະສານ", - "DE.Controllers.Main.reloadButtonText": "\nໂຫລດໜ້າເວັບໃໝ່", + "DE.Controllers.Main.reloadButtonText": "ໂຫລດໜ້າເວັບໃໝ່", "DE.Controllers.Main.requestEditFailedMessageText": "ມີບາງຄົນ ກຳ ລັງດັດແກ້ເອກະສານນີ້ດຽວນີ້. ກະລຸນາລອງ ໃໝ່ ໃນພາຍຫຼັງ.", "DE.Controllers.Main.requestEditFailedTitleText": "ປະ​ຕິ​ເສດ​ການ​ເຂົ້າ​ເຖິງ", "DE.Controllers.Main.saveErrorText": "ພົບບັນຫາຕອນບັນທຶກຟາຍ.", @@ -497,9 +497,9 @@ "DE.Controllers.Main.scriptLoadError": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາໂຫຼດໜ້ານີ້ຄືນໃໝ່", "DE.Controllers.Main.sendMergeText": "ກໍາລັງສົ່ງລວມ...", "DE.Controllers.Main.sendMergeTitle": "ກໍາລັງສົ່ງລວມ", - "DE.Controllers.Main.splitDividerErrorText": "\nຈຳນວນແຖວຕ້ອງເປັນຕົວເລກຂອງ% 1.", - "DE.Controllers.Main.splitMaxColsErrorText": "\nຈຳນວນຖັນຕ້ອງຕໍ່າ ກວ່າ% 1.", - "DE.Controllers.Main.splitMaxRowsErrorText": "\nຈຳນວນແຖວຕ້ອງຕໍ່າ ກວ່າ% 1.", + "DE.Controllers.Main.splitDividerErrorText": "ຈຳນວນແຖວຕ້ອງເປັນຕົວເລກຂອງ% 1.", + "DE.Controllers.Main.splitMaxColsErrorText": "ຈຳນວນຖັນຕ້ອງຕໍ່າ ກວ່າ% 1.", + "DE.Controllers.Main.splitMaxRowsErrorText": "ຈຳນວນແຖວຕ້ອງຕໍ່າ ກວ່າ% 1.", "DE.Controllers.Main.textAnonymous": "ບໍ່ລະບຸຊື່", "DE.Controllers.Main.textApplyAll": "ນຳໃຊ້ກັບສົມມະການທັງໝົດ", "DE.Controllers.Main.textBuyNow": "ເຂົ້າໄປຍັງເວັບໄຊ", @@ -574,15 +574,15 @@ "DE.Controllers.Main.txtShape_actionButtonForwardNext": "ປຸ່ມໄປຂ້າງໜ້າ ຫຼື ປຸ່ມທັດໄປ", "DE.Controllers.Main.txtShape_actionButtonHelp": "ປຸ່ມກົດຊ່ວຍເຫຼືອ", "DE.Controllers.Main.txtShape_actionButtonHome": "ປູ່ມຫຼັກ", - "DE.Controllers.Main.txtShape_actionButtonInformation": "\nປຸ່ມຂໍ້ມູນ", + "DE.Controllers.Main.txtShape_actionButtonInformation": "ປຸ່ມຂໍ້ມູນ", "DE.Controllers.Main.txtShape_actionButtonMovie": "ປຸ່ມເບິ່ງຮູບເງົາ", - "DE.Controllers.Main.txtShape_actionButtonReturn": "\nປຸ່ມກັບຄືນ", + "DE.Controllers.Main.txtShape_actionButtonReturn": "ປຸ່ມກັບຄືນ", "DE.Controllers.Main.txtShape_actionButtonSound": "ປຸ່ມສຽງ", "DE.Controllers.Main.txtShape_arc": "Acr", "DE.Controllers.Main.txtShape_bentArrow": "ລູກສອນໂຄ້ງ", "DE.Controllers.Main.txtShape_bentConnector5": "ຕົວເຊື່ອມຕໍ່", "DE.Controllers.Main.txtShape_bentConnector5WithArrow": "ຕົວເຊື່ອມຕໍ່ລູກສອນ", - "DE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "\nຕົວເຊື່ອມຕໍ່ສອງລູກສອນ", + "DE.Controllers.Main.txtShape_bentConnector5WithTwoArrows": "ຕົວເຊື່ອມຕໍ່ສອງລູກສອນ", "DE.Controllers.Main.txtShape_bentUpArrow": "ລູກສອນໂຄ້ງຂຶ້ນ", "DE.Controllers.Main.txtShape_bevel": "ອຽງ", "DE.Controllers.Main.txtShape_blockArc": "ກັ້ນເສັ້ນໂຄ້ງ", @@ -612,7 +612,7 @@ "DE.Controllers.Main.txtShape_diagStripe": "ເສັ້ນດ່າງຂວາງ", "DE.Controllers.Main.txtShape_diamond": "ເພັດ", "DE.Controllers.Main.txtShape_dodecagon": "ສິບສອງຫລ່ຽມ", - "DE.Controllers.Main.txtShape_donut": "\nໂດ​ນັດ", + "DE.Controllers.Main.txtShape_donut": "ໂດ​ນັດ", "DE.Controllers.Main.txtShape_doubleWave": "ຄຶ້ນສອງເທົ່າ", "DE.Controllers.Main.txtShape_downArrow": "ລູກສອນລົງ", "DE.Controllers.Main.txtShape_downArrowCallout": "ຄຳບັນຍາຍລູກສອນນອນ", @@ -639,7 +639,7 @@ "DE.Controllers.Main.txtShape_flowChartOffpageConnector": "ຕົວເຊື່ອມຕໍ່ແບບ Off-page", "DE.Controllers.Main.txtShape_flowChartOnlineStorage": "ຜັງແຜນງານ: ເກັບຮັກສາຂໍ້ມູນ", "DE.Controllers.Main.txtShape_flowChartOr": "ຜັງແຜນງານ: ຫລື", - "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "\nຜັງແຜນງານ: ຂະບວນການທີ່ ກຳ ນົດໄວ້ກ່ອນລ່ວງໜ້າ ", + "DE.Controllers.Main.txtShape_flowChartPredefinedProcess": "ຜັງແຜນງານ: ຂະບວນການທີ່ ກຳ ນົດໄວ້ກ່ອນລ່ວງໜ້າ ", "DE.Controllers.Main.txtShape_flowChartPreparation": "ຜັງແຜນງານ: ກະກຽມ", "DE.Controllers.Main.txtShape_flowChartProcess": "ຜັງແຜນງານ:ຂະບວນການ", "DE.Controllers.Main.txtShape_flowChartPunchedCard": "ຜັງແຜນງານ: ບັດ", @@ -668,11 +668,11 @@ "DE.Controllers.Main.txtShape_lightningBolt": "ສາຍຟ້າ", "DE.Controllers.Main.txtShape_line": "ເສັ້ນບັນທັດ", "DE.Controllers.Main.txtShape_lineWithArrow": "ລູກສອນ", - "DE.Controllers.Main.txtShape_lineWithTwoArrows": "\nລູກສອນຄູ່", + "DE.Controllers.Main.txtShape_lineWithTwoArrows": "ລູກສອນຄູ່", "DE.Controllers.Main.txtShape_mathDivide": "ກຸ່ມ, ຂະແໜງການ, ພະແນກ", "DE.Controllers.Main.txtShape_mathEqual": "ເທົ່າກັນ", "DE.Controllers.Main.txtShape_mathMinus": "ຕິດລົບ", - "DE.Controllers.Main.txtShape_mathMultiply": "\nຄູນ", + "DE.Controllers.Main.txtShape_mathMultiply": "ຄູນ", "DE.Controllers.Main.txtShape_mathNotEqual": "ບໍ່ເທົ່າກັນ", "DE.Controllers.Main.txtShape_mathPlus": "ບວກ", "DE.Controllers.Main.txtShape_moon": "ດວງຈັນ", @@ -691,19 +691,19 @@ "DE.Controllers.Main.txtShape_rect": "ຮູບສີ່ຫລ່ຽມ", "DE.Controllers.Main.txtShape_ribbon": "ໂບນອນ", "DE.Controllers.Main.txtShape_ribbon2": "ຂື້ນໂບ", - "DE.Controllers.Main.txtShape_rightArrow": "\nລູກສອນຂວາ", + "DE.Controllers.Main.txtShape_rightArrow": "ລູກສອນຂວາ", "DE.Controllers.Main.txtShape_rightArrowCallout": "ປຸ່ມລູກສອນຂວາ", "DE.Controllers.Main.txtShape_rightBrace": "ວົງປີກາ ຂວາ", - "DE.Controllers.Main.txtShape_rightBracket": "\nວົງເລັບເບື້ອງຂວາ", - "DE.Controllers.Main.txtShape_round1Rect": "\nຮູບສີ່ຫລ່ຽມມຸມສາກທາງດຽວ", + "DE.Controllers.Main.txtShape_rightBracket": "ວົງເລັບເບື້ອງຂວາ", + "DE.Controllers.Main.txtShape_round1Rect": "ຮູບສີ່ຫລ່ຽມມຸມສາກທາງດຽວ", "DE.Controllers.Main.txtShape_round2DiagRect": "ຮູບສີ່ຫລ່ຽມມຸມສາກດ້ານຂວາງ", "DE.Controllers.Main.txtShape_round2SameRect": "ສີ່ຫລ່ຽມມຸມສາກດ້ານຂ້າງຂອງຮູບແບບດຽວກັນ", "DE.Controllers.Main.txtShape_roundRect": "ຮູບສີ່ຫລ່ຽມມົນກົມ", - "DE.Controllers.Main.txtShape_rtTriangle": "\nສາມຫລ່ຽມຂວາ", + "DE.Controllers.Main.txtShape_rtTriangle": "ສາມຫລ່ຽມຂວາ", "DE.Controllers.Main.txtShape_smileyFace": "ໜ້າຍິ້ມ", - "DE.Controllers.Main.txtShape_snip1Rect": "\nຮູບສີ່ຫລ່ຽມມຸມສາກດຽວ Snip", + "DE.Controllers.Main.txtShape_snip1Rect": "ຮູບສີ່ຫລ່ຽມມຸມສາກດຽວ Snip", "DE.Controllers.Main.txtShape_snip2DiagRect": "ຮູບສີ່ຫລ່ຽມມຸມສາກຂອງ Snip", - "DE.Controllers.Main.txtShape_snip2SameRect": "\nສີ່ຫລ່ຽມມຸມສາກດ້ານຂ້າງຄືກັນ Snip", + "DE.Controllers.Main.txtShape_snip2SameRect": "ສີ່ຫລ່ຽມມຸມສາກດ້ານຂ້າງຄືກັນ Snip", "DE.Controllers.Main.txtShape_snipRoundRect": "ຮູບສີ່ຫລ່ຽມມຸມສາກແບບດຽວ ແລະ ຮູບກົມ", "DE.Controllers.Main.txtShape_spline": "ເສັ້ນໂຄ້ງ", "DE.Controllers.Main.txtShape_star10": "10 ດາວ", @@ -717,10 +717,10 @@ "DE.Controllers.Main.txtShape_star7": "7 ດາວ", "DE.Controllers.Main.txtShape_star8": "8 ດາວ", "DE.Controllers.Main.txtShape_stripedRightArrow": "ຮູບລູກສອນ (ຂິດເປັນລາຍກ່ານໆ)", - "DE.Controllers.Main.txtShape_sun": "\nຕາເວັນ", + "DE.Controllers.Main.txtShape_sun": "ຕາເວັນ", "DE.Controllers.Main.txtShape_teardrop": "ເຄື່ອງໝາຍຢອດ, (ຄ້າຍດອກບົວຈູມ)", "DE.Controllers.Main.txtShape_textRect": "ກ່ອງຂໍ້ຄວາມ", - "DE.Controllers.Main.txtShape_trapezoid": "\nສີ່ຫລ່ຽມຄາງຫມູ", + "DE.Controllers.Main.txtShape_trapezoid": "ສີ່ຫລ່ຽມຄາງຫມູ", "DE.Controllers.Main.txtShape_triangle": "ຮູບສາມຫລ່ຽມ", "DE.Controllers.Main.txtShape_upArrow": "ລູກສອນຂື້ນ", "DE.Controllers.Main.txtShape_upArrowCallout": "ຄຳອະທິບາຍພາບລູກສອນປິ່ນຂື້ນ", @@ -770,7 +770,7 @@ "DE.Controllers.Main.uploadImageTextText": "ກໍາລັງອັບໂຫຼດຮູບພາບ...", "DE.Controllers.Main.uploadImageTitleText": "ກໍາລັງອັບໂຫຼດຮູບພາບ", "DE.Controllers.Main.waitText": "ກະລຸນາລໍຖ້າ...", - "DE.Controllers.Main.warnBrowserIE9": "\nຄໍາຮ້ອງສະຫມັກມີຄວາມສາມາດຕ່ໍາສຸດ IE9. ໃຊ້ IE10 ຂຶ້ນໄປ", + "DE.Controllers.Main.warnBrowserIE9": "ຄໍາຮ້ອງສະຫມັກມີຄວາມສາມາດຕ່ໍາສຸດ IE9. ໃຊ້ IE10 ຂຶ້ນໄປ", "DE.Controllers.Main.warnBrowserZoom": "ການຕັ້ງຄ່າຂະຫຍາຍປັດຈຸບັນ, ທ່ານບໍ່ໄດ້ຮັບການສະໜັບສະໜູນ. ກະລຸນາຕັ້ງຄ່າຂະໜາດ ເລີ່ມຕົ້ນໂດຍການກົດປຸ່ມ Ctrl + 0.", "DE.Controllers.Main.warnLicenseExceeded": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ເເກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
ຕິດຕໍ່ທີມບໍລິຫານ ເພື່ອສືກສາເພີ່ມເຕີ່ມ", "DE.Controllers.Main.warnLicenseExp": "ໃບອະນຸຍາດຂອງທ່ານໝົດອາຍຸແລ້ວ.
ກະລຸນາຕໍ່ໃບອະນຸຍາດຂອງທ່ານ ແລະ ນຳໃຊ້ໃໝ່.", @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "ສຳນຽງ", "DE.Controllers.Toolbar.textBracket": "ວົງເລັບ", "DE.Controllers.Toolbar.textEmptyImgUrl": "ທ່ານຕ້ອງບອກທີຢູ່ຮູບ URL", - "DE.Controllers.Toolbar.textFontSizeErr": "\nຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 1 ເຖິງ 100", + "DE.Controllers.Toolbar.textFontSizeErr": "ຄ່າທີ່ປ້ອນເຂົ້າບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າຕົວເລກລະຫວ່າງ 1 ເຖິງ 300", "DE.Controllers.Toolbar.textFraction": "ສ່ວນໜຶ່ງ", "DE.Controllers.Toolbar.textFunction": "ໜ້າທີ່", "DE.Controllers.Toolbar.textInsert": "ເພີ່ມ", @@ -806,7 +806,7 @@ "DE.Controllers.Toolbar.textTabForms": "ແບບຟອມ", "DE.Controllers.Toolbar.textWarning": "ແຈ້ງເຕືອນ", "DE.Controllers.Toolbar.txtAccent_Accent": "ຮູບຮ່າງ", - "DE.Controllers.Toolbar.txtAccent_ArrowD": "\nລູກສອນຊ້າຍຂວາຢູ່ຂ້າງເທິງ", + "DE.Controllers.Toolbar.txtAccent_ArrowD": "ລູກສອນຊ້າຍຂວາຢູ່ຂ້າງເທິງ", "DE.Controllers.Toolbar.txtAccent_ArrowL": "ລູກສອນຊ້າຍດ້ານເທິງ", "DE.Controllers.Toolbar.txtAccent_ArrowR": "ລູກສອນດ້ານຂວາມືຂ້າງເທິງ", "DE.Controllers.Toolbar.txtAccent_Bar": "ຂີດ", @@ -835,12 +835,12 @@ "DE.Controllers.Toolbar.txtBracket_Angle": "ວົງເລັບ", "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_2": "ວົງເລັບທີ່ມີຕົວແຍກ", "DE.Controllers.Toolbar.txtBracket_Angle_Delimiter_3": "ວົງເລັບທີ່ມີຕົວແຍກ", - "DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Angle_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Angle_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_Curve": "ວົງເລັບ", "DE.Controllers.Toolbar.txtBracket_Curve_Delimiter_2": "ວົງເລັບທີ່ມີຕົວແຍກ", - "DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Curve_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Curve_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_Custom_1": "ກໍລະນີ (ສອງເງື່ອນໄຂ)", "DE.Controllers.Toolbar.txtBracket_Custom_2": "ກໍລະນີ (ສາມເງື່ອນໄຂ)", "DE.Controllers.Toolbar.txtBracket_Custom_3": "ການຈັດລຽງຈຸດປະສົງ", @@ -849,30 +849,30 @@ "DE.Controllers.Toolbar.txtBracket_Custom_6": "ສຳປະສິດ Binomial", "DE.Controllers.Toolbar.txtBracket_Custom_7": "ສຳປະສິດ Binomial", "DE.Controllers.Toolbar.txtBracket_Line": "ວົງເລັບ", - "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Line_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Line_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_LineDouble": "ວົງເລັບ", - "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_LineDouble_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_LineDouble_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_LowLim": "ວົງເລັບ", - "DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_LowLim_NoneNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_LowLim_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_Round": "ວົງເລັບ", "DE.Controllers.Toolbar.txtBracket_Round_Delimiter_2": "ວົງເລັບທີ່ມີຕົວແຍກ", - "DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Round_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Round_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_Square": "ວົງເລັບ", "DE.Controllers.Toolbar.txtBracket_Square_CloseClose": "ວົງເລັບ", "DE.Controllers.Toolbar.txtBracket_Square_CloseOpen": "ວົງເລັບ", - "DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Square_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_Square_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_Square_OpenOpen": "ວົງເລັບ", "DE.Controllers.Toolbar.txtBracket_SquareDouble": "ວົງເລັບ", - "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_SquareDouble_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtBracket_UppLim": "ວົງເລັບ", - "DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", - "DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "\nວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_UppLim_NoneOpen": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", + "DE.Controllers.Toolbar.txtBracket_UppLim_OpenNone": "ວົງເລັບດຽວ, ວົງປີກາດຽວ", "DE.Controllers.Toolbar.txtFractionDiagonal": "ສ່ວນ ໜຶ່ງ ທີ່ເປັນສີເຂັ້ມ", "DE.Controllers.Toolbar.txtFractionDifferential_1": "ຄວາມແຕກຕ່າງ", "DE.Controllers.Toolbar.txtFractionDifferential_2": "ຄວາມແຕກຕ່າງ", @@ -909,11 +909,11 @@ "DE.Controllers.Toolbar.txtFunction_Sinh": "ໜ້າທີ່ຂອງ Hyperbolic sine", "DE.Controllers.Toolbar.txtFunction_Tan": "ໜ້າທີ່ຂອງເສັ້ນຕັດກັນ", "DE.Controllers.Toolbar.txtFunction_Tanh": "ໜ້າທີ່ຂອງເສັ້ນສຳຜັດວົງໃນ Hyperbolic", - "DE.Controllers.Toolbar.txtIntegral": "\nປະສົມປະສານ,ສຳຄັນ", + "DE.Controllers.Toolbar.txtIntegral": "ປະສົມປະສານ,ສຳຄັນ", "DE.Controllers.Toolbar.txtIntegral_dtheta": "ຄວາມແຕກຕ່າງ theta", "DE.Controllers.Toolbar.txtIntegral_dx": "ຄວາມແຕກຕ່າງ x", "DE.Controllers.Toolbar.txtIntegral_dy": "ຄວາມແຕກຕ່າງ y", - "DE.Controllers.Toolbar.txtIntegralCenterSubSup": "\nປະສົມປະສານ,ສຳຄັນ", + "DE.Controllers.Toolbar.txtIntegralCenterSubSup": "ປະສົມປະສານ,ສຳຄັນ", "DE.Controllers.Toolbar.txtIntegralDouble": "ການເຊື່ອມໂຍງສອງເທົ່າ", "DE.Controllers.Toolbar.txtIntegralDoubleCenterSubSup": "ການເຊື່ອມໂຍງສອງເທົ່າ", "DE.Controllers.Toolbar.txtIntegralDoubleSubSup": "ການເຊື່ອມໂຍງສອງເທົ່າ", @@ -926,7 +926,7 @@ "DE.Controllers.Toolbar.txtIntegralOrientedTriple": "ບໍລິມາດລວມ", "DE.Controllers.Toolbar.txtIntegralOrientedTripleCenterSubSup": "ບໍລິມາດລວມ", "DE.Controllers.Toolbar.txtIntegralOrientedTripleSubSup": "ບໍລິມາດລວມ", - "DE.Controllers.Toolbar.txtIntegralSubSup": "\nປະສົມປະສານ,ສຳຄັນ", + "DE.Controllers.Toolbar.txtIntegralSubSup": "ປະສົມປະສານ,ສຳຄັນ", "DE.Controllers.Toolbar.txtIntegralTriple": "ປະສົມປະສານສາມ", "DE.Controllers.Toolbar.txtIntegralTripleCenterSubSup": "ປະສົມປະສານສາມ", "DE.Controllers.Toolbar.txtIntegralTripleSubSup": "ປະສົມປະສານສາມ", @@ -943,23 +943,23 @@ "DE.Controllers.Toolbar.txtLargeOperator_Custom_1": "ການສະຫຼູບ", "DE.Controllers.Toolbar.txtLargeOperator_Custom_2": "ການສະຫຼູບ", "DE.Controllers.Toolbar.txtLargeOperator_Custom_3": "ການສະຫຼູບ", - "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "\nຜົນຄູນ", + "DE.Controllers.Toolbar.txtLargeOperator_Custom_4": "ຜົນຄູນ", "DE.Controllers.Toolbar.txtLargeOperator_Custom_5": "ການຮ່ວມກັນ", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction": "Vee", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSub": "Vee", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_CenterSubSup": "Vee", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_Sub": "Vee", "DE.Controllers.Toolbar.txtLargeOperator_Disjunction_SubSup": "Vee", - "DE.Controllers.Toolbar.txtLargeOperator_Intersection": "\nສີ່ແຍກ", - "DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "\nສີ່ແຍກ", - "DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "\nສີ່ແຍກ", - "DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "\nສີ່ແຍກ", - "DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "\nສີ່ແຍກ", - "DE.Controllers.Toolbar.txtLargeOperator_Prod": "\nຜົນຄູນ", - "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "\nຜົນຄູນ", - "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "\nຜົນຄູນ", - "DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "\nຜົນຄູນ", - "DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "\nຜົນຄູນ", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection": "ສີ່ແຍກ", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSub": "ສີ່ແຍກ", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_CenterSubSup": "ສີ່ແຍກ", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_Sub": "ສີ່ແຍກ", + "DE.Controllers.Toolbar.txtLargeOperator_Intersection_SubSup": "ສີ່ແຍກ", + "DE.Controllers.Toolbar.txtLargeOperator_Prod": "ຜົນຄູນ", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSub": "ຜົນຄູນ", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_CenterSubSup": "ຜົນຄູນ", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_Sub": "ຜົນຄູນ", + "DE.Controllers.Toolbar.txtLargeOperator_Prod_SubSup": "ຜົນຄູນ", "DE.Controllers.Toolbar.txtLargeOperator_Sum": "ການສະຫຼູບ", "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSub": "ການສະຫຼູບ", "DE.Controllers.Toolbar.txtLargeOperator_Sum_CenterSubSup": "ການສະຫຼູບ", @@ -984,10 +984,10 @@ "DE.Controllers.Toolbar.txtMatrix_1_3": "1x3 ມາຕຣິກຫວ່າງເປົ່າ", "DE.Controllers.Toolbar.txtMatrix_2_1": "2x1 ມາຕຣິກຫວ່າງເປົ່າ", "DE.Controllers.Toolbar.txtMatrix_2_2": "2x2 ມາຕຣິກຫວ່າງເປົ່າ", - "DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "\nຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", - "DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "\nຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", - "DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "\nຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", - "DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "\nຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", + "DE.Controllers.Toolbar.txtMatrix_2_2_DLineBracket": "ຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", + "DE.Controllers.Toolbar.txtMatrix_2_2_LineBracket": "ຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", + "DE.Controllers.Toolbar.txtMatrix_2_2_RoundBracket": "ຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", + "DE.Controllers.Toolbar.txtMatrix_2_2_SquareBracket": "ຕາຕະລາງເປົ່າວ່າງກັບວົງເລັບ", "DE.Controllers.Toolbar.txtMatrix_2_3": "2x3 ມາຕຣິກຫວ່າງເປົ່າ", "DE.Controllers.Toolbar.txtMatrix_3_1": "3x1 ມາຕຣິກຫວ່າງເປົ່າ", "DE.Controllers.Toolbar.txtMatrix_3_2": "3x2 ມາຕຣິກຫວ່າງເປົ່າ", @@ -1002,30 +1002,30 @@ "DE.Controllers.Toolbar.txtMatrix_Identity_2_NoZeros": "3x3 ມາຕຣິກເອກະລັກ", "DE.Controllers.Toolbar.txtMatrix_Identity_3": "3x3 ມາຕຣິກເອກະລັກ", "DE.Controllers.Toolbar.txtMatrix_Identity_3_NoZeros": "3x3 ມາຕຣິກເອກະລັກ", - "DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "\nລູກສອນຊ້າຍ - ຂວາຢູ່ດ້ານລຸ່ມ", - "DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "\nລູກສອນຊ້າຍຂວາຢູ່ຂ້າງເທິງ", + "DE.Controllers.Toolbar.txtOperator_ArrowD_Bot": "ລູກສອນຊ້າຍ - ຂວາຢູ່ດ້ານລຸ່ມ", + "DE.Controllers.Toolbar.txtOperator_ArrowD_Top": "ລູກສອນຊ້າຍຂວາຢູ່ຂ້າງເທິງ", "DE.Controllers.Toolbar.txtOperator_ArrowL_Bot": "ລູກສອນຊ້າຍດ້ານລຸ່ມ", "DE.Controllers.Toolbar.txtOperator_ArrowL_Top": "ລູກສອນຊ້າຍດ້ານເທິງ", - "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "\nລູກສອນດ້ານຂວາມືດ້ານລຸ່ມ", + "DE.Controllers.Toolbar.txtOperator_ArrowR_Bot": "ລູກສອນດ້ານຂວາມືດ້ານລຸ່ມ", "DE.Controllers.Toolbar.txtOperator_ArrowR_Top": "ລູກສອນດ້ານຂວາມືຂ້າງເທິງ", "DE.Controllers.Toolbar.txtOperator_ColonEquals": "ຈ້ຳຈຸດ", - "DE.Controllers.Toolbar.txtOperator_Custom_1": "\nຜົນໄດ້ຮັບ", + "DE.Controllers.Toolbar.txtOperator_Custom_1": "ຜົນໄດ້ຮັບ", "DE.Controllers.Toolbar.txtOperator_Custom_2": "ຜົນຮັບຂອງເດລຕ້າ", "DE.Controllers.Toolbar.txtOperator_Definition": "ເທົ່າກັບ ຄຳ ນິຍາມ", "DE.Controllers.Toolbar.txtOperator_DeltaEquals": "ເດລຕ້າເທົ່າກັບ", - "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "\nລູກສອນຊ້າຍ - ຂວາຢູ່ດ້ານລຸ່ມ", - "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "\nລູກສອນຊ້າຍຂວາຢູ່ຂ້າງເທິງ", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Bot": "ລູກສອນຊ້າຍ - ຂວາຢູ່ດ້ານລຸ່ມ", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowD_Top": "ລູກສອນຊ້າຍຂວາຢູ່ຂ້າງເທິງ", "DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Bot": "ລູກສອນຊ້າຍດ້ານລຸ່ມ", "DE.Controllers.Toolbar.txtOperator_DoubleArrowL_Top": "ລູກສອນຊ້າຍດ້ານເທິງ", - "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "\nລູກສອນດ້ານຂວາມືດ້ານລຸ່ມ", + "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Bot": "ລູກສອນດ້ານຂວາມືດ້ານລຸ່ມ", "DE.Controllers.Toolbar.txtOperator_DoubleArrowR_Top": "ລູກສອນດ້ານຂວາມືຂ້າງເທິງ", "DE.Controllers.Toolbar.txtOperator_EqualsEquals": "ເທົ່າໆກັນ", - "DE.Controllers.Toolbar.txtOperator_MinusEquals": "\nເຄື່ອງ ໝາຍ ລົບເທົ່າກັນ", - "DE.Controllers.Toolbar.txtOperator_PlusEquals": "\nບວກເທົ່າກັນ", + "DE.Controllers.Toolbar.txtOperator_MinusEquals": "ເຄື່ອງ ໝາຍ ລົບເທົ່າກັນ", + "DE.Controllers.Toolbar.txtOperator_PlusEquals": "ບວກເທົ່າກັນ", "DE.Controllers.Toolbar.txtOperator_UnitOfMeasure": "ວັດແທດໂດຍ", "DE.Controllers.Toolbar.txtRadicalCustom_1": "ຮາກຖານ", "DE.Controllers.Toolbar.txtRadicalCustom_2": "ຮາກຖານ", - "DE.Controllers.Toolbar.txtRadicalRoot_2": "\nຮາກທີສອງພ້ອມອົງສາ", + "DE.Controllers.Toolbar.txtRadicalRoot_2": "ຮາກທີສອງພ້ອມອົງສາ", "DE.Controllers.Toolbar.txtRadicalRoot_3": "ຮາກຂອງລູກບິດ", "DE.Controllers.Toolbar.txtRadicalRoot_n": "ລະດັບຮາກຖານ", "DE.Controllers.Toolbar.txtRadicalSqrt": "ຮາກ​ຂັ້ນ​ສອງ", @@ -1046,7 +1046,7 @@ "DE.Controllers.Toolbar.txtSymbol_beta": "ເບຕ້າ", "DE.Controllers.Toolbar.txtSymbol_beth": "ເດີມພັນ", "DE.Controllers.Toolbar.txtSymbol_bullet": "ຕົວກຳເນີນການຂີດໜ້າ", - "DE.Controllers.Toolbar.txtSymbol_cap": "\nສີ່ແຍກ", + "DE.Controllers.Toolbar.txtSymbol_cap": "ສີ່ແຍກ", "DE.Controllers.Toolbar.txtSymbol_cbrt": "ຮາກກຳລັງສາມ", "DE.Controllers.Toolbar.txtSymbol_cdots": "ຈຳເມັດເປັນເສັ້ນລວງນອນ", "DE.Controllers.Toolbar.txtSymbol_celsius": "ອົງສາມແຊວຊຽດ", @@ -1061,18 +1061,18 @@ "DE.Controllers.Toolbar.txtSymbol_emptyset": "ກຳນົດເປົ່າວ່າງ", "DE.Controllers.Toolbar.txtSymbol_epsilon": "Epsilon", "DE.Controllers.Toolbar.txtSymbol_equals": "ເທົ່າກັນ", - "DE.Controllers.Toolbar.txtSymbol_equiv": "\nຄືກັນກັບ", + "DE.Controllers.Toolbar.txtSymbol_equiv": "ຄືກັນກັບ", "DE.Controllers.Toolbar.txtSymbol_eta": "Eta", - "DE.Controllers.Toolbar.txtSymbol_exists": "\nຍັງມີຢູ່", + "DE.Controllers.Toolbar.txtSymbol_exists": "ຍັງມີຢູ່", "DE.Controllers.Toolbar.txtSymbol_factorial": "ໂຮງງານ", "DE.Controllers.Toolbar.txtSymbol_fahrenheit": "ອົງສາຟາເຣັນຮາຍ", - "DE.Controllers.Toolbar.txtSymbol_forall": "\nສຳ ລັບທຸກຄົນ", + "DE.Controllers.Toolbar.txtSymbol_forall": "ສຳ ລັບທຸກຄົນ", "DE.Controllers.Toolbar.txtSymbol_gamma": "ພະຍັນຊະນະຕົວທີ່ ສາມ", "DE.Controllers.Toolbar.txtSymbol_geq": "ໃຫຍ່ກວ່າ ຫລື ເທົ່າກັບ", - "DE.Controllers.Toolbar.txtSymbol_gg": "\nໃຫຍ່ກວ່າ", + "DE.Controllers.Toolbar.txtSymbol_gg": "ໃຫຍ່ກວ່າ", "DE.Controllers.Toolbar.txtSymbol_greater": "ໃຫຍ່​ກວ່າ", "DE.Controllers.Toolbar.txtSymbol_in": "ອົງປະກອບ", - "DE.Controllers.Toolbar.txtSymbol_inc": "\nການເພີ່ມຂື້ນ", + "DE.Controllers.Toolbar.txtSymbol_inc": "ການເພີ່ມຂື້ນ", "DE.Controllers.Toolbar.txtSymbol_infinity": "ບໍ່ມີຂອບເຂດ", "DE.Controllers.Toolbar.txtSymbol_iota": "lota", "DE.Controllers.Toolbar.txtSymbol_kappa": "kappa", @@ -1091,21 +1091,21 @@ "DE.Controllers.Toolbar.txtSymbol_not": "ບໍ່ໄດ້ລົງຊື່", "DE.Controllers.Toolbar.txtSymbol_notexists": "ບໍ່ມີຢູ່", "DE.Controllers.Toolbar.txtSymbol_nu": "Nu", - "DE.Controllers.Toolbar.txtSymbol_o": "\nໂອມອນ", + "DE.Controllers.Toolbar.txtSymbol_o": "ໂອມອນ", "DE.Controllers.Toolbar.txtSymbol_omega": "ຕອນຈົບ", "DE.Controllers.Toolbar.txtSymbol_partial": "ຄວາມແຕກຕ່າງບາງສ່ວນ", "DE.Controllers.Toolbar.txtSymbol_percent": "ເປີເຊັນ", "DE.Controllers.Toolbar.txtSymbol_phi": "Phi", "DE.Controllers.Toolbar.txtSymbol_pi": "Pi", "DE.Controllers.Toolbar.txtSymbol_plus": "ບວກ", - "DE.Controllers.Toolbar.txtSymbol_pm": "\nບວກລົບ", + "DE.Controllers.Toolbar.txtSymbol_pm": "ບວກລົບ", "DE.Controllers.Toolbar.txtSymbol_propto": "ຕາມສັດສ່ວນ", "DE.Controllers.Toolbar.txtSymbol_psi": "Psi", "DE.Controllers.Toolbar.txtSymbol_qdrt": "ຮາກທີ ສີ່", - "DE.Controllers.Toolbar.txtSymbol_qed": "\nການຢັ້ງຢືນສິ້ນສຸດ", + "DE.Controllers.Toolbar.txtSymbol_qed": "ການຢັ້ງຢືນສິ້ນສຸດ", "DE.Controllers.Toolbar.txtSymbol_rddots": "ຮູບຈຳເມັດສີດໍາ ຈໍ້າເອນຂື້ນເທິງເບື້ອງຂວາ", "DE.Controllers.Toolbar.txtSymbol_rho": "Rho", - "DE.Controllers.Toolbar.txtSymbol_rightarrow": "\nລູກສອນຂວາ", + "DE.Controllers.Toolbar.txtSymbol_rightarrow": "ລູກສອນຂວາ", "DE.Controllers.Toolbar.txtSymbol_sigma": "ສັນຍາລັກ ຕົວ M ນອນ", "DE.Controllers.Toolbar.txtSymbol_sqrt": "ເຄື່ອງໝາຍຮາກຖານ", "DE.Controllers.Toolbar.txtSymbol_tau": "Tau", @@ -1114,7 +1114,7 @@ "DE.Controllers.Toolbar.txtSymbol_times": "ເຄື່ອງ ໝາຍ ຄູນ", "DE.Controllers.Toolbar.txtSymbol_uparrow": "ລູກສອນຂື້ນ", "DE.Controllers.Toolbar.txtSymbol_upsilon": "ສັນຍາລັກໂຕ U ແລະ y", - "DE.Controllers.Toolbar.txtSymbol_varepsilon": "\nຕົວແປ Epsilon", + "DE.Controllers.Toolbar.txtSymbol_varepsilon": "ຕົວແປ Epsilon", "DE.Controllers.Toolbar.txtSymbol_varphi": "ສັນຍາລັກເລກສູນ ຂີດຜ່າກາງ", "DE.Controllers.Toolbar.txtSymbol_varpi": "ຕົວແປຂອງ Pi", "DE.Controllers.Toolbar.txtSymbol_varrho": "Rho ຕົວແປ", @@ -1262,18 +1262,18 @@ "DE.Views.CustomColumnsDialog.textSeparator": "ແບ່ງຕາມແນວຖັນ", "DE.Views.CustomColumnsDialog.textSpacing": "ຄວາມຫ່າງລະຫວ່າງຖັນ", "DE.Views.CustomColumnsDialog.textTitle": "ຖັນ", - "DE.Views.DateTimeDialog.confirmDefault": "\nກຳ ນົດຮູບແບບເລີ່ມຕົ້ນ ສຳ ລັບ {0}: \"{1}\"", - "DE.Views.DateTimeDialog.textDefault": "\nກໍາ​ນົດ​ເປັນ​ຄ່າ​ເລີ່ມ​ຕົ້ນ", - "DE.Views.DateTimeDialog.textFormat": "\nຮູບແບບຕ່າງໆ", + "DE.Views.DateTimeDialog.confirmDefault": "ກຳ ນົດຮູບແບບເລີ່ມຕົ້ນ ສຳ ລັບ {0}: \"{1}\"", + "DE.Views.DateTimeDialog.textDefault": "ກໍາ​ນົດ​ເປັນ​ຄ່າ​ເລີ່ມ​ຕົ້ນ", + "DE.Views.DateTimeDialog.textFormat": "ຮູບແບບຕ່າງໆ", "DE.Views.DateTimeDialog.textLang": "ພາສາ", - "DE.Views.DateTimeDialog.textUpdate": "\nປັບປຸງໂດຍອັດຕະໂນມັດ", + "DE.Views.DateTimeDialog.textUpdate": "ປັບປຸງໂດຍອັດຕະໂນມັດ", "DE.Views.DateTimeDialog.txtTitle": "ວັນທີ ແລະ ເວລາ", "DE.Views.DocumentHolder.aboveText": "ຂ້າງເທິງ", "DE.Views.DocumentHolder.addCommentText": "ເພີ່ມຄຳເຫັນ", "DE.Views.DocumentHolder.advancedDropCapText": "ການຕັ້ງຄ່າ Drop cap", "DE.Views.DocumentHolder.advancedFrameText": "ໂຄງຮ່າງການຕັງຄ່າຂັ້ນສູງ", "DE.Views.DocumentHolder.advancedParagraphText": "ການຕັ້ງຄ່າຂັ້ນສູງຫຍໍ້ ໜ້າ", - "DE.Views.DocumentHolder.advancedTableText": "\nການຕັ້ງຄ່າຕາຕະລາງຂັ້ນສູງ", + "DE.Views.DocumentHolder.advancedTableText": "ການຕັ້ງຄ່າຕາຕະລາງຂັ້ນສູງ", "DE.Views.DocumentHolder.advancedText": "ຕັ້ງ​ຄ່າ​ຂັ້ນ​ສູງ", "DE.Views.DocumentHolder.alignmentText": "ການຈັດຕຳແໜ່ງ", "DE.Views.DocumentHolder.belowText": "ດ້ານລຸ່ມ", @@ -1291,15 +1291,15 @@ "DE.Views.DocumentHolder.direct270Text": "ປິ່ນຫົວຂໍ້ຄວາມຂື້ນ", "DE.Views.DocumentHolder.direct90Text": "ປິ່ນຫົວຂໍ້ຄວາມລົງ", "DE.Views.DocumentHolder.directHText": "ລວງນອນ, ລວງຂວາງ", - "DE.Views.DocumentHolder.directionText": "\nທິດທາງຂໍ້ຄວາມ", + "DE.Views.DocumentHolder.directionText": "ທິດທາງຂໍ້ຄວາມ", "DE.Views.DocumentHolder.editChartText": "ແກ້ໄຂຂໍ້ມູນ", "DE.Views.DocumentHolder.editFooterText": "ແກ້ໄຂສ່ວນຂອບລູ່ມ", "DE.Views.DocumentHolder.editHeaderText": "ແກ້ໄຂຫົວຂໍ້", "DE.Views.DocumentHolder.editHyperlinkText": "ແກ້ໄຂ Hyperlink", "DE.Views.DocumentHolder.guestText": " ແຂກ", "DE.Views.DocumentHolder.hyperlinkText": "ໄຮເປີລີ້ງ", - "DE.Views.DocumentHolder.ignoreAllSpellText": "\nບໍ່ສົນໃຈທັງ ໝົດ", - "DE.Views.DocumentHolder.ignoreSpellText": "\nບໍ່ສົນໃຈ", + "DE.Views.DocumentHolder.ignoreAllSpellText": "ບໍ່ສົນໃຈທັງ ໝົດ", + "DE.Views.DocumentHolder.ignoreSpellText": "ບໍ່ສົນໃຈ", "DE.Views.DocumentHolder.imageText": "ການຕັ້ງຄ່າຮູບຂັ້ນສູງ", "DE.Views.DocumentHolder.insertColumnLeftText": "ຖັນດ້ານຊ້າຍ", "DE.Views.DocumentHolder.insertColumnRightText": "ຖັນດ້ານຂວາ", @@ -1328,7 +1328,7 @@ "DE.Views.DocumentHolder.selectText": "ເລືອກ", "DE.Views.DocumentHolder.shapeText": "ຕັ້ງຄ່າຂັ້ນສູງຮູບຮ່າງ", "DE.Views.DocumentHolder.spellcheckText": "ກວດສະກົດຄຳ", - "DE.Views.DocumentHolder.splitCellsText": "\nແບ່ງແຍກຫ້ອງ", + "DE.Views.DocumentHolder.splitCellsText": "ແບ່ງແຍກຫ້ອງ", "DE.Views.DocumentHolder.splitCellTitleText": "ແຍກແຊວ ", "DE.Views.DocumentHolder.strDelete": "ລຶບລາຍເຊັນ", "DE.Views.DocumentHolder.strDetails": "ລາຍລະອຽດລາຍເຊັນ", @@ -1380,7 +1380,7 @@ "DE.Views.DocumentHolder.textReplace": "ປ່ຽນແທນຮູບ", "DE.Views.DocumentHolder.textRotate": "ໝຸນ", "DE.Views.DocumentHolder.textRotate270": "ໝຸນ90°ທວນເຂັມໂມງ", - "DE.Views.DocumentHolder.textRotate90": "\nໝຸນ90°ຕາມເຂັມໂມງ", + "DE.Views.DocumentHolder.textRotate90": "ໝຸນ90°ຕາມເຂັມໂມງ", "DE.Views.DocumentHolder.textRow": "ລົບແຖວທັງໝົດ", "DE.Views.DocumentHolder.textSeparateList": "ແຍກລາຍການ", "DE.Views.DocumentHolder.textSettings": "ການຕັ້ງຄ່າ", @@ -1396,12 +1396,12 @@ "DE.Views.DocumentHolder.textTitleCellsRemove": "ລົບແຊວ", "DE.Views.DocumentHolder.textTOC": "ຕາຕະລາງເນື້ອຫາ", "DE.Views.DocumentHolder.textTOCSettings": "ຕາຕະລາງການຕັ້ງຄ່າເນື້ອຫາ", - "DE.Views.DocumentHolder.textUndo": "\nຍົກເລີກ", + "DE.Views.DocumentHolder.textUndo": "ຍົກເລີກ", "DE.Views.DocumentHolder.textUpdateAll": "ໂຫຼດຄືນທັງໝົດຕາຕະລາງ", "DE.Views.DocumentHolder.textUpdatePages": "ໂຫລດຄືນສະເພາະໝາຍເລກໜ້າ", "DE.Views.DocumentHolder.textUpdateTOC": "ໂຫລດຄືນຕາຕະລາງເນື້ອຫາ", "DE.Views.DocumentHolder.textWrap": "ສະໄຕການຫໍ່", - "DE.Views.DocumentHolder.tipIsLocked": "\nອົງປະກອບນີ້ກຳລັງຖືກດັດແກ້ໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", + "DE.Views.DocumentHolder.tipIsLocked": "ອົງປະກອບນີ້ກຳລັງຖືກດັດແກ້ໂດຍຜູ້ໃຊ້ຄົນອື່ນ.", "DE.Views.DocumentHolder.toDictionaryText": "ເພີ່ມໃສ່ວັດຈະນານຸກົມ", "DE.Views.DocumentHolder.txtAddBottom": "ເພີ່ມເສັ້ນຂອບດ້ານລຸ່ມ", "DE.Views.DocumentHolder.txtAddFractionBar": "ເພີ່ມແຖບເສດສ່ວນ", @@ -1436,13 +1436,13 @@ "DE.Views.DocumentHolder.txtGroupCharUnder": "ຂຽນກ້ອງຂໍ້ຄວາມ", "DE.Views.DocumentHolder.txtHideBottom": "ເຊື່ອງຂອບດ້ານລູ່ມ", "DE.Views.DocumentHolder.txtHideBottomLimit": "ເຊື່ອງຂີດຈຳກັດດ້ານລູ່ມ", - "DE.Views.DocumentHolder.txtHideCloseBracket": "\nເຊື່ອງວົງເລັບປິດ", + "DE.Views.DocumentHolder.txtHideCloseBracket": "ເຊື່ອງວົງເລັບປິດ", "DE.Views.DocumentHolder.txtHideDegree": "ເຊື່ອງອົງສາ", "DE.Views.DocumentHolder.txtHideHor": "ເຊື່ອງເສັ້ນແນວນອນ", "DE.Views.DocumentHolder.txtHideLB": "ເຊື່ອງແຖວລູ່ມດ້ານຊ້າຍ", "DE.Views.DocumentHolder.txtHideLeft": "ເຊື່ອງຂອບດ້ານຊ້າຍ ", "DE.Views.DocumentHolder.txtHideLT": "ເຊື່ອງເສັ້ນດ້ານເທິງເບື້ອງຊ້າຍ", - "DE.Views.DocumentHolder.txtHideOpenBracket": "\nເຊື່ອງວົງເລັບເປີດ", + "DE.Views.DocumentHolder.txtHideOpenBracket": "ເຊື່ອງວົງເລັບເປີດ", "DE.Views.DocumentHolder.txtHidePlaceholder": "ເຊື່ອງສະຖານທີ່ຢຶດ", "DE.Views.DocumentHolder.txtHideRight": "ເຊື່ອງຂອບດ້ານຂວາ", "DE.Views.DocumentHolder.txtHideTop": "ເຊື່ອງຂອບດ້ານເທິງ", @@ -1466,7 +1466,7 @@ "DE.Views.DocumentHolder.txtOverbar": "ຂີດທັບຕົວໜັງສື", "DE.Views.DocumentHolder.txtOverwriteCells": "ຂຽນທັບແຊວ", "DE.Views.DocumentHolder.txtPasteSourceFormat": "ຮັກສາຮູບແບບແຫຼ່ງຂໍ້ມູນ", - "DE.Views.DocumentHolder.txtPressLink": "\nກົດ Ctrl ແລະກົດລິ້ງ", + "DE.Views.DocumentHolder.txtPressLink": "ກົດ Ctrl ແລະກົດລິ້ງ", "DE.Views.DocumentHolder.txtPrintSelection": "ານຄັດເລືອກການພິມ", "DE.Views.DocumentHolder.txtRemFractionBar": "ລຶບແຖບສວ່ນໜຶ່ງອອກ", "DE.Views.DocumentHolder.txtRemLimit": "ເອົາຂໍ້ຈຳກັດອອກ", @@ -1477,10 +1477,10 @@ "DE.Views.DocumentHolder.txtRemSuperscript": "ເອົາຕົວຫຍໍ້ອອກ (ລົບຕົວຫຍໍ້ອອກ)", "DE.Views.DocumentHolder.txtScriptsAfter": "ເນື້ອງເລື່ອງ ຫຼັງຂໍ້ຄວາມ", "DE.Views.DocumentHolder.txtScriptsBefore": "ເນື້ອເລື່ອງກ່ອນຂໍ້ຄວາມ", - "DE.Views.DocumentHolder.txtShowBottomLimit": "\nສະແດງຂອບເຂດ ຈຳ ກັດດ້ານລຸ່ມ", + "DE.Views.DocumentHolder.txtShowBottomLimit": "ສະແດງຂອບເຂດ ຈຳ ກັດດ້ານລຸ່ມ", "DE.Views.DocumentHolder.txtShowCloseBracket": "ສະແດງວົງເລັບປິດ", "DE.Views.DocumentHolder.txtShowDegree": "ສະແດງອົງສາ", - "DE.Views.DocumentHolder.txtShowOpenBracket": "\nສະແດງວົງເລັບເປີດ", + "DE.Views.DocumentHolder.txtShowOpenBracket": "ສະແດງວົງເລັບເປີດ", "DE.Views.DocumentHolder.txtShowPlaceholder": "ສະແດງສະຖານທີ່", "DE.Views.DocumentHolder.txtShowTopLimit": "ສະແດງຂໍ້ ຈຳ ກັດດ້ານເທິງ", "DE.Views.DocumentHolder.txtSquare": "ສີ່ຫຼ່ຽມ", @@ -1490,7 +1490,7 @@ "DE.Views.DocumentHolder.txtTop": "ເບື້ອງເທີງ", "DE.Views.DocumentHolder.txtTopAndBottom": "ເທີງແລະລຸ່ມ", "DE.Views.DocumentHolder.txtUnderbar": "ຂີດກອ້ງຕົວໜັງສື", - "DE.Views.DocumentHolder.txtUngroup": "\nຍົກເລີກການຈັດກຸ່ມ", + "DE.Views.DocumentHolder.txtUngroup": "ຍົກເລີກການຈັດກຸ່ມ", "DE.Views.DocumentHolder.updateStyleText": "ປັບປຸງຮູບແບບ% 1", "DE.Views.DocumentHolder.vertAlignText": "ຈັດຕາມແນວຕັ້ງ", "DE.Views.DropcapSettingsAdvanced.strBorders": "ເສັ້ນຂອບ ແລະ ຕື່ມ", @@ -1577,7 +1577,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtPages": "ໜ້າ", "DE.Views.FileMenuPanels.DocumentInfo.txtParagraphs": "ວັກ", "DE.Views.FileMenuPanels.DocumentInfo.txtPlacement": "ສະຖານທີ", - "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "\nບຸກຄົນທີ່ມີສິດ", + "DE.Views.FileMenuPanels.DocumentInfo.txtRights": "ບຸກຄົນທີ່ມີສິດ", "DE.Views.FileMenuPanels.DocumentInfo.txtSpaces": "ສັນຍາລັກທີ່ມີຊອ່ງຫວ່າງ", "DE.Views.FileMenuPanels.DocumentInfo.txtStatistics": "ສະຖິຕິ", "DE.Views.FileMenuPanels.DocumentInfo.txtSubject": "ຫົວຂໍ້", @@ -1586,7 +1586,7 @@ "DE.Views.FileMenuPanels.DocumentInfo.txtUploaded": "ອັບໂຫຼດ", "DE.Views.FileMenuPanels.DocumentInfo.txtWords": "ຕົວໜັງສື", "DE.Views.FileMenuPanels.DocumentRights.txtBtnAccessRights": "ປ່ຽນສິດການເຂົ້າເຖິງ", - "DE.Views.FileMenuPanels.DocumentRights.txtRights": "\nບຸກຄົນທີ່ມີສິດ", + "DE.Views.FileMenuPanels.DocumentRights.txtRights": "ບຸກຄົນທີ່ມີສິດ", "DE.Views.FileMenuPanels.ProtectDoc.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "DE.Views.FileMenuPanels.ProtectDoc.strEncrypt": "ດ້ວຍລະຫັດຜ່ານ", "DE.Views.FileMenuPanels.ProtectDoc.strProtect": "ປອ້ງກັນເອກກະສານ", @@ -1597,14 +1597,14 @@ "DE.Views.FileMenuPanels.ProtectDoc.txtRequestedSignatures": "ເອກະສານນີ້ຕ້ອງໄດ້ເຊັນ.", "DE.Views.FileMenuPanels.ProtectDoc.txtSigned": "ລາຍເຊັນຖືກຕ້ອງໄດ້ຖືກເພີ່ມເຂົ້າໃນເອກະສານດັ່ງກ່າວ. ເອກະສານດັ່ງກ່າວແມ່ນປ້ອງກັນຈາກການດັດແກ້.", "DE.Views.FileMenuPanels.ProtectDoc.txtSignedInvalid": "ບາງລາຍເຊັນດິຈິຕອນໃນເອກະສານແມ່ນບໍ່ຖືກຕ້ອງຫລືບໍ່ສາມາດຢືນຢັນໄດ້. ເອກະສານດັ່ງກ່າວແມ່ນປ້ອງກັນຈາກການດັດແກ້.", - "DE.Views.FileMenuPanels.ProtectDoc.txtView": "\nເບິ່ງລາຍເຊັນ", + "DE.Views.FileMenuPanels.ProtectDoc.txtView": "ເບິ່ງລາຍເຊັນ", "DE.Views.FileMenuPanels.Settings.okButtonText": "ໃຊ້", - "DE.Views.FileMenuPanels.Settings.strAlignGuides": "\nເປີດຄູ່ມືການຈັດຕໍາແໜ່ງ", - "DE.Views.FileMenuPanels.Settings.strAutoRecover": "\nເປີດໃຊ້ງານອັດຕະໂນມັດ", - "DE.Views.FileMenuPanels.Settings.strAutosave": "\nເປີດໃຊ້ງານອັດຕະໂນມັດ", + "DE.Views.FileMenuPanels.Settings.strAlignGuides": "ເປີດຄູ່ມືການຈັດຕໍາແໜ່ງ", + "DE.Views.FileMenuPanels.Settings.strAutoRecover": "ເປີດໃຊ້ງານອັດຕະໂນມັດ", + "DE.Views.FileMenuPanels.Settings.strAutosave": "ເປີດໃຊ້ງານອັດຕະໂນມັດ", "DE.Views.FileMenuPanels.Settings.strCoAuthMode": "ໂມດແກ້ໄຂຮ່ວມກັນ", "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescFast": "ຜູ້ໃຊ້ຊື່ອຶ່ນຈະເຫັນການປ່ຽນແປງຂອງເຈົ້າ", - "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "\nທ່ານຈະຕ້ອງຍອມຮັບການປ່ຽນແປງກ່ອນທີ່ທ່ານຈະເຫັນການປ່ຽນແປງ", + "DE.Views.FileMenuPanels.Settings.strCoAuthModeDescStrict": "ທ່ານຈະຕ້ອງຍອມຮັບການປ່ຽນແປງກ່ອນທີ່ທ່ານຈະເຫັນການປ່ຽນແປງ", "DE.Views.FileMenuPanels.Settings.strFast": "ໄວ", "DE.Views.FileMenuPanels.Settings.strFontRender": "ຕົວອັກສອນມົວ ບໍ່ເເຈ້ງ", "DE.Views.FileMenuPanels.Settings.strForcesave": "ເກັບຮັກສາໄວ້ໃນເຊີບເວີຢູ່ສະເໝີ (ຫຼືບັນທຶກໄວ້ໃນເຊີເວີເມື່ອປິດເອກະສານ)", @@ -1612,11 +1612,11 @@ "DE.Views.FileMenuPanels.Settings.strLiveComment": "ເປີດການສະແດງ ຄຳ ເຫັນ", "DE.Views.FileMenuPanels.Settings.strMacrosSettings": "ການຕັ້ງຄ່າ Macros", "DE.Views.FileMenuPanels.Settings.strPaste": "ຕັດ, ສຳເນົາ ແລະ ຕໍ່", - "DE.Views.FileMenuPanels.Settings.strPasteButton": "\nສະແດງປຸ່ມເລືອກວາງ ເມື່ອເນື້ອຫາໄດ້ຖືກຄັດຕິດ", + "DE.Views.FileMenuPanels.Settings.strPasteButton": "ສະແດງປຸ່ມເລືອກວາງ ເມື່ອເນື້ອຫາໄດ້ຖືກຄັດຕິດ", "DE.Views.FileMenuPanels.Settings.strResolvedComment": "ເປີດການສະແດງ ຄຳ ເຫັນທີ່ຖືກແກ້ໄຂ", - "DE.Views.FileMenuPanels.Settings.strShowChanges": "\nການປ່ຽນແປງການຮ່ວມມືໃນເວລາຈິງ", - "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "\nເປີດຕົວເລືອກການກວດສອບການສະກົດຄໍາ", - "DE.Views.FileMenuPanels.Settings.strStrict": "\nເຂັ້ມງວດ, ໂຕເຂັ້ມ", + "DE.Views.FileMenuPanels.Settings.strShowChanges": "ການປ່ຽນແປງການຮ່ວມມືໃນເວລາຈິງ", + "DE.Views.FileMenuPanels.Settings.strSpellCheckMode": "ເປີດຕົວເລືອກການກວດສອບການສະກົດຄໍາ", + "DE.Views.FileMenuPanels.Settings.strStrict": "ເຂັ້ມງວດ, ໂຕເຂັ້ມ", "DE.Views.FileMenuPanels.Settings.strUnit": "ຫົວໜ່ວຍການວັດແທກ", "DE.Views.FileMenuPanels.Settings.strZoom": "ຄ່າຂະຫຍາຍເລີ່ມຕົ້ມ", "DE.Views.FileMenuPanels.Settings.text10Minutes": "ທຸກໆ10ນາທີ", @@ -1628,18 +1628,18 @@ "DE.Views.FileMenuPanels.Settings.textAutoSave": "ບັນທຶກໂອໂຕ້", "DE.Views.FileMenuPanels.Settings.textCompatible": "ຄວາມສາມາດສ່ອງກັນ", "DE.Views.FileMenuPanels.Settings.textDisabled": "ປິດ", - "DE.Views.FileMenuPanels.Settings.textForceSave": "\nບັນທຶກໃສ່ Server", + "DE.Views.FileMenuPanels.Settings.textForceSave": "ບັນທຶກໃສ່ Server", "DE.Views.FileMenuPanels.Settings.textMinute": "ທຸກໆນາທີ", "DE.Views.FileMenuPanels.Settings.textOldVersions": "ເຮັດໃຫ້ເອກະສານເຂົ້າກັນໄດ້ກັບ MS Word ເກົ່າເມື່ອບັນທຶກເປັນ DOCX", - "DE.Views.FileMenuPanels.Settings.txtAll": "\nເບິ່ງ​ທັງ​ຫມົດ", + "DE.Views.FileMenuPanels.Settings.txtAll": "ເບິ່ງ​ທັງ​ຫມົດ", "DE.Views.FileMenuPanels.Settings.txtAutoCorrect": "ແກ້ໄຂຕົວເລືອກໂອໂຕ້...", - "DE.Views.FileMenuPanels.Settings.txtCacheMode": "\nໂຫມດເກັບຄ່າເລີ່ມຕົ້ນ", + "DE.Views.FileMenuPanels.Settings.txtCacheMode": "ໂຫມດເກັບຄ່າເລີ່ມຕົ້ນ", "DE.Views.FileMenuPanels.Settings.txtCm": "ເຊັນຕິເມັດ", "DE.Views.FileMenuPanels.Settings.txtFitPage": "ພໍດີຂອບ", "DE.Views.FileMenuPanels.Settings.txtFitWidth": "ພໍດີຂອບ", "DE.Views.FileMenuPanels.Settings.txtInch": "ຫົວໜ່ວຍ(ຫົວໜ່ວຍວັດແທກ)", "DE.Views.FileMenuPanels.Settings.txtInput": "ການປ້ອນຂໍ້ມູນສຳຮອງ", - "DE.Views.FileMenuPanels.Settings.txtLast": "\nເບິ່ງຄັ້ງສຸດທ້າຍ", + "DE.Views.FileMenuPanels.Settings.txtLast": "ເບິ່ງຄັ້ງສຸດທ້າຍ", "DE.Views.FileMenuPanels.Settings.txtLiveComment": "ການສະແດງຄວາມຄິດເຫັນ", "DE.Views.FileMenuPanels.Settings.txtMac": "ເປັນ OS X", "DE.Views.FileMenuPanels.Settings.txtNative": "ພື້ນເມືອງ", @@ -1729,9 +1729,9 @@ "DE.Views.HyperlinkSettingsDialog.textUrl": "ເຊື່ອມຕໍ່ຫາ", "DE.Views.HyperlinkSettingsDialog.txtBeginning": "ຈຸດເລີ່ມຕົ້ນຂອງເອກະສານ", "DE.Views.HyperlinkSettingsDialog.txtBookmarks": "ບຸກມາກ", - "DE.Views.HyperlinkSettingsDialog.txtEmpty": "\nຕ້ອງມີດ້ານນີ້", + "DE.Views.HyperlinkSettingsDialog.txtEmpty": "ຕ້ອງມີດ້ານນີ້", "DE.Views.HyperlinkSettingsDialog.txtHeadings": "ຫົວເລື່ອງ", - "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "\nຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນ \"http://www.example.com\"", + "DE.Views.HyperlinkSettingsDialog.txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນ \"http://www.example.com\"", "DE.Views.ImageSettings.textAdvanced": "ສະແດງການຕັ້ງຄ່າຂັ້ນສູງ", "DE.Views.ImageSettings.textCrop": "ຕັດເປັນສ່ວນ", "DE.Views.ImageSettings.textCropFill": "ຕື່ມ", @@ -1745,8 +1745,8 @@ "DE.Views.ImageSettings.textFromUrl": "ຈາກ URL", "DE.Views.ImageSettings.textHeight": "ລວງສູງ,ຄວາມສູງ", "DE.Views.ImageSettings.textHint270": "ໝຸນ90°ທວນເຂັມໂມງ", - "DE.Views.ImageSettings.textHint90": "\nໝຸນ90°ຕາມເຂັມໂມງ", - "DE.Views.ImageSettings.textHintFlipH": "\nດີດຕາມແນວນອນ ", + "DE.Views.ImageSettings.textHint90": "ໝຸນ90°ຕາມເຂັມໂມງ", + "DE.Views.ImageSettings.textHintFlipH": "ດີດຕາມແນວນອນ ", "DE.Views.ImageSettings.textHintFlipV": "ດີດຕາມແນວຕັ້ງ", "DE.Views.ImageSettings.textInsert": "ປ່ຽນແທນຮູບ", "DE.Views.ImageSettings.textOriginalSize": "ຂະໜາດຕົວຈິງ", @@ -1791,7 +1791,7 @@ "DE.Views.ImageSettingsAdvanced.textFlipped": "ດີດ", "DE.Views.ImageSettingsAdvanced.textHeight": "ລວງສູງ,ຄວາມສູງ", "DE.Views.ImageSettingsAdvanced.textHorizontal": "ລວງນອນ, ລວງຂວາງ", - "DE.Views.ImageSettingsAdvanced.textHorizontally": "\nຢຽດຕາມທາງຂວາງ", + "DE.Views.ImageSettingsAdvanced.textHorizontally": "ຢຽດຕາມທາງຂວາງ", "DE.Views.ImageSettingsAdvanced.textJoinType": "ຮ່ວມປະເພດ", "DE.Views.ImageSettingsAdvanced.textKeepRatio": "ອັດຕາສ່ວນຄົງທີ່", "DE.Views.ImageSettingsAdvanced.textLeft": "ຊ້າຍ", @@ -1810,13 +1810,13 @@ "DE.Views.ImageSettingsAdvanced.textPositionPc": "ຕຳແໜ່ງກ່ຽວຂອ້ງ", "DE.Views.ImageSettingsAdvanced.textRelative": "ກ່ຽວຂອ້ງກັບ", "DE.Views.ImageSettingsAdvanced.textRelativeWH": "ກ່ຽວຂອ້ງ", - "DE.Views.ImageSettingsAdvanced.textResizeFit": "\nປັບຂະໜາດຮູບຮ່າງໃຫ້ພໍດີກັບຂໍ້ຄວາມ", + "DE.Views.ImageSettingsAdvanced.textResizeFit": "ປັບຂະໜາດຮູບຮ່າງໃຫ້ພໍດີກັບຂໍ້ຄວາມ", "DE.Views.ImageSettingsAdvanced.textRight": "ຂວາ", "DE.Views.ImageSettingsAdvanced.textRightMargin": "ຂອບຂວາ", "DE.Views.ImageSettingsAdvanced.textRightOf": "ທາງດ້ານຂວາຂອງ", "DE.Views.ImageSettingsAdvanced.textRotation": "ການໝຸນ", "DE.Views.ImageSettingsAdvanced.textRound": "ຮອບ,ມົນ", - "DE.Views.ImageSettingsAdvanced.textShape": "\nການຕັ້ງຄ່າຮູບຮ່າງ", + "DE.Views.ImageSettingsAdvanced.textShape": "ການຕັ້ງຄ່າຮູບຮ່າງ", "DE.Views.ImageSettingsAdvanced.textSize": "ຂະໜາດ", "DE.Views.ImageSettingsAdvanced.textSquare": "ສີ່ຫຼ່ຽມ", "DE.Views.ImageSettingsAdvanced.textTextBox": "ກ່ອງຂໍ້ຄວາມ", @@ -1847,7 +1847,7 @@ "DE.Views.LeftMenu.tipTitles": "ຫົວຂໍ້", "DE.Views.LeftMenu.txtDeveloper": "ໂໝດການພັດທະນາ", "DE.Views.LeftMenu.txtLimit": "ຈຳກັດການເຂົ້າເຖິງ", - "DE.Views.LeftMenu.txtTrial": "\nແບບຈຳລອງ", + "DE.Views.LeftMenu.txtTrial": "ແບບຈຳລອງ", "DE.Views.LeftMenu.txtTrialDev": "ແບບນັດພັດທະນແບບທົດລອງ", "DE.Views.LineNumbersDialog.textAddLineNumbering": "ເພີ່ມໝາຍເລກ", "DE.Views.LineNumbersDialog.textApplyTo": "ນຳໃຊ້ການປ່ຽນແປງ", @@ -1900,7 +1900,7 @@ "DE.Views.ListSettingsDialog.textCenter": "ທາງກາງ", "DE.Views.ListSettingsDialog.textLeft": "ຊ້າຍ", "DE.Views.ListSettingsDialog.textLevel": "ລະດັບ", - "DE.Views.ListSettingsDialog.textPreview": "\nເບິ່ງຕົວຢ່າງ", + "DE.Views.ListSettingsDialog.textPreview": "ເບິ່ງຕົວຢ່າງ", "DE.Views.ListSettingsDialog.textRight": "ຂວາ", "DE.Views.ListSettingsDialog.txtAlign": "ການຈັດຕຳແໜ່ງ", "DE.Views.ListSettingsDialog.txtBullet": "ຂີດໜ້າ", @@ -2008,7 +2008,7 @@ "DE.Views.PageMarginsDialog.textOrientation": "ການຈັດວາງ", "DE.Views.PageMarginsDialog.textOutside": "ພາຍນອກ", "DE.Views.PageMarginsDialog.textPortrait": "ລວງຕັ້ງ", - "DE.Views.PageMarginsDialog.textPreview": "\nເບິ່ງຕົວຢ່າງ", + "DE.Views.PageMarginsDialog.textPreview": "ເບິ່ງຕົວຢ່າງ", "DE.Views.PageMarginsDialog.textRight": "ຂວາ", "DE.Views.PageMarginsDialog.textTitle": "ຂອບ", "DE.Views.PageMarginsDialog.textTop": "ເບື້ອງເທີງ", @@ -2031,7 +2031,7 @@ "DE.Views.ParagraphSettings.textBackColor": "ສີພື້ນຫຼັງ", "DE.Views.ParagraphSettings.textExact": "ແນ່ນອນ", "DE.Views.ParagraphSettings.txtAutoText": "ອັດຕະໂນມັດ", - "DE.Views.ParagraphSettingsAdvanced.noTabs": "\nແທັບທີ່ລະບຸໄວ້ຈະປາກົດຢູ່ໃນນີ້", + "DE.Views.ParagraphSettingsAdvanced.noTabs": "ແທັບທີ່ລະບຸໄວ້ຈະປາກົດຢູ່ໃນນີ້", "DE.Views.ParagraphSettingsAdvanced.strAllCaps": "ໂຕໃຫຍ່ທັງໝົດ", "DE.Views.ParagraphSettingsAdvanced.strBorders": "ເສັ້ນຂອບ ແລະ ຕື່ມ", "DE.Views.ParagraphSettingsAdvanced.strBreakBefore": "ແຍກໜ້າເອກະສານກ່ອນໜ້າ", @@ -2076,7 +2076,7 @@ "DE.Views.ParagraphSettingsAdvanced.textExact": "ແນ່ນອນ", "DE.Views.ParagraphSettingsAdvanced.textFirstLine": "ເສັ້ນທໍາອິດ", "DE.Views.ParagraphSettingsAdvanced.textHanging": "ແຂວນຢຸ່, ຫ້ອຍໄວ້", - "DE.Views.ParagraphSettingsAdvanced.textJustified": "\nຖືກຕ້ອງ", + "DE.Views.ParagraphSettingsAdvanced.textJustified": "ຖືກຕ້ອງ", "DE.Views.ParagraphSettingsAdvanced.textLeader": "ຜູ້ນຳ", "DE.Views.ParagraphSettingsAdvanced.textLeft": "ຊ້າຍ", "DE.Views.ParagraphSettingsAdvanced.textLevel": "ລະດັບ", @@ -2090,13 +2090,13 @@ "DE.Views.ParagraphSettingsAdvanced.textSpacing": "ການຈັດໄລຍະຫ່າງ", "DE.Views.ParagraphSettingsAdvanced.textTabCenter": "ທາງກາງ", "DE.Views.ParagraphSettingsAdvanced.textTabLeft": "ຊ້າຍ", - "DE.Views.ParagraphSettingsAdvanced.textTabPosition": "\nຕຳ ແໜ່ງຍັບເຂົ້າ (Tab)", + "DE.Views.ParagraphSettingsAdvanced.textTabPosition": "ຕຳ ແໜ່ງຍັບເຂົ້າ (Tab)", "DE.Views.ParagraphSettingsAdvanced.textTabRight": "ຂວາ", "DE.Views.ParagraphSettingsAdvanced.textTitle": "ການຕັ້ງຄ່າວັກຂັ້ນສູງ", "DE.Views.ParagraphSettingsAdvanced.textTop": "ເບື້ອງເທີງ", "DE.Views.ParagraphSettingsAdvanced.tipAll": "ກຳນົດເສັ້ນດ້ານນອກ ແລະ ດ້ານໃນ ທັງໝົດ", "DE.Views.ParagraphSettingsAdvanced.tipBottom": "ຕັ້ງຄ່າເສັ້ນຂອບດ້ານລຸ່ມເທົ່ານັ້ນ", - "DE.Views.ParagraphSettingsAdvanced.tipInner": "\nຕັ້ງສາຍພາຍໃນແນວນອນເທົ່ານັ້ນ", + "DE.Views.ParagraphSettingsAdvanced.tipInner": "ຕັ້ງສາຍພາຍໃນແນວນອນເທົ່ານັ້ນ", "DE.Views.ParagraphSettingsAdvanced.tipLeft": "ຕັ້ງຄ່າເສັ້ນຂອບດ້ານຊ້າຍເທົ່ານັ້ນ", "DE.Views.ParagraphSettingsAdvanced.tipNone": "ກຳນົດບໍ່ມີຂອບ", "DE.Views.ParagraphSettingsAdvanced.tipOuter": "ຕັ້ງຄ່າເສັ້ນຂອບນອກເທົ່ານັ້ນ", @@ -2107,11 +2107,11 @@ "DE.Views.RightMenu.txtChartSettings": "ການຕັ້ງຄ່າແຜ່ນຜັງ", "DE.Views.RightMenu.txtFormSettings": "ການຕັງຄ່າຈາກ", "DE.Views.RightMenu.txtHeaderFooterSettings": "ການຕັ້ງຄ່າສ່ວນຫົວ ແລະ ພື້ນ", - "DE.Views.RightMenu.txtImageSettings": "\nການຕັ້ງຄ່າຮູບພາບ", + "DE.Views.RightMenu.txtImageSettings": "ການຕັ້ງຄ່າຮູບພາບ", "DE.Views.RightMenu.txtMailMergeSettings": "ການຕັ້ງຄ່າຈົດ ໝາຍ ເຂົ້າກັນ", "DE.Views.RightMenu.txtParagraphSettings": "ການຕັ້ງຄ່າວັກ", - "DE.Views.RightMenu.txtShapeSettings": "\nການຕັ້ງຄ່າຮູບຮ່າງ", - "DE.Views.RightMenu.txtSignatureSettings": "\nການຕັ້ງຄ່າລາຍເຊັນ,ກຳນົດລາຍເຊັນ", + "DE.Views.RightMenu.txtShapeSettings": "ການຕັ້ງຄ່າຮູບຮ່າງ", + "DE.Views.RightMenu.txtSignatureSettings": "ການຕັ້ງຄ່າລາຍເຊັນ,ກຳນົດລາຍເຊັນ", "DE.Views.RightMenu.txtTableSettings": "ຕັ້ງຄ່າຕາຕະລາງ", "DE.Views.RightMenu.txtTextArtSettings": "ການຕັ້ງຄ່າ ຕົວອັກສອນຂໍ້ຄວາມ", "DE.Views.ShapeSettings.strBackground": "ສີພື້ນຫຼັງ", @@ -2119,7 +2119,7 @@ "DE.Views.ShapeSettings.strColor": "ສີ", "DE.Views.ShapeSettings.strFill": "ຕື່ມ", "DE.Views.ShapeSettings.strForeground": "ສີໜ້າຈໍ", - "DE.Views.ShapeSettings.strPattern": "\nຮູບແບບ", + "DE.Views.ShapeSettings.strPattern": "ຮູບແບບ", "DE.Views.ShapeSettings.strShadow": "ສະແດງເງົາ", "DE.Views.ShapeSettings.strSize": "ຂະໜາດ", "DE.Views.ShapeSettings.strStroke": "ການລາກເສັ້ນ", @@ -2127,7 +2127,7 @@ "DE.Views.ShapeSettings.strType": "ພິມ", "DE.Views.ShapeSettings.textAdvanced": "ສະແດງການຕັ້ງຄ່າຂັ້ນສູງ", "DE.Views.ShapeSettings.textAngle": "ມຸມ", - "DE.Views.ShapeSettings.textBorderSizeErr": "\nມູນຄ່າທີ່ປ້ອນເຂົ້າແມ່ນບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າລະຫວ່າງ 0 pt ແລະ 1584 pt.", + "DE.Views.ShapeSettings.textBorderSizeErr": "ມູນຄ່າທີ່ປ້ອນເຂົ້າແມ່ນບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າລະຫວ່າງ 0 pt ແລະ 1584 pt.", "DE.Views.ShapeSettings.textColor": "ຕື່ມແມ່ສີ", "DE.Views.ShapeSettings.textDirection": "ທິດທາງ", "DE.Views.ShapeSettings.textEmptyPattern": "ບໍ່ມີແບບຮູບ", @@ -2138,15 +2138,15 @@ "DE.Views.ShapeSettings.textGradient": "ຈຸດໆຂອງໄລ່ເສດສີ", "DE.Views.ShapeSettings.textGradientFill": "ລາດສີ", "DE.Views.ShapeSettings.textHint270": "ໝຸນ90°ທວນເຂັມໂມງ", - "DE.Views.ShapeSettings.textHint90": "\nໝຸນ90°ຕາມເຂັມໂມງ", + "DE.Views.ShapeSettings.textHint90": "ໝຸນ90°ຕາມເຂັມໂມງ", "DE.Views.ShapeSettings.textHintFlipH": "ດີດຕາມແນວນອນ ", "DE.Views.ShapeSettings.textHintFlipV": "ດີດຕາມແນວຕັງ", "DE.Views.ShapeSettings.textImageTexture": "ຮູບພາບ ແລະ ພື້ນ ", "DE.Views.ShapeSettings.textLinear": "ເສັ້ນຊື່", "DE.Views.ShapeSettings.textNoFill": "ບໍ່ມີການຕື່ມຂໍ້ມູນໃສ່", - "DE.Views.ShapeSettings.textPatternFill": "\nຮູບແບບ", + "DE.Views.ShapeSettings.textPatternFill": "ຮູບແບບ", "DE.Views.ShapeSettings.textPosition": "ຕໍາແໜ່ງ", - "DE.Views.ShapeSettings.textRadial": "\nລັງສີ", + "DE.Views.ShapeSettings.textRadial": "ລັງສີ", "DE.Views.ShapeSettings.textRotate90": "ໝຸນ 90°", "DE.Views.ShapeSettings.textRotation": "ການໝຸນ", "DE.Views.ShapeSettings.textSelectImage": "ເລືອກຮູບພາບ", @@ -2187,7 +2187,7 @@ "DE.Views.SignatureSettings.strSignature": "ລາຍເຊັນ", "DE.Views.SignatureSettings.strSigner": "ຜູ້ລົງນາມ", "DE.Views.SignatureSettings.strValid": "ລາຍເຊັນຖືກຕ້ອງ", - "DE.Views.SignatureSettings.txtContinueEditing": "\nແກ້ໄຂແນວໃດກໍ່ໄດ້", + "DE.Views.SignatureSettings.txtContinueEditing": "ແກ້ໄຂແນວໃດກໍ່ໄດ້", "DE.Views.SignatureSettings.txtEditWarning": "ການແກ້ໄຂຈະລືບລ້າງ", "DE.Views.SignatureSettings.txtRequestedSignatures": "ເອກະສານນີ້ຕ້ອງໄດ້ເຊັນ.", "DE.Views.SignatureSettings.txtSigned": "ລາຍເຊັນຖືກຕ້ອງໄດ້ຖືກເພີ່ມເຂົ້າໃນເອກະສານດັ່ງກ່າວ. ເອກະສານດັ່ງກ່າວແມ່ນປ້ອງກັນຈາກການດັດແກ້.", @@ -2196,7 +2196,7 @@ "DE.Views.Statusbar.pageIndexText": "ໜ້າ {0} ຂອງ {1}", "DE.Views.Statusbar.tipFitPage": "ພໍດີຂອບ", "DE.Views.Statusbar.tipFitWidth": "ພໍດີຂອບ", - "DE.Views.Statusbar.tipSetLang": "\nກຳນົດພາສາຂໍ້ຄວາມ", + "DE.Views.Statusbar.tipSetLang": "ກຳນົດພາສາຂໍ້ຄວາມ", "DE.Views.Statusbar.tipZoomFactor": "ຂະຫຍາຍ ", "DE.Views.Statusbar.tipZoomIn": "ຊຸມເຂົ້າ", "DE.Views.Statusbar.tipZoomOut": "ຂະຫຍາຍອອກ", @@ -2204,7 +2204,7 @@ "DE.Views.StyleTitleDialog.textHeader": "ສ້າງຮູບແບບໃໝ່", "DE.Views.StyleTitleDialog.textNextStyle": "ແບບວັກຕໍ່ໄປ", "DE.Views.StyleTitleDialog.textTitle": "ຫົວຂໍ້", - "DE.Views.StyleTitleDialog.txtEmpty": "\nຕ້ອງມີດ້ານນີ້", + "DE.Views.StyleTitleDialog.txtEmpty": "ຕ້ອງມີດ້ານນີ້", "DE.Views.StyleTitleDialog.txtNotEmpty": "ສະໜາມຕ້ອງຫວ່າງເປົ່າ", "DE.Views.StyleTitleDialog.txtSameAs": "ແບບດຽວກັນກັບແບບ ໃໝ່ ທີ່ຖືກສ້າງຂື້ນ", "DE.Views.TableFormulaDialog.textBookmark": "ວາງ Bookmark", @@ -2254,7 +2254,7 @@ "DE.Views.TableSettings.selectColumnText": "ເລືອກຖັນ", "DE.Views.TableSettings.selectRowText": "ເລືອກແຖວ", "DE.Views.TableSettings.selectTableText": "ເລືອກຕາຕະລາງ", - "DE.Views.TableSettings.splitCellsText": "\nແບ່ງແຍກຫ້ອງ", + "DE.Views.TableSettings.splitCellsText": "ແບ່ງແຍກຫ້ອງ", "DE.Views.TableSettings.splitCellTitleText": "ແຍກແຊວ ", "DE.Views.TableSettings.strRepeatRow": "ເຮັດຊ້ຳເປັນອີກແຖວສ່ວນຫົວຢູ່ປາຍສຸດຂອງແຕ່ລະໜ້າ", "DE.Views.TableSettings.textAddFormula": "ເພີ່ມສູດ", @@ -2274,14 +2274,14 @@ "DE.Views.TableSettings.textHeight": "ລວງສູງ,ຄວາມສູງ", "DE.Views.TableSettings.textLast": "ລ່າສຸດ", "DE.Views.TableSettings.textRows": "ແຖວ", - "DE.Views.TableSettings.textSelectBorders": "\nເລືອກຂອບເຂດທີ່ທ່ານຕ້ອງການປ່ຽນຮູບແບບການສະ ໝັກ ທີ່ເລືອກໄວ້ຂ້າງເທິງ", - "DE.Views.TableSettings.textTemplate": "\nເລືອກຈາກແມ່ແບບ", + "DE.Views.TableSettings.textSelectBorders": "ເລືອກຂອບເຂດທີ່ທ່ານຕ້ອງການປ່ຽນຮູບແບບການສະ ໝັກ ທີ່ເລືອກໄວ້ຂ້າງເທິງ", + "DE.Views.TableSettings.textTemplate": "ເລືອກຈາກແມ່ແບບ", "DE.Views.TableSettings.textTotal": "ຈຳນວນລວມ", "DE.Views.TableSettings.textWidth": "ລວງກວ້າງ", "DE.Views.TableSettings.tipAll": "ກຳນົດເສັ້ນດ້ານນອກ ແລະ ດ້ານໃນ ທັງໝົດ", - "DE.Views.TableSettings.tipBottom": "\nກຳນົດຂອບເຂດເສັ້ນທາງລຸ່ມເທົ່ານັ້ນ", + "DE.Views.TableSettings.tipBottom": "ກຳນົດຂອບເຂດເສັ້ນທາງລຸ່ມເທົ່ານັ້ນ", "DE.Views.TableSettings.tipInner": "ກຳນົດເສັ້ນດ້ານໃນເທົ່ານັ້ນ", - "DE.Views.TableSettings.tipInnerHor": "\nຕັ້ງສາຍພາຍໃນແນວນອນເທົ່ານັ້ນ", + "DE.Views.TableSettings.tipInnerHor": "ຕັ້ງສາຍພາຍໃນແນວນອນເທົ່ານັ້ນ", "DE.Views.TableSettings.tipInnerVert": "ກຳນົດເສັ້ນໃນແນວຕັ້ງເທົ່ານັ້ນ", "DE.Views.TableSettings.tipLeft": "ກຳ ນົດເຂດເສັ້ນດ້ານນອກເບື້ອງຊ້າຍເທົ່ານັ້ນ", "DE.Views.TableSettings.tipNone": "ກຳນົດບໍ່ມີຂອບ", @@ -2318,7 +2318,7 @@ "DE.Views.TableSettingsAdvanced.textCellSize": "ຂະໜາດແຊວ", "DE.Views.TableSettingsAdvanced.textCenter": "ທາງກາງ", "DE.Views.TableSettingsAdvanced.textCenterTooltip": "ທາງກາງ", - "DE.Views.TableSettingsAdvanced.textCheckMargins": "\nໃຊ້ຂອບເບື້ອງຕົ້ນ", + "DE.Views.TableSettingsAdvanced.textCheckMargins": "ໃຊ້ຂອບເບື້ອງຕົ້ນ", "DE.Views.TableSettingsAdvanced.textDefaultMargins": "ຄົງຄ່າຂອບຂອງແຊວ", "DE.Views.TableSettingsAdvanced.textDistance": "ໄລຍະຫ່າງຈາກ ຄໍາສັບ", "DE.Views.TableSettingsAdvanced.textHorizontal": "ລວງນອນ, ລວງຂວາງ", @@ -2335,7 +2335,7 @@ "DE.Views.TableSettingsAdvanced.textPage": "ໜ້າ", "DE.Views.TableSettingsAdvanced.textPosition": "ຕໍາແໜ່ງ", "DE.Views.TableSettingsAdvanced.textPrefWidth": "ຄວາມກວ້າງທີ່ຕ້ອງການ", - "DE.Views.TableSettingsAdvanced.textPreview": "\nເບິ່ງຕົວຢ່າງ", + "DE.Views.TableSettingsAdvanced.textPreview": "ເບິ່ງຕົວຢ່າງ", "DE.Views.TableSettingsAdvanced.textRelative": "ກ່ຽວຂອ້ງກັບ", "DE.Views.TableSettingsAdvanced.textRight": "ຂວາ", "DE.Views.TableSettingsAdvanced.textRightOf": "ທາງດ້ານຂວາຂອງ", @@ -2344,7 +2344,7 @@ "DE.Views.TableSettingsAdvanced.textTableBackColor": "ພຶ້ນລັງຕາຕະລາງ", "DE.Views.TableSettingsAdvanced.textTablePosition": "ຕຳ ແໜ່ງ ຕາຕະລາງ", "DE.Views.TableSettingsAdvanced.textTableSize": "ຂະໜາດຕາຕະລາງ", - "DE.Views.TableSettingsAdvanced.textTitle": "\nຕາຕະລາງ - ການຕັ້ງຄ່າຂັ້ນສູງ", + "DE.Views.TableSettingsAdvanced.textTitle": "ຕາຕະລາງ - ການຕັ້ງຄ່າຂັ້ນສູງ", "DE.Views.TableSettingsAdvanced.textTop": "ເບື້ອງເທີງ", "DE.Views.TableSettingsAdvanced.textVertical": "ລວງຕັ້ງ", "DE.Views.TableSettingsAdvanced.textWidth": "ລວງກວ້າງ", @@ -2376,7 +2376,7 @@ "DE.Views.TextArtSettings.strTransparency": "ຄວາມເຂັ້ມ", "DE.Views.TextArtSettings.strType": "ພິມ", "DE.Views.TextArtSettings.textAngle": "ມຸມ", - "DE.Views.TextArtSettings.textBorderSizeErr": "\nມູນຄ່າທີ່ປ້ອນເຂົ້າແມ່ນບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າລະຫວ່າງ 0 pt ແລະ 1584 pt.", + "DE.Views.TextArtSettings.textBorderSizeErr": "ມູນຄ່າທີ່ປ້ອນເຂົ້າແມ່ນບໍ່ຖືກຕ້ອງ.
ກະລຸນາໃສ່ຄ່າລະຫວ່າງ 0 pt ແລະ 1584 pt.", "DE.Views.TextArtSettings.textColor": "ເຕີມສີ", "DE.Views.TextArtSettings.textDirection": "ທິດທາງ", "DE.Views.TextArtSettings.textGradient": "ຈຸດໆຂອງໄລ່ເສດສີ", @@ -2384,7 +2384,7 @@ "DE.Views.TextArtSettings.textLinear": "ເສັ້ນຊື່", "DE.Views.TextArtSettings.textNoFill": "ບໍ່ມີການຕື່ມຂໍ້ມູນໃສ່", "DE.Views.TextArtSettings.textPosition": "ຕໍາແໜ່ງ", - "DE.Views.TextArtSettings.textRadial": "\nລັງສີ", + "DE.Views.TextArtSettings.textRadial": "ລັງສີ", "DE.Views.TextArtSettings.textSelectTexture": "ເລືອກ", "DE.Views.TextArtSettings.textStyle": "ປະເພດ ", "DE.Views.TextArtSettings.textTemplate": "ແມ່ແບບ", @@ -2430,8 +2430,8 @@ "DE.Views.Toolbar.mniHiddenChars": "ບໍ່ມີຕົວອັກສອນພິມ", "DE.Views.Toolbar.mniHighlightControls": "ໄຮໄລການຕັ້ງຄ່າ", "DE.Views.Toolbar.mniImageFromFile": "ຮູບພາບຈາກຟາຍ", - "DE.Views.Toolbar.mniImageFromStorage": "\nຮູບພາບຈາກບ່ອນເກັບພາບ", - "DE.Views.Toolbar.mniImageFromUrl": "\nຮູບພາບຈາກ URL", + "DE.Views.Toolbar.mniImageFromStorage": "ຮູບພາບຈາກບ່ອນເກັບພາບ", + "DE.Views.Toolbar.mniImageFromUrl": "ຮູບພາບຈາກ URL", "DE.Views.Toolbar.strMenuNoFill": "ບໍ່ມີການຕື່ມຂໍ້ມູນໃສ່", "DE.Views.Toolbar.textAutoColor": "ອັດຕະໂນມັດ", "DE.Views.Toolbar.textBold": "ໂຕເຂັມ ", @@ -2498,16 +2498,16 @@ "DE.Views.Toolbar.textTabFile": "ຟາຍ ", "DE.Views.Toolbar.textTabHome": "ໜ້າຫຼັກ", "DE.Views.Toolbar.textTabInsert": "ເພີ່ມ", - "DE.Views.Toolbar.textTabLayout": "\nແຜນຜັງ", + "DE.Views.Toolbar.textTabLayout": "ແຜນຜັງ", "DE.Views.Toolbar.textTabLinks": "ເອກະສານອ້າງອີງ", - "DE.Views.Toolbar.textTabProtect": "\nການປ້ອງກັນ", + "DE.Views.Toolbar.textTabProtect": "ການປ້ອງກັນ", "DE.Views.Toolbar.textTabReview": "ກວດຄືນ", "DE.Views.Toolbar.textTitleError": "ຂໍ້ຜິດພາດ", "DE.Views.Toolbar.textToCurrent": "ເຖິງ ຕຳ ແໜ່ງ ປະຈຸບັນ", "DE.Views.Toolbar.textTop": "ທາງເທີງ:", "DE.Views.Toolbar.textUnderline": "ຂີ້ດກ້ອງ", "DE.Views.Toolbar.tipAlignCenter": "ຈັດຕຳແໜ່ງເຄິ່ງກາງ", - "DE.Views.Toolbar.tipAlignJust": "\nຖືກຕ້ອງ", + "DE.Views.Toolbar.tipAlignJust": "ຖືກຕ້ອງ", "DE.Views.Toolbar.tipAlignLeft": "ຈັດຕຳແໜ່ງເບື່ອງຊ້າຍ", "DE.Views.Toolbar.tipAlignRight": "ຈັດຕຳແໜ່ງຕິດຂວາ", "DE.Views.Toolbar.tipBack": "ກັບຄືນ", @@ -2540,7 +2540,7 @@ "DE.Views.Toolbar.tipInsertShape": "ແທກຮູບຮ່າງ ອັດຕະໂນມັດ", "DE.Views.Toolbar.tipInsertSymbol": "ເພີ່ມສັນຍາລັກ", "DE.Views.Toolbar.tipInsertTable": "ເພີ່ມຕາຕະລາງ", - "DE.Views.Toolbar.tipInsertText": "\nໃສ່ຊ່ອງຂໍ້ຄວາມ", + "DE.Views.Toolbar.tipInsertText": "ໃສ່ຊ່ອງຂໍ້ຄວາມ", "DE.Views.Toolbar.tipInsertTextArt": "ເພີ່ມສີລະປະໃສ່ເນື້ອຫາ", "DE.Views.Toolbar.tipLineNumbers": "ສະແດງໝາຍເລກບັນທັດ", "DE.Views.Toolbar.tipLineSpace": "ເສັ້ນຂອບວັກ", @@ -2563,7 +2563,7 @@ "DE.Views.Toolbar.tipSendForward": "ເອົາຂຶ້ນມາທາງໜ້າ", "DE.Views.Toolbar.tipShowHiddenChars": "ບໍ່ມີຕົວອັກສອນພິມ", "DE.Views.Toolbar.tipSynchronize": "ເອກະສານດັ່ງກ່າວໄດ້ຖືກປ່ຽນໂດຍຜູ້ໃຊ້ຄົນອື່ນ. ກະລຸນາກົດເພື່ອບັນທຶກການປ່ຽນແປງຂອງທ່ານແລະໂຫຼດໃໝ່.", - "DE.Views.Toolbar.tipUndo": "\nຍົກເລີກ", + "DE.Views.Toolbar.tipUndo": "ຍົກເລີກ", "DE.Views.Toolbar.tipWatermark": "ແກ້ໄຂເຄື່ອງໝາຍທ້ວງ", "DE.Views.Toolbar.txtDistribHor": "ແຈກຢາຍຕາມແນວນອນ", "DE.Views.Toolbar.txtDistribVert": "ແຈກຢາຍແນວຕັ້ງ", @@ -2579,7 +2579,7 @@ "DE.Views.Toolbar.txtScheme15": "ເດີມ,ແຕ່ເດີມ", "DE.Views.Toolbar.txtScheme16": "ເຈ້ຍ", "DE.Views.Toolbar.txtScheme17": "ເສັ້ນໝູນອ້ອມດວງຕາເວັນ", - "DE.Views.Toolbar.txtScheme18": "\nເຕັກນິກ", + "DE.Views.Toolbar.txtScheme18": "ເຕັກນິກ", "DE.Views.Toolbar.txtScheme19": "Trek", "DE.Views.Toolbar.txtScheme2": "ໂທນສີເທົາ", "DE.Views.Toolbar.txtScheme20": "ໃນເມືອງ", @@ -2590,7 +2590,7 @@ "DE.Views.Toolbar.txtScheme6": "ສຳມະໂນ", "DE.Views.Toolbar.txtScheme7": "ຄວາມເທົ່າທຽມກັນ", "DE.Views.Toolbar.txtScheme8": "ຂະບວນການ", - "DE.Views.Toolbar.txtScheme9": "\nໂຮງຫລໍ່", + "DE.Views.Toolbar.txtScheme9": "ໂຮງຫລໍ່", "DE.Views.WatermarkSettingsDialog.textAuto": "ໂອໂຕ້", "DE.Views.WatermarkSettingsDialog.textBold": "ໂຕເຂັມ ", "DE.Views.WatermarkSettingsDialog.textColor": "ສີຂໍ້ຄວາມ", @@ -2603,7 +2603,7 @@ "DE.Views.WatermarkSettingsDialog.textImageW": "ຮູບພາບເຄື່ອງໝາຍທ້ວງ", "DE.Views.WatermarkSettingsDialog.textItalic": "ໂຕໜັງສືອຽງ", "DE.Views.WatermarkSettingsDialog.textLanguage": "ພາສາ", - "DE.Views.WatermarkSettingsDialog.textLayout": "\nແຜນຜັງ", + "DE.Views.WatermarkSettingsDialog.textLayout": "ແຜນຜັງ", "DE.Views.WatermarkSettingsDialog.textNewColor": "ເພີ່ມສີທີ່ກຳໜົດເອງໃໝ່", "DE.Views.WatermarkSettingsDialog.textNone": "ບໍ່ມີ", "DE.Views.WatermarkSettingsDialog.textScale": "ຂະໜາດ", diff --git a/apps/documenteditor/main/locale/lv.json b/apps/documenteditor/main/locale/lv.json index be0724e10..c16d3338a 100644 --- a/apps/documenteditor/main/locale/lv.json +++ b/apps/documenteditor/main/locale/lv.json @@ -431,7 +431,7 @@ "DE.Controllers.Toolbar.textAccent": "Accents", "DE.Controllers.Toolbar.textBracket": "Brackets", "DE.Controllers.Toolbar.textEmptyImgUrl": "Jums nepieciešams norādīt attēla URL.", - "DE.Controllers.Toolbar.textFontSizeErr": "The entered value must be more than 0", + "DE.Controllers.Toolbar.textFontSizeErr": "The entered value is incorrect.
Please enter a numeric value between 1 and 300", "DE.Controllers.Toolbar.textFraction": "Fractions", "DE.Controllers.Toolbar.textFunction": "Functions", "DE.Controllers.Toolbar.textIntegral": "Integrals", diff --git a/apps/documenteditor/main/locale/nl.json b/apps/documenteditor/main/locale/nl.json index b1984e2f6..b3065d87b 100644 --- a/apps/documenteditor/main/locale/nl.json +++ b/apps/documenteditor/main/locale/nl.json @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Accenten", "DE.Controllers.Toolbar.textBracket": "Haakjes", "DE.Controllers.Toolbar.textEmptyImgUrl": "U moet een URL opgeven voor de afbeelding.", - "DE.Controllers.Toolbar.textFontSizeErr": "De ingevoerde waarde is onjuist.
Voer een waarde tussen 1 en 100 in", + "DE.Controllers.Toolbar.textFontSizeErr": "De ingevoerde waarde is onjuist.
Voer een waarde tussen 1 en 300 in", "DE.Controllers.Toolbar.textFraction": "Breuken", "DE.Controllers.Toolbar.textFunction": "Functies", "DE.Controllers.Toolbar.textInsert": "Invoegen", diff --git a/apps/documenteditor/main/locale/pl.json b/apps/documenteditor/main/locale/pl.json index 599482789..d1906a830 100644 --- a/apps/documenteditor/main/locale/pl.json +++ b/apps/documenteditor/main/locale/pl.json @@ -443,7 +443,7 @@ "DE.Controllers.Toolbar.textAccent": "Akcenty", "DE.Controllers.Toolbar.textBracket": "Klamry", "DE.Controllers.Toolbar.textEmptyImgUrl": "Musisz podać adres URL obrazu.", - "DE.Controllers.Toolbar.textFontSizeErr": "Wprowadzona wartość jest nieprawidłowa.
Wprowadź wartość numeryczną w zakresie od 1 do 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Wprowadzona wartość jest nieprawidłowa.
Wprowadź wartość numeryczną w zakresie od 1 do 300", "DE.Controllers.Toolbar.textFraction": "Ułamki", "DE.Controllers.Toolbar.textFunction": "Funkcje", "DE.Controllers.Toolbar.textIntegral": "Całki", @@ -1055,6 +1055,7 @@ "DE.Views.FileMenu.btnRightsCaption": "Prawa dostępu...", "DE.Views.FileMenu.btnSaveAsCaption": "Zapisz jako", "DE.Views.FileMenu.btnSaveCaption": "Zapisz", + "DE.Views.FileMenu.btnSaveCopyAsCaption": "Zapisz kopię jako…", "DE.Views.FileMenu.btnSettingsCaption": "Zaawansowane ustawienia...", "DE.Views.FileMenu.btnToEditCaption": "Edytuj dokument", "DE.Views.FileMenu.textDownload": "Pobierz", diff --git a/apps/documenteditor/main/locale/pt.json b/apps/documenteditor/main/locale/pt.json index 4dd48150a..96f8e7a6c 100644 --- a/apps/documenteditor/main/locale/pt.json +++ b/apps/documenteditor/main/locale/pt.json @@ -437,7 +437,7 @@ "DE.Controllers.Main.errorBadImageUrl": "URL de imagem está incorreta", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexão com servidor perdida. O documento não pode ser editado neste momento.", "DE.Controllers.Main.errorCompare": "O recurso Comparar documentos não está disponível durante a coedição.", - "DE.Controllers.Main.errorConnectToServer": "O documento não pode ser gravado. Verifique as configurações de conexão ou entre em contato com o administrador.
Quando você clicar no botão 'OK', você será solicitado ao baixar o documento.

Saiba mais com seu Servidor de Documentos here", + "DE.Controllers.Main.errorConnectToServer": "O documento não pode ser gravado. Verifique as configurações de conexão ou entre em contato com o administrador.
Quando você clicar no botão 'OK', você será solicitado ao baixar o documento.", "DE.Controllers.Main.errorDatabaseConnection": "Erro externo.
Erro de conexão ao banco de dados. Entre em contato com o suporte caso o erro persista.", "DE.Controllers.Main.errorDataEncrypted": "Alterações criptografadas foram recebidas, e não podem ser decifradas.", "DE.Controllers.Main.errorDataRange": "Intervalo de dados incorreto.", @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Destaques", "DE.Controllers.Toolbar.textBracket": "Parênteses", "DE.Controllers.Toolbar.textEmptyImgUrl": "Você precisa especificar uma URL de imagem.", - "DE.Controllers.Toolbar.textFontSizeErr": "O valor inserido está incorreto.
Insira um valor numérico entre 1 e 100", + "DE.Controllers.Toolbar.textFontSizeErr": "O valor inserido está incorreto.
Insira um valor numérico entre 1 e 300", "DE.Controllers.Toolbar.textFraction": "Frações", "DE.Controllers.Toolbar.textFunction": "Funções", "DE.Controllers.Toolbar.textInsert": "Inserir", @@ -1671,6 +1671,7 @@ "DE.Views.FormSettings.textKey": "Chave", "DE.Views.FormSettings.textLock": "Bloquear", "DE.Views.FormSettings.textMaxChars": "Limite de caracteres", + "DE.Views.FormSettings.textNoBorder": "Sem limite", "DE.Views.FormSettings.textPlaceholder": "Marcador de posição", "DE.Views.FormSettings.textRadiobox": "Botao de radio", "DE.Views.FormSettings.textSelectImage": "Selecionar Imagem", diff --git a/apps/documenteditor/main/locale/ro.json b/apps/documenteditor/main/locale/ro.json index ccd3014d3..9dcb5d14a 100644 --- a/apps/documenteditor/main/locale/ro.json +++ b/apps/documenteditor/main/locale/ro.json @@ -437,7 +437,7 @@ "DE.Controllers.Main.errorBadImageUrl": "URL-ul imaginii incorectă", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Conexiunea la server a fost pierdută. Deocamdată, imposibil de editat documentul.", "DE.Controllers.Main.errorCompare": "Opțiunea Comparare documente nu este disponibilă în timpul coeditării. ", - "DE.Controllers.Main.errorConnectToServer": "Documentul nu poate fi salvat. Verificați-vă setările de conexiune sau contactați administratorul dvs de rețea.
După ce faceți clic pe butonul OK vi se va solicita să descărcați documentul

Aflați mai multe informații despre conectarea la Sever Documente here", + "DE.Controllers.Main.errorConnectToServer": "Documentul nu poate fi salvat. Verificați-vă setările de conexiune sau contactați administratorul dvs de rețea.
După ce faceți clic pe butonul OK vi se va solicita să descărcați documentul.", "DE.Controllers.Main.errorDatabaseConnection": "Eroare externă.
Eroare de conectare la baza de date. Dacă eroarea persistă, contactați Serviciul de Asistență Clienți.", "DE.Controllers.Main.errorDataEncrypted": "Modificările primite sunt criptate, decriptarea este imposibilă.", "DE.Controllers.Main.errorDataRange": "Zonă de date incorectă.", @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Accente", "DE.Controllers.Toolbar.textBracket": "Paranteze", "DE.Controllers.Toolbar.textEmptyImgUrl": "Trebuie specificată adresa URL a imaginii.", - "DE.Controllers.Toolbar.textFontSizeErr": "Valoarea introdusă nu este corectă.
Introduceți valoarea numerică de la 1 până la 100.", + "DE.Controllers.Toolbar.textFontSizeErr": "Valoarea introdusă nu este corectă.
Introduceți valoarea numerică de la 1 până la 300.", "DE.Controllers.Toolbar.textFraction": "Fracții", "DE.Controllers.Toolbar.textFunction": "Funcții", "DE.Controllers.Toolbar.textInsert": "Inserare", @@ -1671,6 +1671,7 @@ "DE.Views.FormSettings.textKey": "Cheie", "DE.Views.FormSettings.textLock": "Blocare", "DE.Views.FormSettings.textMaxChars": "Numărul limită de caractere", + "DE.Views.FormSettings.textNoBorder": "Fără bordură", "DE.Views.FormSettings.textPlaceholder": "Substituent", "DE.Views.FormSettings.textRadiobox": "Buton opțiune", "DE.Views.FormSettings.textSelectImage": "Selectați imaginea", @@ -1848,7 +1849,7 @@ "DE.Views.LeftMenu.txtDeveloper": "MOD DEZVOLTATOR", "DE.Views.LeftMenu.txtLimit": "Limitare acces", "DE.Views.LeftMenu.txtTrial": "PERIOADĂ DE PROBĂ", - "DE.Views.LeftMenu.txtTrialDev": "Versiunea de încercare a modului dezvoltator", + "DE.Views.LeftMenu.txtTrialDev": "Mod dezvoltator de încercare", "DE.Views.LineNumbersDialog.textAddLineNumbering": "Adăugare numere de linie", "DE.Views.LineNumbersDialog.textApplyTo": "Aplicarea modificărilor pentru", "DE.Views.LineNumbersDialog.textContinuous": "Continuă", diff --git a/apps/documenteditor/main/locale/ru.json b/apps/documenteditor/main/locale/ru.json index 4f974428f..0d647e622 100644 --- a/apps/documenteditor/main/locale/ru.json +++ b/apps/documenteditor/main/locale/ru.json @@ -23,7 +23,7 @@ "Common.Controllers.ReviewChanges.textColor": "Цвет шрифта", "Common.Controllers.ReviewChanges.textContextual": "Не добавлять интервал между абзацами одного стиля", "Common.Controllers.ReviewChanges.textDeleted": "Удалено:", - "Common.Controllers.ReviewChanges.textDStrikeout": "Двойное зачеркивание", + "Common.Controllers.ReviewChanges.textDStrikeout": "Двойное зачёркивание", "Common.Controllers.ReviewChanges.textEquation": "Уравнение", "Common.Controllers.ReviewChanges.textExact": "Точно", "Common.Controllers.ReviewChanges.textFirstLine": "Первая строка", @@ -63,7 +63,7 @@ "Common.Controllers.ReviewChanges.textSpacing": "Интервал", "Common.Controllers.ReviewChanges.textSpacingAfter": "Интервал после абзаца", "Common.Controllers.ReviewChanges.textSpacingBefore": "Интервал перед абзацем", - "Common.Controllers.ReviewChanges.textStrikeout": "Зачеркнутый", + "Common.Controllers.ReviewChanges.textStrikeout": "Зачёркнутый", "Common.Controllers.ReviewChanges.textSubScript": "Подстрочные", "Common.Controllers.ReviewChanges.textSuperScript": "Надстрочные", "Common.Controllers.ReviewChanges.textTableChanged": "Изменены настройки таблицы", @@ -514,7 +514,7 @@ "DE.Controllers.Main.textLoadingDocument": "Загрузка документа", "DE.Controllers.Main.textNoLicenseTitle": "Лицензионное ограничение", "DE.Controllers.Main.textPaidFeature": "Платная функция", - "DE.Controllers.Main.textRemember": "Запомнить мой выбор", + "DE.Controllers.Main.textRemember": "Запомнить мой выбор для всех файлов", "DE.Controllers.Main.textShape": "Фигура", "DE.Controllers.Main.textStrict": "Строгий режим", "DE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.
Нажмите на кнопку 'Строгий режим' для переключения в Строгий режим совместного редактирования, чтобы редактировать файл без вмешательства других пользователей и отправлять изменения только после того, как вы их сохраните. Переключаться между режимами совместного редактирования можно с помощью Дополнительных параметров редактора.", @@ -791,7 +791,7 @@ "DE.Controllers.Toolbar.textAccent": "Диакритические знаки", "DE.Controllers.Toolbar.textBracket": "Скобки", "DE.Controllers.Toolbar.textEmptyImgUrl": "Необходимо указать URL изображения.", - "DE.Controllers.Toolbar.textFontSizeErr": "Введенное значение некорректно.
Введите числовое значение от 1 до 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Введенное значение некорректно.
Введите числовое значение от 1 до 300", "DE.Controllers.Toolbar.textFraction": "Дроби", "DE.Controllers.Toolbar.textFunction": "Функции", "DE.Controllers.Toolbar.textInsert": "Вставить", @@ -1671,6 +1671,7 @@ "DE.Views.FormSettings.textKey": "Ключ", "DE.Views.FormSettings.textLock": "Заблокировать", "DE.Views.FormSettings.textMaxChars": "Максимальное число знаков", + "DE.Views.FormSettings.textNoBorder": "Без границ", "DE.Views.FormSettings.textPlaceholder": "Заполнитель", "DE.Views.FormSettings.textRadiobox": "Переключатель", "DE.Views.FormSettings.textSelectImage": "Выбрать изображение", @@ -2484,7 +2485,7 @@ "DE.Views.Toolbar.textRestartEachSection": "В каждом разделе", "DE.Views.Toolbar.textRichControl": "Форматированный текст", "DE.Views.Toolbar.textRight": "Правое: ", - "DE.Views.Toolbar.textStrikeout": "Зачеркнутый", + "DE.Views.Toolbar.textStrikeout": "Зачёркнутый", "DE.Views.Toolbar.textStyleMenuDelete": "Удалить стиль", "DE.Views.Toolbar.textStyleMenuDeleteAll": "Удалить все пользовательские стили", "DE.Views.Toolbar.textStyleMenuNew": "Новый стиль из выделенного фрагмента", @@ -2608,7 +2609,7 @@ "DE.Views.WatermarkSettingsDialog.textNone": "Нет", "DE.Views.WatermarkSettingsDialog.textScale": "Масштаб", "DE.Views.WatermarkSettingsDialog.textSelect": "Выбрать изображение", - "DE.Views.WatermarkSettingsDialog.textStrikeout": "Зачеркнутый", + "DE.Views.WatermarkSettingsDialog.textStrikeout": "Зачёркнутый", "DE.Views.WatermarkSettingsDialog.textText": "Текст", "DE.Views.WatermarkSettingsDialog.textTextW": "Текстовая подложка", "DE.Views.WatermarkSettingsDialog.textTitle": "Параметры подложки", diff --git a/apps/documenteditor/main/locale/sk.json b/apps/documenteditor/main/locale/sk.json index 1371cc4de..219ef0ac5 100644 --- a/apps/documenteditor/main/locale/sk.json +++ b/apps/documenteditor/main/locale/sk.json @@ -695,7 +695,7 @@ "DE.Controllers.Toolbar.textAccent": "Akcenty", "DE.Controllers.Toolbar.textBracket": "Zátvorky", "DE.Controllers.Toolbar.textEmptyImgUrl": "Musíte upresniť URL obrázka.", - "DE.Controllers.Toolbar.textFontSizeErr": "Zadaná hodnota je nesprávna.
Prosím, zadajte číselnú hodnotu medzi 1 a 100.", + "DE.Controllers.Toolbar.textFontSizeErr": "Zadaná hodnota je nesprávna.
Prosím, zadajte číselnú hodnotu medzi 1 a 300.", "DE.Controllers.Toolbar.textFraction": "Zlomky", "DE.Controllers.Toolbar.textFunction": "Funkcie", "DE.Controllers.Toolbar.textInsert": "Vložiť", diff --git a/apps/documenteditor/main/locale/sl.json b/apps/documenteditor/main/locale/sl.json index b63869160..dcf555871 100644 --- a/apps/documenteditor/main/locale/sl.json +++ b/apps/documenteditor/main/locale/sl.json @@ -51,7 +51,7 @@ "Common.Controllers.ReviewChanges.textParaInserted": "Paragraph Inserted", "Common.Controllers.ReviewChanges.textParaMoveFromDown": "Premaknjeno navzdol:", "Common.Controllers.ReviewChanges.textParaMoveFromUp": "Premakni se navzgor", - "Common.Controllers.ReviewChanges.textParaMoveTo": "Premakni se:", + "Common.Controllers.ReviewChanges.textParaMoveTo": "Premakni se:", "Common.Controllers.ReviewChanges.textPosition": "Position", "Common.Controllers.ReviewChanges.textRight": "Align right", "Common.Controllers.ReviewChanges.textShape": "Shape", @@ -63,7 +63,7 @@ "Common.Controllers.ReviewChanges.textStrikeout": "Strikeout", "Common.Controllers.ReviewChanges.textSubScript": "Subscript", "Common.Controllers.ReviewChanges.textSuperScript": "Superscript", - "Common.Controllers.ReviewChanges.textTableChanged": "Nastavitve tabele so se spremenile ", + "Common.Controllers.ReviewChanges.textTableChanged": "Nastavitve tabele so se spremenile ", "Common.Controllers.ReviewChanges.textTableRowsAdd": "Dodan stolpec v tabelo", "Common.Controllers.ReviewChanges.textTableRowsDel": "Vrstica tabele je izbrisana", "Common.Controllers.ReviewChanges.textTabs": "Change tabs", @@ -445,7 +445,7 @@ "DE.Controllers.Toolbar.textAccent": "Narečja", "DE.Controllers.Toolbar.textBracket": "Oklepaji", "DE.Controllers.Toolbar.textEmptyImgUrl": "Določiti morate URL slike.", - "DE.Controllers.Toolbar.textFontSizeErr": "Vnesena vrednost je nepravilna.
Prosim vnesite numerično vrednost med 1 in 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Vnesena vrednost je nepravilna.
Prosim vnesite numerično vrednost med 1 in 300", "DE.Controllers.Toolbar.textFraction": "Frakcije", "DE.Controllers.Toolbar.textFunction": "Funkcije", "DE.Controllers.Toolbar.textInsert": "Vstavi", @@ -1682,6 +1682,7 @@ "DE.Views.Toolbar.capBtnInsPagebreak": "Prelomi", "DE.Views.Toolbar.capBtnInsTable": "Tabela", "DE.Views.Toolbar.capBtnInsTextbox": "Polje z besedilom", + "DE.Views.Toolbar.capBtnMargins": "Robovi", "DE.Views.Toolbar.capBtnPageOrient": "Usmerjenost", "DE.Views.Toolbar.capBtnPageSize": "Velikost", "DE.Views.Toolbar.capBtnWatermark": "Vodni žig", diff --git a/apps/documenteditor/main/locale/sv.json b/apps/documenteditor/main/locale/sv.json index e19f9fcc7..1e694534b 100644 --- a/apps/documenteditor/main/locale/sv.json +++ b/apps/documenteditor/main/locale/sv.json @@ -382,7 +382,7 @@ "DE.Controllers.Main.errorBadImageUrl": "Bildens URL är felaktig", "DE.Controllers.Main.errorCoAuthoringDisconnect": "Serveranslutning förlorade. Dokumentet kan inte redigeras just nu.", "DE.Controllers.Main.errorCompare": "Funktionen jämför dokument är inte tillgänglig vid samredigering.", - "DE.Controllers.Main.errorConnectToServer": "Dokumentet kunde inte sparas. Kontrollera anslutningsinställningarna eller kontakta administratören
När du klickar på \"OK\"-knappen, kommer du att bli ombedd att ladda ner dokumentet", + "DE.Controllers.Main.errorConnectToServer": "Dokumentet kunde inte sparas. Kontrollera anslutningsinställningarna eller kontakta administratören
När du klickar på \"OK\"-knappen, kommer du att bli ombedd att ladda ner dokumentet.", "DE.Controllers.Main.errorDatabaseConnection": "Externt fel.
Databasen gick inte att koppla. Kontakta support om felet består.", "DE.Controllers.Main.errorDataEncrypted": "Krypterade ändringar har tagits emot, de kan inte avkodas.", "DE.Controllers.Main.errorDataRange": "Felaktig dataomfång", @@ -645,7 +645,7 @@ "DE.Controllers.Toolbar.textAccent": "Accenter", "DE.Controllers.Toolbar.textBracket": "Parantes", "DE.Controllers.Toolbar.textEmptyImgUrl": "Du behöver ange en URL för bilden.", - "DE.Controllers.Toolbar.textFontSizeErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett numeriskt värde mellan 0 och 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Det angivna värdet är inkorrekt.
Vänligen ange ett numeriskt värde mellan 0 och 300", "DE.Controllers.Toolbar.textFraction": "Fraktioner", "DE.Controllers.Toolbar.textFunction": "Funktioner", "DE.Controllers.Toolbar.textInsert": "Infoga", diff --git a/apps/documenteditor/main/locale/tr.json b/apps/documenteditor/main/locale/tr.json index b36e0b46c..2a98677c6 100644 --- a/apps/documenteditor/main/locale/tr.json +++ b/apps/documenteditor/main/locale/tr.json @@ -455,7 +455,7 @@ "DE.Controllers.Toolbar.textAccent": "Aksan", "DE.Controllers.Toolbar.textBracket": "Ayraç", "DE.Controllers.Toolbar.textEmptyImgUrl": "Resim URL'si belirtmelisiniz.", - "DE.Controllers.Toolbar.textFontSizeErr": "Girilen değer yanlış.
Lütfen 1 ile 100 arasında sayısal değer giriniz.", + "DE.Controllers.Toolbar.textFontSizeErr": "Girilen değer yanlış.
Lütfen 1 ile 300 arasında sayısal değer giriniz.", "DE.Controllers.Toolbar.textFraction": "Kesirler", "DE.Controllers.Toolbar.textFunction": "İşlev", "DE.Controllers.Toolbar.textIntegral": "Integral", diff --git a/apps/documenteditor/main/locale/uk.json b/apps/documenteditor/main/locale/uk.json index 0aa5b2e7a..203c1183b 100644 --- a/apps/documenteditor/main/locale/uk.json +++ b/apps/documenteditor/main/locale/uk.json @@ -414,7 +414,7 @@ "DE.Controllers.Toolbar.textAccent": "Акценти", "DE.Controllers.Toolbar.textBracket": "дужки", "DE.Controllers.Toolbar.textEmptyImgUrl": "Потрібно вказати URL-адресу зображення.", - "DE.Controllers.Toolbar.textFontSizeErr": "Введене значення невірно.
Будь ласка, введіть числове значення від 1 до 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Введене значення невірно.
Будь ласка, введіть числове значення від 1 до 300", "DE.Controllers.Toolbar.textFraction": "Дроби", "DE.Controllers.Toolbar.textFunction": "Функції", "DE.Controllers.Toolbar.textIntegral": "Інтеграли", diff --git a/apps/documenteditor/main/locale/vi.json b/apps/documenteditor/main/locale/vi.json index f737e855a..72d651968 100644 --- a/apps/documenteditor/main/locale/vi.json +++ b/apps/documenteditor/main/locale/vi.json @@ -360,7 +360,7 @@ "DE.Controllers.Toolbar.textAccent": "Dấu phụ", "DE.Controllers.Toolbar.textBracket": "Dấu ngoặc", "DE.Controllers.Toolbar.textEmptyImgUrl": "Bạn cần chỉ định URL hình ảnh.", - "DE.Controllers.Toolbar.textFontSizeErr": "Giá trị đã nhập không chính xác.
Nhập một giá trị số thuộc từ 1 đến 100", + "DE.Controllers.Toolbar.textFontSizeErr": "Giá trị đã nhập không chính xác.
Nhập một giá trị số thuộc từ 1 đến 300", "DE.Controllers.Toolbar.textFraction": "Phân số", "DE.Controllers.Toolbar.textFunction": "Hàm số", "DE.Controllers.Toolbar.textIntegral": "Tích phân", diff --git a/apps/documenteditor/main/locale/zh.json b/apps/documenteditor/main/locale/zh.json index d3a80384c..a0840ac4a 100644 --- a/apps/documenteditor/main/locale/zh.json +++ b/apps/documenteditor/main/locale/zh.json @@ -22,7 +22,7 @@ "Common.Controllers.ReviewChanges.textChart": "图表", "Common.Controllers.ReviewChanges.textColor": "字体颜色", "Common.Controllers.ReviewChanges.textContextual": "不要在相同样式的段落之间添加间隔", - "Common.Controllers.ReviewChanges.textDeleted": "已删除", + "Common.Controllers.ReviewChanges.textDeleted": "已删除", "Common.Controllers.ReviewChanges.textDStrikeout": "双击", "Common.Controllers.ReviewChanges.textEquation": "方程", "Common.Controllers.ReviewChanges.textExact": "精确地", @@ -33,7 +33,7 @@ "Common.Controllers.ReviewChanges.textImage": "图片", "Common.Controllers.ReviewChanges.textIndentLeft": "左缩进", "Common.Controllers.ReviewChanges.textIndentRight": "右缩进", - "Common.Controllers.ReviewChanges.textInserted": "插入:", + "Common.Controllers.ReviewChanges.textInserted": "插入:", "Common.Controllers.ReviewChanges.textItalic": "斜体", "Common.Controllers.ReviewChanges.textJustify": "仅对齐", "Common.Controllers.ReviewChanges.textKeepLines": "保持同一行", @@ -85,6 +85,8 @@ "Common.define.chartData.textStock": "股票", "Common.define.chartData.textSurface": "平面", "Common.Translation.warnFileLocked": "另一个应用正在编辑本文件。你仍然可以继续编辑此文件,你可以将你的编辑保存成另一个拷贝。", + "Common.Translation.warnFileLockedBtnEdit": "建立副本", + "Common.Translation.warnFileLockedBtnView": "以浏览模式打开", "Common.UI.Calendar.textApril": "四月", "Common.UI.Calendar.textAugust": "八月", "Common.UI.Calendar.textDecember": "十二月", @@ -161,10 +163,23 @@ "Common.Views.About.txtPoweredBy": "技术支持", "Common.Views.About.txtTel": "电话:", "Common.Views.About.txtVersion": "版本", + "Common.Views.AutoCorrectDialog.textAdd": "新增", + "Common.Views.AutoCorrectDialog.textApplyText": "输入时自动应用", + "Common.Views.AutoCorrectDialog.textAutoFormat": "输入时自动调整格式", "Common.Views.AutoCorrectDialog.textBy": "依据", + "Common.Views.AutoCorrectDialog.textDelete": "删除", "Common.Views.AutoCorrectDialog.textMathCorrect": "数学自动修正", "Common.Views.AutoCorrectDialog.textReplace": "替换", + "Common.Views.AutoCorrectDialog.textReplaceText": "输入时自动替换", + "Common.Views.AutoCorrectDialog.textReplaceType": "输入时自动替换文字", + "Common.Views.AutoCorrectDialog.textReset": "重置", + "Common.Views.AutoCorrectDialog.textResetAll": "重置为默认", + "Common.Views.AutoCorrectDialog.textRestore": "恢复", "Common.Views.AutoCorrectDialog.textTitle": "自动修正", + "Common.Views.AutoCorrectDialog.textWarnResetRec": "由您新增的表达式将被移除,由您移除的将被恢复。是否继续?", + "Common.Views.AutoCorrectDialog.warnReplace": "关于%1的自动更正条目已存在。确认替换?", + "Common.Views.AutoCorrectDialog.warnReset": "即将移除对自动更正功能所做的自定义设置,并恢复默认值。是否继续?", + "Common.Views.AutoCorrectDialog.warnRestore": "关于%1的自动更正条目将恢复默认值。确认继续?", "Common.Views.Chat.textSend": "发送", "Common.Views.Comments.textAdd": "添加", "Common.Views.Comments.textAddComment": "发表评论", @@ -369,11 +384,14 @@ "Common.Views.SymbolTableDialog.textDOQuote": "前双引号", "Common.Views.SymbolTableDialog.textEllipsis": "横向省略号", "Common.Views.SymbolTableDialog.textEmDash": "破折号", + "Common.Views.SymbolTableDialog.textEmSpace": "全角空格", "Common.Views.SymbolTableDialog.textEnDash": "半破折号", + "Common.Views.SymbolTableDialog.textEnSpace": "半角空格", "Common.Views.SymbolTableDialog.textFont": "字体 ", "Common.Views.SymbolTableDialog.textNBHyphen": "不换行连词符", "Common.Views.SymbolTableDialog.textNBSpace": "不换行空格", "Common.Views.SymbolTableDialog.textPilcrow": "段落标识", + "Common.Views.SymbolTableDialog.textQEmSpace": "1/4全角空格", "Common.Views.SymbolTableDialog.textRange": "范围", "Common.Views.SymbolTableDialog.textRecent": "最近使用的符号", "Common.Views.SymbolTableDialog.textRegistered": "注册商标标识", @@ -464,6 +482,7 @@ "DE.Controllers.Main.requestEditFailedMessageText": "有人正在编辑此文档。请稍后再试。", "DE.Controllers.Main.requestEditFailedTitleText": "访问被拒绝", "DE.Controllers.Main.saveErrorText": "保存文件时发生错误", + "DE.Controllers.Main.saveErrorTextDesktop": "无法保存或创建此文件。
可能的原因是:
1.此文件是只读的。
2.此文件正在由其他用户编辑。
3.磁盘已满或损坏。", "DE.Controllers.Main.savePreparingText": "图像上传中……", "DE.Controllers.Main.savePreparingTitle": "图像上传中请稍候...", "DE.Controllers.Main.saveTextText": "保存文件…", @@ -734,7 +753,7 @@ "DE.Controllers.Main.txtYAxis": "Y轴", "DE.Controllers.Main.txtZeroDivide": "除数为零", "DE.Controllers.Main.unknownErrorText": "示知错误", - "DE.Controllers.Main.unsupportedBrowserErrorText": "你的浏览器不支持", + "DE.Controllers.Main.unsupportedBrowserErrorText": "您的浏览器不受支持", "DE.Controllers.Main.uploadDocExtMessage": "未知的文档格式", "DE.Controllers.Main.uploadDocFileCountMessage": "没有文档上载了", "DE.Controllers.Main.uploadDocSizeMessage": "超过最大文档大小限制。", @@ -748,6 +767,8 @@ "DE.Controllers.Main.warnBrowserZoom": "您的浏览器当前缩放设置不完全支持。请按Ctrl + 0重设为默认缩放。", "DE.Controllers.Main.warnLicenseExceeded": "与文档服务器的并发连接次数已超出限制,文档打开后将仅供查看。
请联系您的账户管理员了解详情。", "DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。
请更新您的许可证并刷新页面。", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "授权过期
您不具备文件编辑功能的授权
请联系管理员。", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "授权需更新
您只有文件编辑功能的部分权限
请联系管理员以取得完整权限。", "DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。
请联系您的账户管理员了解详情。", "DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。
如果需要更多请考虑购买商业许可证。", "DE.Controllers.Main.warnNoLicenseUsers": "此版本的 %1 编辑软件对并发用户数量有一定的限制。
如果需要更多,请考虑购买商用许可证。", @@ -763,7 +784,7 @@ "DE.Controllers.Toolbar.textAccent": "口音", "DE.Controllers.Toolbar.textBracket": "括号", "DE.Controllers.Toolbar.textEmptyImgUrl": "您需要指定图像URL。", - "DE.Controllers.Toolbar.textFontSizeErr": "输入的值不正确。
请输入1到100之间的数值", + "DE.Controllers.Toolbar.textFontSizeErr": "输入的值不正确。
请输入1到300之间的数值", "DE.Controllers.Toolbar.textFraction": "分数", "DE.Controllers.Toolbar.textFunction": "功能", "DE.Controllers.Toolbar.textInsert": "插入", @@ -775,6 +796,7 @@ "DE.Controllers.Toolbar.textRadical": "自由基", "DE.Controllers.Toolbar.textScript": "脚本", "DE.Controllers.Toolbar.textSymbols": "符号", + "DE.Controllers.Toolbar.textTabForms": "表单", "DE.Controllers.Toolbar.textWarning": "警告", "DE.Controllers.Toolbar.txtAccent_Accent": "急性", "DE.Controllers.Toolbar.txtAccent_ArrowD": "右上方的箭头在上方", @@ -1189,6 +1211,29 @@ "DE.Views.ControlSettingsDialog.tipChange": "更改符号", "DE.Views.ControlSettingsDialog.txtLockDelete": "无法删除内容控制", "DE.Views.ControlSettingsDialog.txtLockEdit": "无法编辑内容", + "DE.Views.CrossReferenceDialog.textAboveBelow": "上/下", + "DE.Views.CrossReferenceDialog.textBookmark": "书签", + "DE.Views.CrossReferenceDialog.textBookmarkText": "书签文字", + "DE.Views.CrossReferenceDialog.textCaption": "整个标题", + "DE.Views.CrossReferenceDialog.textEndnote": "尾注", + "DE.Views.CrossReferenceDialog.textEndNoteNum": "尾注编号", + "DE.Views.CrossReferenceDialog.textEndNoteNumForm": "尾注编号(带格式)", + "DE.Views.CrossReferenceDialog.textEquation": "方程式", + "DE.Views.CrossReferenceDialog.textFigure": "图", + "DE.Views.CrossReferenceDialog.textFootnote": "脚注", + "DE.Views.CrossReferenceDialog.textIncludeAbove": "包括上方/下方", + "DE.Views.CrossReferenceDialog.textInsert": "插入", + "DE.Views.CrossReferenceDialog.textInsertAs": "插入超链接", + "DE.Views.CrossReferenceDialog.textNoteNum": "脚注编号", + "DE.Views.CrossReferenceDialog.textNoteNumForm": "脚注编号(带格式)", + "DE.Views.CrossReferenceDialog.textPageNum": "页码", + "DE.Views.CrossReferenceDialog.textParaNum": "段落编号", + "DE.Views.CrossReferenceDialog.textParaNumFull": "段落编号(完整上下文)", + "DE.Views.CrossReferenceDialog.textParaNumNo": "段落编号(无上下文)", + "DE.Views.CrossReferenceDialog.textSeparate": "数字分隔符", + "DE.Views.CrossReferenceDialog.textTable": "表格", + "DE.Views.CrossReferenceDialog.textText": "段落文字", + "DE.Views.CrossReferenceDialog.txtTitle": "交叉引用", "DE.Views.CustomColumnsDialog.textColumns": "列数", "DE.Views.CustomColumnsDialog.textSeparator": "列分隔符", "DE.Views.CustomColumnsDialog.textSpacing": "列之间的间距", @@ -1201,6 +1246,7 @@ "DE.Views.DateTimeDialog.txtTitle": "日期、时间", "DE.Views.DocumentHolder.aboveText": "以上", "DE.Views.DocumentHolder.addCommentText": "发表评论", + "DE.Views.DocumentHolder.advancedDropCapText": "下沉设置", "DE.Views.DocumentHolder.advancedFrameText": "框架高级设置", "DE.Views.DocumentHolder.advancedParagraphText": "段落高级设置", "DE.Views.DocumentHolder.advancedTableText": "高级表设置", @@ -1292,15 +1338,19 @@ "DE.Views.DocumentHolder.textFromStorage": "来自存储设备", "DE.Views.DocumentHolder.textFromUrl": "从URL", "DE.Views.DocumentHolder.textJoinList": "联接上一个列表", - "DE.Views.DocumentHolder.textLeft": "移动单元格", + "DE.Views.DocumentHolder.textLeft": "单元格左移", "DE.Views.DocumentHolder.textNest": "下一个表格", "DE.Views.DocumentHolder.textNextPage": "下一页", "DE.Views.DocumentHolder.textNumberingValue": "编号值", "DE.Views.DocumentHolder.textPaste": "粘贴", "DE.Views.DocumentHolder.textPrevPage": "上一页", "DE.Views.DocumentHolder.textRefreshField": "刷新字段", + "DE.Views.DocumentHolder.textRemCheckBox": "删除多选框", + "DE.Views.DocumentHolder.textRemComboBox": "删除组合框", + "DE.Views.DocumentHolder.textRemDropdown": "删除候选列表", "DE.Views.DocumentHolder.textRemove": "删除", "DE.Views.DocumentHolder.textRemoveControl": "删除内容控件", + "DE.Views.DocumentHolder.textRemPicture": "删除图片", "DE.Views.DocumentHolder.textReplace": "替换图像", "DE.Views.DocumentHolder.textRotate": "旋转", "DE.Views.DocumentHolder.textRotate270": "逆时针旋转90°", @@ -1578,6 +1628,44 @@ "DE.Views.FileMenuPanels.Settings.txtWarnMacros": "显示通知", "DE.Views.FileMenuPanels.Settings.txtWarnMacrosDesc": "解除所有带通知的宏", "DE.Views.FileMenuPanels.Settings.txtWin": "作为Windows", + "DE.Views.FormSettings.textCheckbox": "多选框", + "DE.Views.FormSettings.textColor": "边框颜色", + "DE.Views.FormSettings.textCombobox": "\n组合框", + "DE.Views.FormSettings.textConnected": "关联字段", + "DE.Views.FormSettings.textDelete": "删除", + "DE.Views.FormSettings.textDisconnect": "断开", + "DE.Views.FormSettings.textDropDown": "候选列表", + "DE.Views.FormSettings.textField": "文字字段", + "DE.Views.FormSettings.textFromFile": "从文件导入", + "DE.Views.FormSettings.textFromStorage": "来自存储设备", + "DE.Views.FormSettings.textFromUrl": "从URL", + "DE.Views.FormSettings.textImage": "图片", + "DE.Views.FormSettings.textLock": "锁定", + "DE.Views.FormSettings.textMaxChars": "字数限制", + "DE.Views.FormSettings.textNoBorder": "无边框", + "DE.Views.FormSettings.textPlaceholder": "占位符", + "DE.Views.FormSettings.textSelectImage": "选择图像", + "DE.Views.FormSettings.textTipAdd": "新增值", + "DE.Views.FormSettings.textTipDelete": "刪除值", + "DE.Views.FormSettings.textTipDown": "下移", + "DE.Views.FormSettings.textTipUp": "上移", + "DE.Views.FormSettings.textUnlock": "解锁", + "DE.Views.FormSettings.textWidth": "单元格宽度", + "DE.Views.FormsTab.capBtnCheckBox": "多选框", + "DE.Views.FormsTab.capBtnComboBox": "组合框", + "DE.Views.FormsTab.capBtnDropDown": "候选列表", + "DE.Views.FormsTab.capBtnImage": "图片", + "DE.Views.FormsTab.capBtnText": "文字字段", + "DE.Views.FormsTab.capBtnView": "浏览表单", + "DE.Views.FormsTab.textClearFields": "清除所有字段", + "DE.Views.FormsTab.textNewColor": "添加新的自定义颜色", + "DE.Views.FormsTab.textNoHighlight": "无高亮", + "DE.Views.FormsTab.tipCheckBox": "插入多选框", + "DE.Views.FormsTab.tipComboBox": "插入组合框", + "DE.Views.FormsTab.tipDropDown": "插入候选列表", + "DE.Views.FormsTab.tipImageField": "插入图片", + "DE.Views.FormsTab.tipTextField": "插入文本框", + "DE.Views.FormsTab.tipViewForm": "表单填写模式", "DE.Views.HeaderFooterSettings.textBottomCenter": "底部中心", "DE.Views.HeaderFooterSettings.textBottomLeft": "左下", "DE.Views.HeaderFooterSettings.textBottomPage": "页面底部", @@ -1724,28 +1812,50 @@ "DE.Views.LeftMenu.tipSupport": "反馈和支持", "DE.Views.LeftMenu.tipTitles": "标题", "DE.Views.LeftMenu.txtDeveloper": "开发者模式", + "DE.Views.LeftMenu.txtLimit": "限制访问", "DE.Views.LeftMenu.txtTrial": "试用模式", + "DE.Views.LineNumbersDialog.textAddLineNumbering": "新增行号", + "DE.Views.LineNumbersDialog.textApplyTo": "应用更改", + "DE.Views.LineNumbersDialog.textContinuous": "连续", + "DE.Views.LineNumbersDialog.textDocument": "整个文件", + "DE.Views.LineNumbersDialog.textNumbering": "编号", + "DE.Views.LineNumbersDialog.textSection": "当前部分", + "DE.Views.LineNumbersDialog.textStartAt": "始于", + "DE.Views.LineNumbersDialog.textTitle": "行号", "DE.Views.Links.capBtnBookmarks": "书签", "DE.Views.Links.capBtnCaption": "标题", "DE.Views.Links.capBtnContentsUpdate": "刷新", + "DE.Views.Links.capBtnCrossRef": "交叉引用", "DE.Views.Links.capBtnInsContents": "目录", "DE.Views.Links.capBtnInsFootnote": "脚注", "DE.Views.Links.capBtnInsLink": "超链接", + "DE.Views.Links.capBtnTOF": "图表目录", "DE.Views.Links.confirmDeleteFootnotes": "您要删除所有脚注吗?", + "DE.Views.Links.confirmReplaceTOF": "确认替换选中的图表目录?", + "DE.Views.Links.mniConvertNote": "转换所有注释", "DE.Views.Links.mniDelFootnote": "删除所有脚注", + "DE.Views.Links.mniInsEndnote": "插入尾注", "DE.Views.Links.mniInsFootnote": "插入脚注", "DE.Views.Links.mniNoteSettings": "笔记设置", "DE.Views.Links.textContentsRemove": "删除目录", "DE.Views.Links.textContentsSettings": "设置", + "DE.Views.Links.textConvertToEndnotes": "将所有脚注转换为尾注", + "DE.Views.Links.textConvertToFootnotes": "将所有尾注转换为脚注", + "DE.Views.Links.textGotoEndnote": "转到尾注", "DE.Views.Links.textGotoFootnote": "转到脚注", + "DE.Views.Links.textSwapNotes": "交换脚注和尾注", "DE.Views.Links.textUpdateAll": "刷新整个表格", "DE.Views.Links.textUpdatePages": "仅刷新页码", "DE.Views.Links.tipBookmarks": "创建书签", "DE.Views.Links.tipCaption": "插入标题", "DE.Views.Links.tipContents": "插入目录", "DE.Views.Links.tipContentsUpdate": "刷新目录", + "DE.Views.Links.tipCrossRef": "插入交叉引用", "DE.Views.Links.tipInsertHyperlink": "添加超链接", "DE.Views.Links.tipNotes": "插入或编辑脚注", + "DE.Views.Links.tipTableFigures": "插入图表目录", + "DE.Views.Links.tipTableFiguresUpdate": "刷新图表目录", + "DE.Views.Links.titleUpdateTOF": "刷新图表目录", "DE.Views.ListSettingsDialog.textAuto": "自动", "DE.Views.ListSettingsDialog.textCenter": "中心", "DE.Views.ListSettingsDialog.textLeft": "左", @@ -1825,9 +1935,11 @@ "DE.Views.NoteSettingsDialog.textApplyTo": "应用更改", "DE.Views.NoteSettingsDialog.textContinue": "连续", "DE.Views.NoteSettingsDialog.textCustom": "自定义标记", + "DE.Views.NoteSettingsDialog.textDocEnd": "全文完", "DE.Views.NoteSettingsDialog.textDocument": "整个文件", "DE.Views.NoteSettingsDialog.textEachPage": "重新启动每一页", "DE.Views.NoteSettingsDialog.textEachSection": "重新启动每一节", + "DE.Views.NoteSettingsDialog.textEndnote": "尾注", "DE.Views.NoteSettingsDialog.textFootnote": "脚注", "DE.Views.NoteSettingsDialog.textFormat": "格式", "DE.Views.NoteSettingsDialog.textInsert": "插入", @@ -1835,10 +1947,14 @@ "DE.Views.NoteSettingsDialog.textNumbering": "编号", "DE.Views.NoteSettingsDialog.textNumFormat": "数字格式", "DE.Views.NoteSettingsDialog.textPageBottom": "页面底部", + "DE.Views.NoteSettingsDialog.textSectEnd": "本节结束", "DE.Views.NoteSettingsDialog.textSection": "当前部分", "DE.Views.NoteSettingsDialog.textStart": "开始", "DE.Views.NoteSettingsDialog.textTextBottom": "文字下方", "DE.Views.NoteSettingsDialog.textTitle": "笔记设置", + "DE.Views.NotesRemoveDialog.textEnd": "刪除所有尾注", + "DE.Views.NotesRemoveDialog.textFoot": "删除所有脚注", + "DE.Views.NotesRemoveDialog.textTitle": "删除注释", "DE.Views.PageMarginsDialog.notcriticalErrorTitle": "警告", "DE.Views.PageMarginsDialog.textBottom": "底部", "DE.Views.PageMarginsDialog.textGutter": " 装订线", @@ -1948,6 +2064,7 @@ "DE.Views.ParagraphSettingsAdvanced.txtAutoText": "自动", "DE.Views.ParagraphSettingsAdvanced.txtNoBorders": "没有边框", "DE.Views.RightMenu.txtChartSettings": "图表设置", + "DE.Views.RightMenu.txtFormSettings": "表单设置", "DE.Views.RightMenu.txtHeaderFooterSettings": "页眉和页脚设置", "DE.Views.RightMenu.txtImageSettings": "图像设置", "DE.Views.RightMenu.txtMailMergeSettings": "邮件合并设置", @@ -1968,6 +2085,7 @@ "DE.Views.ShapeSettings.strTransparency": "不透明度", "DE.Views.ShapeSettings.strType": "类型", "DE.Views.ShapeSettings.textAdvanced": "显示高级设置", + "DE.Views.ShapeSettings.textAngle": "角度", "DE.Views.ShapeSettings.textBorderSizeErr": "输入的值不正确。
请输入介于0 pt和1584 pt之间的值。", "DE.Views.ShapeSettings.textColor": "颜色填充", "DE.Views.ShapeSettings.textDirection": "方向", @@ -1986,6 +2104,7 @@ "DE.Views.ShapeSettings.textLinear": "线性", "DE.Views.ShapeSettings.textNoFill": "没有填充", "DE.Views.ShapeSettings.textPatternFill": "模式", + "DE.Views.ShapeSettings.textPosition": "位置", "DE.Views.ShapeSettings.textRadial": "径向", "DE.Views.ShapeSettings.textRotate90": "旋转90°", "DE.Views.ShapeSettings.textRotation": "旋转", @@ -1996,6 +2115,8 @@ "DE.Views.ShapeSettings.textTexture": "从纹理", "DE.Views.ShapeSettings.textTile": "瓦", "DE.Views.ShapeSettings.textWrap": "包裹风格", + "DE.Views.ShapeSettings.tipAddGradientPoint": "新增渐变点", + "DE.Views.ShapeSettings.tipRemoveGradientPoint": "删除渐变点", "DE.Views.ShapeSettings.txtBehind": "之后", "DE.Views.ShapeSettings.txtBrownPaper": "牛皮纸", "DE.Views.ShapeSettings.txtCanvas": "画布", @@ -2051,20 +2172,30 @@ "DE.Views.TableFormulaDialog.textInsertFunction": "粘贴函数", "DE.Views.TableFormulaDialog.textTitle": "公式设置", "DE.Views.TableOfContentsSettings.strAlign": "右对齐页码", + "DE.Views.TableOfContentsSettings.strFullCaption": "包括标签和编号", "DE.Views.TableOfContentsSettings.strLinks": "格式化目录作为链接", "DE.Views.TableOfContentsSettings.strShowPages": "显示页码", "DE.Views.TableOfContentsSettings.textBuildTable": "目录建自", + "DE.Views.TableOfContentsSettings.textBuildTableOF": "建立图表目录从", + "DE.Views.TableOfContentsSettings.textEquation": "方程式", + "DE.Views.TableOfContentsSettings.textFigure": "图", "DE.Views.TableOfContentsSettings.textLeader": "前导符", "DE.Views.TableOfContentsSettings.textLevel": "级别", "DE.Views.TableOfContentsSettings.textLevels": "级别", "DE.Views.TableOfContentsSettings.textNone": "无", + "DE.Views.TableOfContentsSettings.textRadioCaption": "标题", "DE.Views.TableOfContentsSettings.textRadioLevels": "大纲级别", + "DE.Views.TableOfContentsSettings.textRadioStyle": "样式", "DE.Views.TableOfContentsSettings.textRadioStyles": "所选样式", "DE.Views.TableOfContentsSettings.textStyle": "样式", "DE.Views.TableOfContentsSettings.textStyles": "样式", + "DE.Views.TableOfContentsSettings.textTable": "表格", "DE.Views.TableOfContentsSettings.textTitle": "目录", + "DE.Views.TableOfContentsSettings.textTitleTOF": "图表目录", + "DE.Views.TableOfContentsSettings.txtCentered": "居中", "DE.Views.TableOfContentsSettings.txtClassic": "古典", "DE.Views.TableOfContentsSettings.txtCurrent": "当前", + "DE.Views.TableOfContentsSettings.txtFormal": "正式", "DE.Views.TableOfContentsSettings.txtModern": "现代", "DE.Views.TableOfContentsSettings.txtOnline": "在线", "DE.Views.TableOfContentsSettings.txtSimple": "简单", @@ -2202,6 +2333,7 @@ "DE.Views.TextArtSettings.strStroke": "边框", "DE.Views.TextArtSettings.strTransparency": "不透明度", "DE.Views.TextArtSettings.strType": "类型", + "DE.Views.TextArtSettings.textAngle": "角度", "DE.Views.TextArtSettings.textBorderSizeErr": "输入的值不正确。
请输入介于0 pt和1584 pt之间的值。", "DE.Views.TextArtSettings.textColor": "颜色填充", "DE.Views.TextArtSettings.textDirection": "方向", @@ -2209,11 +2341,14 @@ "DE.Views.TextArtSettings.textGradientFill": "渐变填充", "DE.Views.TextArtSettings.textLinear": "线性", "DE.Views.TextArtSettings.textNoFill": "没有填充", + "DE.Views.TextArtSettings.textPosition": "位置", "DE.Views.TextArtSettings.textRadial": "径向", "DE.Views.TextArtSettings.textSelectTexture": "请选择", "DE.Views.TextArtSettings.textStyle": "类型", "DE.Views.TextArtSettings.textTemplate": "模板", "DE.Views.TextArtSettings.textTransform": "跟踪变化", + "DE.Views.TextArtSettings.tipAddGradientPoint": "新增渐变点", + "DE.Views.TextArtSettings.tipRemoveGradientPoint": "删除渐变点", "DE.Views.TextArtSettings.txtNoBorders": "无线条", "DE.Views.Toolbar.capBtnAddComment": "添加评论", "DE.Views.Toolbar.capBtnBlankPage": "空白页", @@ -2232,6 +2367,7 @@ "DE.Views.Toolbar.capBtnInsTable": "表格", "DE.Views.Toolbar.capBtnInsTextart": "文字艺术", "DE.Views.Toolbar.capBtnInsTextbox": "文本框", + "DE.Views.Toolbar.capBtnLineNumbers": "行号", "DE.Views.Toolbar.capBtnMargins": "边距", "DE.Views.Toolbar.capBtnPageOrient": "选项", "DE.Views.Toolbar.capBtnPageSize": "大小", @@ -2266,7 +2402,9 @@ "DE.Views.Toolbar.textColumnsThree": "三", "DE.Views.Toolbar.textColumnsTwo": "二", "DE.Views.Toolbar.textComboboxControl": "\n组合框", + "DE.Views.Toolbar.textContinuous": "连续", "DE.Views.Toolbar.textContPage": "连续页", + "DE.Views.Toolbar.textCustomLineNumbers": "行号选项", "DE.Views.Toolbar.textDateControl": "日期", "DE.Views.Toolbar.textDropdownControl": "下拉列表", "DE.Views.Toolbar.textEditWatermark": "自定义水印", @@ -2359,6 +2497,7 @@ "DE.Views.Toolbar.tipInsertTable": "插入表", "DE.Views.Toolbar.tipInsertText": "插入文字", "DE.Views.Toolbar.tipInsertTextArt": "插入文字艺术", + "DE.Views.Toolbar.tipLineNumbers": "显示行号", "DE.Views.Toolbar.tipLineSpace": "段线间距", "DE.Views.Toolbar.tipMailRecepients": "邮件合并", "DE.Views.Toolbar.tipMarkers": "着重号", diff --git a/apps/documenteditor/main/resources/help/de/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/de/ProgramInterface/PluginsTab.htm index bbeda69da..8105ad627 100644 --- a/apps/documenteditor/main/resources/help/de/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/de/ProgramInterface/PluginsTab.htm @@ -33,7 +33,9 @@
  • PhotoEditor - Bearbeitung von Bildern: zuschneiden, umlegen, rotieren, Linien und Formen zeichnen, Icons und Text einzufügen, eine Bildmaske zu laden und verschiedene Filter anzuwenden, wie zum Beispiel Grauskala, Invertiert, Verschwimmen, Verklaren, Emboss, usw.
  • Speech ermöglicht es, ausgewählten Text in Sprache zu konvertieren.
  • Thesaurus - erlaubt es nach Synonymen und Antonymen eines Wortes zu suchen und es durch das ausgewählte Wort zu ersetzen.
  • -
  • Translator - erlaubt es den ausgewählten Textabschnitten in andere Sprachen zu übersetzen.
  • +
  • Translator - erlaubt es den ausgewählten Textabschnitten in andere Sprachen zu übersetzen. +

    Hinweis: dieses plugin funktioniert nicht im Internet Explorer.

    +
  • YouTube erlaubt es YouTube-Videos in Ihr Dokument einzubinden.
  • Die Plug-ins Wordpress und EasyBib können verwendet werden, wenn Sie die entsprechenden Dienste in Ihren Portaleinstellungen einrichten. Sie können die folgenden Anleitungen für die Serverversion oder für die SaaS-Version verwenden.

    diff --git a/apps/documenteditor/main/resources/help/de/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/de/UsageInstructions/FontTypeSizeColor.htm index 899b55060..be591e9eb 100644 --- a/apps/documenteditor/main/resources/help/de/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/de/UsageInstructions/FontTypeSizeColor.htm @@ -18,8 +18,8 @@

    Hinweis: Wenn Sie die Formatierung auf Text anwenden möchten, der bereits im Dokument vorhanden ist, wählen Sie diesen mit der Maus oder mithilfe der Tastatur aus und legen Sie die gewünschte Formatierung fest.

    - - + + diff --git a/apps/documenteditor/main/resources/help/de/editor.css b/apps/documenteditor/main/resources/help/de/editor.css index cbedb7bef..4e3f9d697 100644 --- a/apps/documenteditor/main/resources/help/de/editor.css +++ b/apps/documenteditor/main/resources/help/de/editor.css @@ -6,11 +6,21 @@ color: #444; background: #fff; } +.cross-reference th{ +text-align: center; +vertical-align: middle; +} + +.cross-reference td{ +text-align: center; +vertical-align: middle; +} + img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -186,4 +196,41 @@ kbd { box-shadow: 0 1px 3px rgba(85,85,85,.35); margin: 0.2em 0.1em; color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; +} +.forms { + display: inline-block; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/de/images/backgroundcolor.png b/apps/documenteditor/main/resources/help/de/images/backgroundcolor.png index 5929239d6..d9d5a8c21 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/backgroundcolor.png and b/apps/documenteditor/main/resources/help/de/images/backgroundcolor.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/bold.png b/apps/documenteditor/main/resources/help/de/images/bold.png index 8b50580a0..ff78d284e 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/bold.png and b/apps/documenteditor/main/resources/help/de/images/bold.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/highlightcolor.png b/apps/documenteditor/main/resources/help/de/images/highlightcolor.png index 85ef0822b..ba856daf1 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/highlightcolor.png and b/apps/documenteditor/main/resources/help/de/images/highlightcolor.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/desktop_pluginstab.png b/apps/documenteditor/main/resources/help/de/images/interface/desktop_pluginstab.png index 4bb6ecbeb..63ec40661 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/desktop_pluginstab.png and b/apps/documenteditor/main/resources/help/de/images/interface/desktop_pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/interface/pluginstab.png b/apps/documenteditor/main/resources/help/de/images/interface/pluginstab.png index a3e64fa6e..6fa6aee82 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/interface/pluginstab.png and b/apps/documenteditor/main/resources/help/de/images/interface/pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/italic.png b/apps/documenteditor/main/resources/help/de/images/italic.png index 08fd67a4d..7d5e6d062 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/italic.png and b/apps/documenteditor/main/resources/help/de/images/italic.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/larger.png b/apps/documenteditor/main/resources/help/de/images/larger.png index 1a461a817..39a51760e 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/larger.png and b/apps/documenteditor/main/resources/help/de/images/larger.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/smaller.png b/apps/documenteditor/main/resources/help/de/images/smaller.png index d24f79a22..d087549c9 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/smaller.png and b/apps/documenteditor/main/resources/help/de/images/smaller.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/strike.png b/apps/documenteditor/main/resources/help/de/images/strike.png index 5aa076a4a..742143a34 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/strike.png and b/apps/documenteditor/main/resources/help/de/images/strike.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/sub.png b/apps/documenteditor/main/resources/help/de/images/sub.png index 40f36f42a..b99d9c1df 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/sub.png and b/apps/documenteditor/main/resources/help/de/images/sub.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/sup.png b/apps/documenteditor/main/resources/help/de/images/sup.png index 2390f6aa2..7a32fc135 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/sup.png and b/apps/documenteditor/main/resources/help/de/images/sup.png differ diff --git a/apps/documenteditor/main/resources/help/de/images/underline.png b/apps/documenteditor/main/resources/help/de/images/underline.png index 793ad5b94..4c82ff29b 100644 Binary files a/apps/documenteditor/main/resources/help/de/images/underline.png and b/apps/documenteditor/main/resources/help/de/images/underline.png differ diff --git a/apps/documenteditor/main/resources/help/en/Contents.json b/apps/documenteditor/main/resources/help/en/Contents.json index 3ffdc35d0..61b53c1c2 100644 --- a/apps/documenteditor/main/resources/help/en/Contents.json +++ b/apps/documenteditor/main/resources/help/en/Contents.json @@ -4,7 +4,8 @@ {"src": "ProgramInterface/HomeTab.htm", "name": "Home Tab"}, {"src": "ProgramInterface/InsertTab.htm", "name": "Insert tab"}, {"src": "ProgramInterface/LayoutTab.htm", "name": "Layout tab" }, - {"src": "ProgramInterface/ReferencesTab.htm", "name": "References tab"}, + { "src": "ProgramInterface/ReferencesTab.htm", "name": "References tab" }, + {"src": "ProgramInterface/FormsTab.htm", "name": "Forms tab"}, {"src": "ProgramInterface/ReviewTab.htm", "name": "Collaboration tab"}, {"src": "ProgramInterface/PluginsTab.htm", "name": "Plugins tab"}, {"src": "UsageInstructions/OpenCreateNew.htm", "name": "Create a new document or open an existing one", "headername": "Basic operations"}, @@ -49,7 +50,9 @@ {"src": "UsageInstructions/AlignArrangeObjects.htm", "name": "Align and arrange objects on a page" }, {"src": "UsageInstructions/ChangeWrappingStyle.htm", "name": "Change wrapping style" }, {"src": "UsageInstructions/InsertContentControls.htm", "name": "Insert content controls" }, - {"src": "UsageInstructions/CreateTableOfContents.htm", "name": "Create table of contents" }, + { "src": "UsageInstructions/CreateTableOfContents.htm", "name": "Create table of contents" }, + {"src": "UsageInstructions/AddTableofFigures.htm", "name": "Add and Format a Table of Figures" }, + { "src": "UsageInstructions/CreateFillableForms.htm", "name": "Create fillable forms", "headername": "Fillable forms" }, {"src": "UsageInstructions/UseMailMerge.htm", "name": "Use mail merge", "headername": "Mail Merge"}, { "src": "UsageInstructions/InsertEquation.htm", "name": "Insert equations", "headername": "Math equations" }, {"src": "HelpfulHints/CollaborativeEditing.htm", "name": "Collaborative document editing", "headername": "Document co-editing"}, diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm index 857497b92..77ee0499c 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/Comparison.htm @@ -14,7 +14,7 @@

    Compare documents

    -

    Note: this option is available in the paid online version only starting from Document Server v. 5.5.

    +

    Note: this option is available in the paid online version only starting from Document Server v. 5.5. To enable this feature in the desktop version, refer to this article.

    If you need to compare and merge two documents, you can use the document Compare feature. It allows displaying the differences between two documents and merge the documents by accepting the changes one by one or all at once.

    After comparing and merging two documents, the result will be stored on the portal as a new version of the original file.

    If you do not need to merge documents which are being compared, you can reject all the changes so that the original document remains unchanged.

    diff --git a/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index 52b32ca02..f221e5e1f 100644 --- a/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/documenteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -241,6 +241,12 @@ + + + + + + @@ -678,7 +684,7 @@ - + diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm new file mode 100644 index 000000000..e421cb9d2 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/FormsTab.htm @@ -0,0 +1,38 @@ + + + + Forms tab + + + + + + + +
    +
    + +
    +

    Forms tab

    +

    The Forms tab allows you to create fillable forms in your documents, e.g. agreement drafts or surveys. Depending on the selected form type, you can create input fields that can be filled in by other users, or protect some parts of the document from being edited or deleted, etc.

    +
    +

    The corresponding window of the Online Document Editor:

    +

    Forms tab

    +
    +

    Using this tab, you can:

    +
      +
    • insert and edit +
        +
      • text fields,
      • +
      • combo boxes,
      • +
      • drop-down lists,
      • +
      • checkboxes,
      • +
      • radio buttons,
      • +
      • images,
      • +
      +
    • lock the forms to prevent their further editing,
    • +
    • view the resulting forms in your document.
    • +
    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm index b60d20589..e77c8e5e8 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm @@ -33,7 +33,9 @@
  • Photo Editor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc.,
  • Speech allows to convert the selected text into speech (available in the online version only),
  • Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one,
  • -
  • Translator allows to translate the selected text into other languages,
  • +
  • Translator allows to translate the selected text into other languages, +

    Note: this plugin doesn't work in Internet Explorer.

    +
  • YouTube allows to embed YouTube videos into your document,
  • Mendeley allows to manage research papers and generate bibliographies for scholarly articles (available in the online version only),
  • Zotero allows to manage bibliographic data and related research materials (available in the online version only),
  • diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index eee32095a..c1ff91628 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -36,7 +36,7 @@
  • Manage document access rights icon Manage document access rights (available in the online version only). It allows adjusting access rights for the documents stored in the cloud.
  • -
  • 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, Collaboration, Protection, Plugins. +
  • 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, Collaboration, Protection, Plugins.

    The Copy icon Copy and Paste icon 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", etc.). It also allows setting the text language, enabling spell checking, turning on the track changes mode and adjusting zoom.
  • diff --git a/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm index b09795db9..7e1a65c12 100644 --- a/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm +++ b/apps/documenteditor/main/resources/help/en/ProgramInterface/ReferencesTab.htm @@ -30,7 +30,8 @@
  • insert hyperlinks,
  • add bookmarks.
  • add captions,
  • -
  • insert cross-references.
  • +
  • insert cross-references,
  • +
  • create a table of figures.
  • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm index 48842b5ec..d91161152 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddCaption.htm @@ -16,6 +16,7 @@

    Add captions

    A caption is a numbered label that can be applied to objects, such as equations, tables, figures, and images in the document.

    A caption allows making a reference in the text - an easily recognizable label on an object.

    +

    You can also use captions to create a table of figures.

    To add a caption to an object:

    • select the required object to apply a caption;
    • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/AddTableofFigures.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddTableofFigures.htm new file mode 100644 index 000000000..79948e674 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/AddTableofFigures.htm @@ -0,0 +1,90 @@ + + + + Add and Format a Table of Figures + + + + + + + +
      +
      + +
      +

      Add and Format a Table of Figures

      +

      Table of Figures provides an overview of equations, figures and tables added to a document. Similar to a table of contents, a Table of Figures lists, sorts out and arranges captioned objects or text headings that have a certain style applied. This makes it easy to reference them in your document and to navigate between figures. Click the link in the Table of Figures formatted as links and you will be taken directly to the figure or the heading. Any table, equation, diagram, drawing, graph, chart, map, photograph or another type of illustration is presented as a figure. +

      References Tab

      +

      To add a Table of Figures go to the References tab and use the Table of Figures Table of Figures Button toolbar button to set up and format a table of figures. Use the Refresh button to update a table of figures each time you add a new figure to your document.

      +

      Creating a Table of Figures

      +

      Note: You can create a Table of Figures using either captioned figures or styles. Before proceeding, a caption must be added to each equation, table or figure, or a style must be applied to the text so that it is correctly included in a Table of Figures.

      +
        +
      1. Once you have added captions or styles, place your cursor where you want to inset a Table of Figures and go to the References tab then click the Table of Figures button to open the Table of Figures dialog box, and generate the list of figures. +

        Table of Figures Settings

        +
      2. +
      3. Choose an option to build a Table of Figures from the Caption or Style group. +
          +
        • You can create a Table of Figures based on captioned objects. Check the Caption box and select a captioned object from the drop-down list: +
            +
          • None
          • +
          • Equation
          • +
          • Figure
          • +
          • Table +

            Table of Figures Captioned

            +
          • +
          +
        • +
        • You can create a Table of Figures based on the styles used to format text. Check the Style box and select a style from the drop-down list. The list of options may vary depending on the style applied: +
            +
          • Heading 1
          • +
          • Heading 2
          • +
          • Caption
          • +
          • Table of Figures
          • +
          • Normal +

            Table of Figures Style

            +
          • +
          +
        • +
        +
      4. +
      +

      Formatting a Table of Figures

      +

      The check box options allow you to format a Table of Figures. All formatting check boxes are activated by default as in most cases it is more reasonable to have them. Uncheck the boxes you don’t need.

      +
        +
      • Show page numbers - to display the page number the figure appears on;
      • +
      • Right align page numbers - to display page numbers on the right when Show page numbers is active; uncheck it to display page numbers right after the title;
      • +
      • Format table and contents as links - to add hyperlinks to the Table of Figures;
      • +
      • Include label and number - to add a label and number to the Table of Figures.
      • +
      +
        +
      • Choose the Leader style from the drop-down list to connect titles to page numbers for a better visualization.
      • +
      • Choose the Leader style from the drop-down list to connect titles to page numbers for a better visualization.
      • +
      • Customize the table of figures text styles by choosing one of the available styles from the drop-down list: +
          +
        • Current - displays the style chosen previously.
        • +
        • Simple - highlights text in bold.
        • +
        • Simple - highlights text in bold.
        • +
        • Online - highlights and arranges text as a hyperlink
        • +
        • Classic - makes the text all caps
        • +
        • Distinctive - highlights text in italic
        • +
        • Distinctive - highlights text in italic
        • +
        • Centered - centers the text and displays no leader
        • +
        • Formal - displays text in 11 pt Arial to give a more formal look
        • +
        +
      • +
      • Preview window displays how the Table of Figures appears in the document or when printed.
      • +
      +

      Updating a Table of Figures

      +

      Update a Table of Figures each time you add a new equation, figure or table to your document.The Refresh button becomes active when you click or select the Table of Figures. Click the Refresh Refresh Button button on the References tab of the top toolbar and select the necessary option from the menu:

      + Refresh Popup +
        +
      • Refresh page numbers only - to update page numbers without applying changes to the headings.
      • +
      • Refresh entire table - to update all the headings that have been modified and page numbers.
      • +
      +

      Click OK to confirm your choice,

      +

      or

      +

      Right-click the Table of Figures in your document to open the contextual menu, then choose the Refresh field to update the Table of Figures.

      +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm new file mode 100644 index 000000000..c339439d5 --- /dev/null +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/CreateFillableForms.htm @@ -0,0 +1,258 @@ + + + + Create fillable forms + + + + + + + +
      +
      + +
      + +

      Create fillable forms

      +

      ONLYOFFICE Document Editor allows you to effortlessly create fillable forms in your documents, e.g. agreement drafts or surveys. 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.

      +

      Creating a new Plain Text Field

      +

      Text fields are user-editable plain text form fields; the text within cannot be formatted and no other objects can be added.

      +
      +
      + To insert a text 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 text field icon Text Field icon. +
      6. +
      +

      text 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.

      +

      + text field settings +

        +
      • 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. +
        tip inserted +
      • +
      • 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 no fill to set the color for the borders of the inserted text field. Choose the preferred color out of Standard Colors. You can add a new custom color if necessary.
        • +
        +
      • +
      +

      +

      comb of characters

      +

      Click within the inserted text field and adjust the font type, size, color, apply decoration styles and formatting presets.

      +
      +
      + + +

      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, +
        +
      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 combo box icon Combo box icon. +
      6. +
      +

      combo box inserted

      +

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

      +

      + combo box settings +

        +
      • 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. +
        tip inserted +
      • +
      • Value Options: addadd values new values, deletedelete values them, or move them upvalues up and values downdown in the list.
      • +
      +

      +

      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.

      +

      combo box opened

      +
      +

      You can change font decoration, color, and size. Click within the inserted combo box and proceed according to the instructions.

      +
      + + +

      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, +
        +
      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 dropdown list icon Dropdown icon. +
      6. +
      +

      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.

      +
        +
      • 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. +
        tip inserted +
      • +
      • Value Options: addadd values new values, deletedelete values them, or move them upvalues up and values downdown in the list.
      • +
      +

      +

      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.

      +

      dropdown list opened

      +
      +
      + + +

      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, +
        +
      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 checkbox icon Checkbox icon. +
      6. +
      +

      checkbox inserted

      +

      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 +

        +
      • 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. +
        tip inserted +
      • +
      +

      +

      To check the box, click it once.

      +

      checkbox checked

      +
      +
      + + +

      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, +
        +
      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 radio button icon Radio Button icon. +
      6. +
      +

      radio button inserted

      +

      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 +

        +
      • 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. +
        tip inserted +
      • +
      +

      +

      To check the radio button, click it once.

      +

      radio button checked

      +
      +
      + + +

      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, +
        +
      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 image form icon Image icon. +
      6. +
      +

      image form inserted

      +

      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 +

        +
      • 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 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. +
      • +
      • Select Image: click this button to upload an image either From File, From URL, or From Storage.
      • +
      +

      +

      To replace the image, click the image icon 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, +

      + highlight settings +

        +
      • 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 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.

      + +

      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.

      +

      moving form fields

      +

      You can also copy and paste form fields: select the necessary field and use the Ctrl+C/Ctrl+V key combinations.

      + +

      Locking form fields

      +

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

      + +

      Clearing form fields

      +

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

      + +

      Removing form fields

      +

      To remove a form field and leave all its contents, select it and click the delete form icon 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/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm index 3c7ba59a0..742e101af 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/FontTypeSizeColor.htm @@ -25,7 +25,7 @@
    - + diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/FormattingPresets.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/FormattingPresets.htm index 92a233693..40a496c53 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/FormattingPresets.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/FormattingPresets.htm @@ -15,6 +15,7 @@

    Apply formatting styles

    Each formatting style is a set of predefined formatting options: (font size, color, line spacing, alignment etc.). The styles allow you to quickly format different parts of the document (headings, subheadings, lists, normal text, quotes) instead of applying several formatting options individually each time. This also ensures the consistent appearance of the whole document.

    +

    You can also use styles to create a table of contents or a table of figures.

    Applying a style depends on whether this style is a paragraph style (normal, no spacing, headings, list paragraph etc.), or a text style (based on the font type, size, color). It also depends on whether a text passage is selected, or the mouse cursor is placed on a word. In some cases you might need to select the required style from the style library twice, so that it can be applied correctly: when you click the style in the style panel for the first time, the paragraph style properties are applied. When you click it for the second time, the text properties are applied.

    Use default styles

    To apply one of the available text formatting styles,

    diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm index 3f32cc552..e561f6723 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertCharts.htm @@ -76,7 +76,7 @@
  • change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open.

    Chart - Advanced Settings window

    -

    The Type tab allows you to change the chart type as well as the data you wish to use to create a chart.

    +

    The Type tab allows you to change the chart type.

    • Select a chart Type you wish to apply: Column, Line, Pie, Bar, Area, XY (Scatter), or Stock.
    diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm index bb55fe798..c5611253a 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/InsertContentControls.htm @@ -14,9 +14,10 @@

    Insert content controls

    -

    Content controls are objects containing different types of contents, such as text, objects etc. Depending on the selected content control type, you can create a form with input fields that can be filled in by other users, or protect some parts of the document from being edited or deleted, etc.

    -

    Note: the feature to add new content controls is available in the paid version only. In the free Community version, you can edit existing content controls, as well as copy and paste them.

    -

    Currently, you can add the following types of content controls: Plain Text, Rich Text, Picture, Combo box, Drop-down list, Date, Check box.

    +

    Content controls are objects containing different types of content, such as text, objects, etc. Depending on the selected content control type, you can collaborate on documents by using the available content controls array, or lock the ones that do not need further editing and unlock those that require your colleagues’ input, etc. Content controls are typically used to facilitate data gathering and processing or to set necessary boundaries for documents edited by other users.

    +

    ONLYOFFICE Document Editor allows you to insert classic content controls, i.e. they are fully backward compatible with the third-party word processors such as Microsoft Word.

    +

    Note: the feature to add new content controls is available in the paid version only. In the free Community version, you can edit existing content controls, as well as copy and paste them. To enable this feature in the desktop version, refer to this article.

    +

    ONLYOFFICE Document Editor supports the following classic content controls: Plain Text, Rich Text, Picture, Combo box, Drop-down list, Date, Check box.

    • Plain Text is an object containing text that cannot be formatted. Plain text content controls cannot contain more than one paragraph.
    • Rich Text is an object containing text that can be formatted. Rich text content controls can contain several paragraphs, lists, and objects (images, shapes, tables etc.).
    • diff --git a/apps/documenteditor/main/resources/help/en/UsageInstructions/Translator.htm b/apps/documenteditor/main/resources/help/en/UsageInstructions/Translator.htm index 7765c41e3..c43e5e930 100644 --- a/apps/documenteditor/main/resources/help/en/UsageInstructions/Translator.htm +++ b/apps/documenteditor/main/resources/help/en/UsageInstructions/Translator.htm @@ -18,21 +18,16 @@
      1. Select the text that you want to translate.
      2. Switch to the Plugins tab and choose Translator plugin icon Translator, the Translator appears in a sidebar on the left.
      3. +
      4. Click the drop-down box and choose the preferred language.
      -

      The language of the selected text will be automatically detected and the text will be translated to the default language.

      +

      The text will be translated to the required language.

      Translator plugin gif

      Changing the language of your result:

        -
      1. Click the lower drop-down box and choose the preferred language.
      2. -
      -

      The translation will change immediately.

      - -

      Wrong detection of the source language

      -

      If the automatic detection is not correct, you can overrule it:

      -
        -
      1. Click the upper drop-down box and choose the preferred language.
      2. +
      3. Click the drop-down box and choose the preferred language.
      +

      The translation will change immediately.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/en/editor.css b/apps/documenteditor/main/resources/help/en/editor.css index e0d371e42..7d27e6f75 100644 --- a/apps/documenteditor/main/resources/help/en/editor.css +++ b/apps/documenteditor/main/resources/help/en/editor.css @@ -20,7 +20,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -230,4 +230,8 @@ kbd { } .right_option { border-radius: 0 2px 2px 0; -} \ No newline at end of file +} + +.forms { + display: inline-block; +} diff --git a/apps/documenteditor/main/resources/help/en/images/checkbox_checked.png b/apps/documenteditor/main/resources/help/en/images/checkbox_checked.png new file mode 100644 index 000000000..165ea714b Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/checkbox_checked.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/checkbox_icon.png b/apps/documenteditor/main/resources/help/en/images/checkbox_icon.png new file mode 100644 index 000000000..8d6de681d Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/checkbox_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/checkbox_inserted.png b/apps/documenteditor/main/resources/help/en/images/checkbox_inserted.png new file mode 100644 index 000000000..381a3a53c Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/checkbox_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png b/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png new file mode 100644 index 000000000..b1baf42b5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/checkbox_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/checkbox_tip.png b/apps/documenteditor/main/resources/help/en/images/checkbox_tip.png new file mode 100644 index 000000000..97395e1c9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/checkbox_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/clear_fields_icon.png b/apps/documenteditor/main/resources/help/en/images/clear_fields_icon.png new file mode 100644 index 000000000..4485112bc Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/clear_fields_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/comb_of_characters.png b/apps/documenteditor/main/resources/help/en/images/comb_of_characters.png new file mode 100644 index 000000000..595c238eb Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/comb_of_characters.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_add_values.png b/apps/documenteditor/main/resources/help/en/images/combo_add_values.png new file mode 100644 index 000000000..5ddf002fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_add_values.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_box_icon.png b/apps/documenteditor/main/resources/help/en/images/combo_box_icon.png new file mode 100644 index 000000000..88111989f Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_box_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_box_inserted.png b/apps/documenteditor/main/resources/help/en/images/combo_box_inserted.png new file mode 100644 index 000000000..bccca5b3a Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_box_inserted.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_box_opened.png b/apps/documenteditor/main/resources/help/en/images/combo_box_opened.png new file mode 100644 index 000000000..69faaa0aa Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_box_opened.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 new file mode 100644 index 000000000..b091c3668 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_box_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_box_tip.png b/apps/documenteditor/main/resources/help/en/images/combo_box_tip.png new file mode 100644 index 000000000..c5a7773e1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_box_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_delete_values.png b/apps/documenteditor/main/resources/help/en/images/combo_delete_values.png new file mode 100644 index 000000000..46bacf19c Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_delete_values.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_values_down.png b/apps/documenteditor/main/resources/help/en/images/combo_values_down.png new file mode 100644 index 000000000..6df06fd92 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_values_down.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/combo_values_up.png b/apps/documenteditor/main/resources/help/en/images/combo_values_up.png new file mode 100644 index 000000000..396643119 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/combo_values_up.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/dropdown_list_icon.png b/apps/documenteditor/main/resources/help/en/images/dropdown_list_icon.png new file mode 100644 index 000000000..0ffb6ab70 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/dropdown_list_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/dropdown_list_opened.png b/apps/documenteditor/main/resources/help/en/images/dropdown_list_opened.png new file mode 100644 index 000000000..bf5933b00 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/dropdown_list_opened.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 new file mode 100644 index 000000000..7a8a6ce6b Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/dropdown_list_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/footnotes_settings.png b/apps/documenteditor/main/resources/help/en/images/footnotes_settings.png index bd1b5ce65..93e6b71d3 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/footnotes_settings.png and b/apps/documenteditor/main/resources/help/en/images/footnotes_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/highlight_settings.png b/apps/documenteditor/main/resources/help/en/images/highlight_settings.png new file mode 100644 index 000000000..bc3be3b40 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/highlight_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_form_icon.png b/apps/documenteditor/main/resources/help/en/images/image_form_icon.png new file mode 100644 index 000000000..56338c5d9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/image_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/image_form_inserted.png b/apps/documenteditor/main/resources/help/en/images/image_form_inserted.png new file mode 100644 index 000000000..e5653b5eb Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/image_form_inserted.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 new file mode 100644 index 000000000..42eca5489 Binary files /dev/null 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_inserttab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_inserttab.png index e2d190463..8c1b9fe7c 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 f944235ff..5d0ecd9b5 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 a778601ff..a2a6fc8f6 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_referencestab.png b/apps/documenteditor/main/resources/help/en/images/interface/desktop_referencestab.png index 8b9363bf0..141a70618 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 5d51acb46..05690d2d2 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/editorwindow.png b/apps/documenteditor/main/resources/help/en/images/interface/editorwindow.png index c73408b43..bb667f5d4 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 148daf4a8..338626c76 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 new file mode 100644 index 000000000..0e742b5dc Binary files /dev/null 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 6cd4e259f..827d8d39e 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 59a9f9d7d..b530dbbf4 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 5d7cc9688..2201cc980 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 5bcd9da4c..d4de27924 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 76313844d..399fb87fe 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 88b21c893..cf8918abf 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/lock_form_icon.png b/apps/documenteditor/main/resources/help/en/images/lock_form_icon.png new file mode 100644 index 000000000..405d344a4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/lock_form_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/moving_form_fields.png b/apps/documenteditor/main/resources/help/en/images/moving_form_fields.png new file mode 100644 index 000000000..be5d3e52c Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/moving_form_fields.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/radio_button_checked.png b/apps/documenteditor/main/resources/help/en/images/radio_button_checked.png new file mode 100644 index 000000000..c38dfcd35 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/radio_button_checked.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/radio_button_icon.png b/apps/documenteditor/main/resources/help/en/images/radio_button_icon.png new file mode 100644 index 000000000..487d80034 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/radio_button_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/radio_button_inserted.png b/apps/documenteditor/main/resources/help/en/images/radio_button_inserted.png new file mode 100644 index 000000000..e272dfd40 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/radio_button_inserted.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 new file mode 100644 index 000000000..61d12b4e1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/radio_button_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/radio_button_tip.png b/apps/documenteditor/main/resources/help/en/images/radio_button_tip.png new file mode 100644 index 000000000..e209b7edd Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/radio_button_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/referencestab.png b/apps/documenteditor/main/resources/help/en/images/referencestab.png new file mode 100644 index 000000000..74603527b Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/refresh_button.png b/apps/documenteditor/main/resources/help/en/images/refresh_button.png new file mode 100644 index 000000000..fd6079d36 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/refresh_button.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/refresh_table-figures_popup.png b/apps/documenteditor/main/resources/help/en/images/refresh_table-figures_popup.png new file mode 100644 index 000000000..a67827d41 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/refresh_table-figures_popup.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_autoshape.png b/apps/documenteditor/main/resources/help/en/images/right_autoshape.png index 27a5a2a91..04fecf9d9 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_autoshape.png and b/apps/documenteditor/main/resources/help/en/images/right_autoshape.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_chart.png b/apps/documenteditor/main/resources/help/en/images/right_chart.png index ecacdc526..9002daaf2 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_chart.png and b/apps/documenteditor/main/resources/help/en/images/right_chart.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_headerfooter.png b/apps/documenteditor/main/resources/help/en/images/right_headerfooter.png index 893f71622..505074092 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_headerfooter.png and b/apps/documenteditor/main/resources/help/en/images/right_headerfooter.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_image.png b/apps/documenteditor/main/resources/help/en/images/right_image.png index 1b56cef22..2db4709c8 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_image.png and b/apps/documenteditor/main/resources/help/en/images/right_image.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_mailmerge.png b/apps/documenteditor/main/resources/help/en/images/right_mailmerge.png index 2948a6550..0adb94b76 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_mailmerge.png and b/apps/documenteditor/main/resources/help/en/images/right_mailmerge.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_table.png b/apps/documenteditor/main/resources/help/en/images/right_table.png index 299e8226c..4f33e4e93 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_table.png and b/apps/documenteditor/main/resources/help/en/images/right_table.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/right_textart.png b/apps/documenteditor/main/resources/help/en/images/right_textart.png index 2c8ecc255..33f3766a2 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/right_textart.png and b/apps/documenteditor/main/resources/help/en/images/right_textart.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/table_figures_button.png b/apps/documenteditor/main/resources/help/en/images/table_figures_button.png new file mode 100644 index 000000000..4d7d3a979 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/table_figures_button.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/table_figures_captioned.png b/apps/documenteditor/main/resources/help/en/images/table_figures_captioned.png new file mode 100644 index 000000000..78dc9e0f9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/table_figures_captioned.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/table_figures_settings.png b/apps/documenteditor/main/resources/help/en/images/table_figures_settings.png new file mode 100644 index 000000000..86235b28a Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/table_figures_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/table_figures_style.png b/apps/documenteditor/main/resources/help/en/images/table_figures_style.png new file mode 100644 index 000000000..742645353 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/table_figures_style.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/text_field_icon.png b/apps/documenteditor/main/resources/help/en/images/text_field_icon.png new file mode 100644 index 000000000..2368b4a21 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/text_field_icon.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/text_field_inserted.png b/apps/documenteditor/main/resources/help/en/images/text_field_inserted.png new file mode 100644 index 000000000..70be71d79 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/text_field_inserted.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 new file mode 100644 index 000000000..f9049af0b Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/text_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/text_field_tip.png b/apps/documenteditor/main/resources/help/en/images/text_field_tip.png new file mode 100644 index 000000000..683658f13 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/text_field_tip.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/translator.png b/apps/documenteditor/main/resources/help/en/images/translator.png index 0ac2eeeba..01e39d4b4 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/translator.png and b/apps/documenteditor/main/resources/help/en/images/translator.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/translator_plugin.gif b/apps/documenteditor/main/resources/help/en/images/translator_plugin.gif index 17c6058a4..d0d79132c 100644 Binary files a/apps/documenteditor/main/resources/help/en/images/translator_plugin.gif and b/apps/documenteditor/main/resources/help/en/images/translator_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/en/images/view_form_active.png b/apps/documenteditor/main/resources/help/en/images/view_form_active.png new file mode 100644 index 000000000..2d4c14bee Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/view_form_active.png differ diff --git a/apps/documenteditor/main/resources/help/en/images/view_form_icon.png b/apps/documenteditor/main/resources/help/en/images/view_form_icon.png new file mode 100644 index 000000000..67432c986 Binary files /dev/null and b/apps/documenteditor/main/resources/help/en/images/view_form_icon.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 eb6508736..7c478f2c2 100644 --- a/apps/documenteditor/main/resources/help/en/search/indexes.js +++ b/apps/documenteditor/main/resources/help/en/search/indexes.js @@ -18,12 +18,12 @@ var indexes = { "id": "HelpfulHints/Comparison.htm", "title": "Compare documents", - "body": "Note: this option is available in the paid online version only starting from Document Server v. 5.5. If you need to compare and merge two documents, you can use the document Compare feature. It allows displaying the differences between two documents and merge the documents by accepting the changes one by one or all at once. After comparing and merging two documents, the result will be stored on the portal as a new version of the original file. If you do not need to merge documents which are being compared, you can reject all the changes so that the original document remains unchanged. Choose a document for comparison To compare two documents, open the original document that you need to compare and select the second document for comparison: switch to the Collaboration tab on the top toolbar and press the Compare button, select one of the following options to load the document: the Document from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary .docx file and click the Open button. the Document from URL option will open the window where you can enter a link to the file stored in a third-party web storage (for example, Nextcloud) if you have corresponding access rights to it. The link must be a direct link for downloading the file. When the link is specified, click the OK button. Note: The direct link allows downloading the file directly without opening it in a web browser. For example, to get a direct link in Nextcloud, find the necessary document in the file list, select the Details option from the file menu. Click the Copy direct link (only works for users who have access to this file/folder) icon on the right of the file name on the details panel. To find out how to get a direct link for downloading the file in a different third-party web storage, please refer to the corresponding third-party service documentation. the Document from Storage option will open the Select Data Source window. It displays the list of all the .docx documents stored on your portal you have corresponding access rights to. To navigate through the sections of the Documents module, use the menu on the left part of the window. Select the necessary .docx document and click the OK button. When the second document for comparison is selected, the comparison process will start and the document will look as if it was opened in the Review mode. All the changes are highlighted with a color, and you can view the changes, navigate between them, accept or reject them one by one or all the changes at once. It's also possible to change the display mode and see how the document looks before comparison, in the process of comparison, or how it will look after comparison if you accept all changes. Choose the changes display mode Click the Display Mode button on the top toolbar and select one of the available modes from the list: Markup - this option is selected by default. It is used to display the document in the process of comparison. This mode allows both viewing the changes and editing the document. Final - this mode is used to display the document after comparison as if all the changes were accepted. This option does not actually accept all changes, it only allows you to see how the document will look like after you accept all the changes. In this mode, you cannot edit the document. Original - this mode is used to display the document before comparison as if all the changes were rejected. This option does not actually reject all changes, it only allows you to view the document without changes. In this mode, you cannot edit the document. Accept or reject changes Use the Previous and the Next buttons on the top toolbar to navigate through the changes. To accept the currently selected change, you can: click the Accept button on the top toolbar, or click the downward arrow below the Accept button and select the Accept Current Change option (in this case, the change will be accepted and you will proceed to the next change), or click the Accept button of the change pop-up window. To quickly accept all the changes, click the downward arrow below the Accept button and select the Accept All Changes option. To reject the current change you can: click the Reject button on the top toolbar, or click the downward arrow below the Reject button and select the Reject Current Change option (in this case, the change will be rejected and you will move on to the next available change), or click the Reject button of the change pop-up window. To quickly reject all the changes, click the downward arrow below the Reject button and select the Reject All Changes option. Additional info on the comparison feature Method of comparison Documents are compared by words. If a word contains a change of at least one character (e.g. if a character was removed or replaced), in the result, the difference will be displayed as the change of the entire word, not the character. The image below illustrates the case when the original file contains the word 'Characters' and the document for comparison contains the word 'Character'. Authorship of the document When the comparison process is launched, the second document for comparison is being loaded and compared to the current one. If the loaded document contains some data which is not represented in the original document, the data will be marked as added by a reviewer. If the original document contains some data which is not represented in the loaded document, the data will be marked as deleted by a reviewer. If the authors of the original and loaded documents are the same person, the reviewer is the same user. His/her name is displayed in the change balloon. If the authors of two files are different users, then the author of the second file loaded for comparison is the author of the added/removed changes. Presence of the tracked changes in the compared document If the original document contains some changes made in the review mode, they will be accepted in the comparison process. When you choose the second file for comparison, you'll see the corresponding warning message. In this case, when you choose the Original display mode, the document will not contain any changes." + "body": "Note: this option is available in the paid online version only starting from Document Server v. 5.5. To enable this feature in the desktop version, refer to this article. If you need to compare and merge two documents, you can use the document Compare feature. It allows displaying the differences between two documents and merge the documents by accepting the changes one by one or all at once. After comparing and merging two documents, the result will be stored on the portal as a new version of the original file. If you do not need to merge documents which are being compared, you can reject all the changes so that the original document remains unchanged. Choose a document for comparison To compare two documents, open the original document that you need to compare and select the second document for comparison: switch to the Collaboration tab on the top toolbar and press the Compare button, select one of the following options to load the document: the Document from File option will open the standard dialog window for file selection. Browse your computer hard disk drive for the necessary .docx file and click the Open button. the Document from URL option will open the window where you can enter a link to the file stored in a third-party web storage (for example, Nextcloud) if you have corresponding access rights to it. The link must be a direct link for downloading the file. When the link is specified, click the OK button. Note: The direct link allows downloading the file directly without opening it in a web browser. For example, to get a direct link in Nextcloud, find the necessary document in the file list, select the Details option from the file menu. Click the Copy direct link (only works for users who have access to this file/folder) icon on the right of the file name on the details panel. To find out how to get a direct link for downloading the file in a different third-party web storage, please refer to the corresponding third-party service documentation. the Document from Storage option will open the Select Data Source window. It displays the list of all the .docx documents stored on your portal you have corresponding access rights to. To navigate through the sections of the Documents module, use the menu on the left part of the window. Select the necessary .docx document and click the OK button. When the second document for comparison is selected, the comparison process will start and the document will look as if it was opened in the Review mode. All the changes are highlighted with a color, and you can view the changes, navigate between them, accept or reject them one by one or all the changes at once. It's also possible to change the display mode and see how the document looks before comparison, in the process of comparison, or how it will look after comparison if you accept all changes. Choose the changes display mode Click the Display Mode button on the top toolbar and select one of the available modes from the list: Markup - this option is selected by default. It is used to display the document in the process of comparison. This mode allows both viewing the changes and editing the document. Final - this mode is used to display the document after comparison as if all the changes were accepted. This option does not actually accept all changes, it only allows you to see how the document will look like after you accept all the changes. In this mode, you cannot edit the document. Original - this mode is used to display the document before comparison as if all the changes were rejected. This option does not actually reject all changes, it only allows you to view the document without changes. In this mode, you cannot edit the document. Accept or reject changes Use the Previous and the Next buttons on the top toolbar to navigate through the changes. To accept the currently selected change, you can: click the Accept button on the top toolbar, or click the downward arrow below the Accept button and select the Accept Current Change option (in this case, the change will be accepted and you will proceed to the next change), or click the Accept button of the change pop-up window. To quickly accept all the changes, click the downward arrow below the Accept button and select the Accept All Changes option. To reject the current change you can: click the Reject button on the top toolbar, or click the downward arrow below the Reject button and select the Reject Current Change option (in this case, the change will be rejected and you will move on to the next available change), or click the Reject button of the change pop-up window. To quickly reject all the changes, click the downward arrow below the Reject button and select the Reject All Changes option. Additional info on the comparison feature Method of comparison Documents are compared by words. If a word contains a change of at least one character (e.g. if a character was removed or replaced), in the result, the difference will be displayed as the change of the entire word, not the character. The image below illustrates the case when the original file contains the word 'Characters' and the document for comparison contains the word 'Character'. Authorship of the document When the comparison process is launched, the second document for comparison is being loaded and compared to the current one. If the loaded document contains some data which is not represented in the original document, the data will be marked as added by a reviewer. If the original document contains some data which is not represented in the loaded document, the data will be marked as deleted by a reviewer. If the authors of the original and loaded documents are the same person, the reviewer is the same user. His/her name is displayed in the change balloon. If the authors of two files are different users, then the author of the second file loaded for comparison is the author of the added/removed changes. Presence of the tracked changes in the compared document If the original document contains some changes made in the review mode, they will be accepted in the comparison process. When you choose the second file for comparison, you'll see the corresponding warning message. In this case, when you choose the Original display mode, the document will not contain any changes." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Windows/LinuxMac 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. 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. 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": "Windows/LinuxMac 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. 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." }, { "id": "HelpfulHints/Navigation.htm", @@ -55,6 +55,11 @@ var indexes = "title": "File tab", "body": "The File tab allows performing some basic operations. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: With this tab, you can use the following options: in the online version: save the current file (in case the Autosave option is disabled), save it in the required format on the hard disk drive of your computer with the Download as option, save a copy of the file in the selected format to the portal documents with the Save copy as option, print or rename the current file. in the desktop version: save the current file without changing its format and location using the Save option, save it changing its name, location or format using the Save as option or print the current file. protect the file using a password, change or remove the password (available in the desktop version only); create a new document or open a recently edited one (available in the online version only), view general information about the document or change some file properties, manage access rights (available in the online version only), track version history (available in the online version only), access the Advanced Settings of the editor, in the desktop version, open the folder, where the file is stored, in the File explorer window. In the online version, open the folder of the Documents module, where the file is stored, in a new browser tab." }, + { + "id": "ProgramInterface/FormsTab.htm", + "title": "Forms tab", + "body": "The Forms tab allows you to create fillable forms in your documents, e.g. agreement drafts or surveys. Depending on the selected form type, you can create input fields that can be filled in by other users, or protect some parts of the document from being edited or deleted, etc. The corresponding window of the Online Document Editor: Using this tab, you can: insert and edit text fields, combo boxes, drop-down lists, checkboxes, radio buttons, images, lock the forms to prevent their further editing, view the resulting forms in your document." + }, { "id": "ProgramInterface/HomeTab.htm", "title": "Home tab", @@ -73,17 +78,17 @@ var indexes = { "id": "ProgramInterface/PluginsTab.htm", "title": "Plugins tab", - "body": "The Plugins tab allows accessing the advanced editing features using the available third-party components. This tab also makes it possible to use macros to simplify routine operations. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: The Settings button allows viewing and managing all the installed plugins as well as adding new ones. The Macros button allows you to create and run your own macros. To learn more about macros, please refer to our API Documentation. Currently, the following plugins are available by default: Send allows to send the document via email using the default desktop mail client (available in the desktop version only), Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, OCR allows to recognize text included into a picture and insert it into the document text, Photo Editor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc., Speech allows to convert the selected text into speech (available in the online version only), Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your document, Mendeley allows to manage research papers and generate bibliographies for scholarly articles (available in the online version only), Zotero allows to manage bibliographic data and related research materials (available in the online version only), EasyBib helps to find and insert related books, journal articles and websites (available in the online version only). The Wordpress and EasyBib plugins can be used if you connect the corresponding services in your portal settings. You can use the following instructions for the server version or for the SaaS version. To learn more about plugins, please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." + "body": "The Plugins tab allows accessing the advanced editing features using the available third-party components. This tab also makes it possible to use macros to simplify routine operations. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: The Settings button allows viewing and managing all the installed plugins as well as adding new ones. The Macros button allows you to create and run your own macros. To learn more about macros, please refer to our API Documentation. Currently, the following plugins are available by default: Send allows to send the document via email using the default desktop mail client (available in the desktop version only), Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, OCR allows to recognize text included into a picture and insert it into the document text, Photo Editor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc., Speech allows to convert the selected text into speech (available in the online version only), Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, Note: this plugin doesn't work in Internet Explorer. YouTube allows to embed YouTube videos into your document, Mendeley allows to manage research papers and generate bibliographies for scholarly articles (available in the online version only), Zotero allows to manage bibliographic data and related research materials (available in the online version only), EasyBib helps to find and insert related books, journal articles and websites (available in the online version only). The Wordpress and EasyBib plugins can be used if you connect the corresponding services in your portal settings. You can use the following instructions for the server version or for the SaaS version. To learn more about plugins, please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Introducing the 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. 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, 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\", 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. 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. 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, 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\", 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." }, { "id": "ProgramInterface/ReferencesTab.htm", "title": "References tab", - "body": "The References tab allows managing different types of references: adding and refreshing tables of contents, creating and editing footnotes, inserting hyperlinks. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: Using this tab, you can: create and automatically update a table of contents, insert footnotes and endnotes, insert hyperlinks, add bookmarks. add captions, insert cross-references." + "body": "The References tab allows managing different types of references: adding and refreshing tables of contents, creating and editing footnotes, inserting hyperlinks. The corresponding window of the Online Document Editor: The corresponding window of the Desktop Document Editor: Using this tab, you can: create and automatically update a table of contents, insert footnotes and endnotes, insert hyperlinks, add bookmarks. add captions, insert cross-references, create a table of figures." }, { "id": "ProgramInterface/ReviewTab.htm", @@ -98,7 +103,7 @@ var indexes = { "id": "UsageInstructions/AddCaption.htm", "title": "Add caption", - "body": "s A caption is a numbered label that can be applied to objects, such as equations, tables, figures, and images in the document. A caption allows making a reference in the text - an easily recognizable label on an object. To add a caption to an object: select the required object to apply a caption; switch to the References tab of the top toolbar; click the Caption icon on the top toolbar or right-click on the object and select the Insert Caption option to open the Insert Caption dialogue box choose the label to use for your caption by clicking the label drop-down and choosing the object. or create a new label by clicking the Add label button to open the Add label dialogue box. Enter a name for the label into the label text box. Then click the OK button to add a new label into the label list; check the Include chapter number checkbox to change the numbering for your caption; in Insert drop-down menu choose Before to place the label above the object or After to place it below the object; check the Exclude label from caption checkbox to leave only a number for this particular caption in accordance with a sequence number; you can then choose how to number your caption by assigning a specific style to the caption and adding a separator; to apply the caption click the OK button. Deleting a label To delete a label you have created, choose the label from the label list within the caption dialogue box then click the Delete label button. The label you created will be immediately deleted. Note: You may delete labels you have created but you cannot delete the default labels. Formatting captions As soon as you add a caption, a new style for captions is automatically added to the styles section. To change the style for all captions throughout the document, you should follow these steps: select the text to copy a new Caption style; search for the Caption style (highlighted in blue by default) in the styles gallery on the Home tab of the top toolbar; right-click on it and choose the Update from selection option. Grouping captions up To move the object and the caption as one unit, you need to group the object and the caption: select the object; select one of the Wrapping styles using the right sidebar; add the caption as it is mentioned above; hold down Shift and select the items to be grouped up; right-click item and choose Arrange > Group. Now both items will move simultaneously if you drag them somewhere else in the document. To unbind the objects, click on Arrange > Ungroup respectively." + "body": "s A caption is a numbered label that can be applied to objects, such as equations, tables, figures, and images in the document. A caption allows making a reference in the text - an easily recognizable label on an object. You can also use captions to create a table of figures. To add a caption to an object: select the required object to apply a caption; switch to the References tab of the top toolbar; click the Caption icon on the top toolbar or right-click on the object and select the Insert Caption option to open the Insert Caption dialogue box choose the label to use for your caption by clicking the label drop-down and choosing the object. or create a new label by clicking the Add label button to open the Add label dialogue box. Enter a name for the label into the label text box. Then click the OK button to add a new label into the label list; check the Include chapter number checkbox to change the numbering for your caption; in Insert drop-down menu choose Before to place the label above the object or After to place it below the object; check the Exclude label from caption checkbox to leave only a number for this particular caption in accordance with a sequence number; you can then choose how to number your caption by assigning a specific style to the caption and adding a separator; to apply the caption click the OK button. Deleting a label To delete a label you have created, choose the label from the label list within the caption dialogue box then click the Delete label button. The label you created will be immediately deleted. Note: You may delete labels you have created but you cannot delete the default labels. Formatting captions As soon as you add a caption, a new style for captions is automatically added to the styles section. To change the style for all captions throughout the document, you should follow these steps: select the text to copy a new Caption style; search for the Caption style (highlighted in blue by default) in the styles gallery on the Home tab of the top toolbar; right-click on it and choose the Update from selection option. Grouping captions up To move the object and the caption as one unit, you need to group the object and the caption: select the object; select one of the Wrapping styles using the right sidebar; add the caption as it is mentioned above; hold down Shift and select the items to be grouped up; right-click item and choose Arrange > Group. Now both items will move simultaneously if you drag them somewhere else in the document. To unbind the objects, click on Arrange > Ungroup respectively." }, { "id": "UsageInstructions/AddFormulasInTables.htm", @@ -110,6 +115,11 @@ var indexes = "title": "Add hyperlinks", "body": "To add a hyperlink, 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." }, + { + "id": "UsageInstructions/AddTableofFigures.htm", + "title": "Add and Format a Table of Figures", + "body": "Table of Figures provides an overview of equations, figures and tables added to a document. Similar to a table of contents, a Table of Figures lists, sorts out and arranges captioned objects or text headings that have a certain style applied. This makes it easy to reference them in your document and to navigate between figures. Click the link in the Table of Figures formatted as links and you will be taken directly to the figure or the heading. Any table, equation, diagram, drawing, graph, chart, map, photograph or another type of illustration is presented as a figure. To add a Table of Figures go to the References tab and use the Table of Figures toolbar button to set up and format a table of figures. Use the Refresh button to update a table of figures each time you add a new figure to your document. Creating a Table of Figures Note: You can create a Table of Figures using either captioned figures or styles. Before proceeding, a caption must be added to each equation, table or figure, or a style must be applied to the text so that it is correctly included in a Table of Figures. Once you have added captions or styles, place your cursor where you want to inset a Table of Figures and go to the References tab then click the Table of Figures button to open the Table of Figures dialog box, and generate the list of figures. Choose an option to build a Table of Figures from the Caption or Style group. You can create a Table of Figures based on captioned objects. Check the Caption box and select a captioned object from the drop-down list: None Equation Figure Table You can create a Table of Figures based on the styles used to format text. Check the Style box and select a style from the drop-down list. The list of options may vary depending on the style applied: Heading 1 Heading 2 Caption Table of Figures Normal Formatting a Table of Figures The check box options allow you to format a Table of Figures. All formatting check boxes are activated by default as in most cases it is more reasonable to have them. Uncheck the boxes you don’t need. Show page numbers - to display the page number the figure appears on; Right align page numbers - to display page numbers on the right when Show page numbers is active; uncheck it to display page numbers right after the title; Format table and contents as links - to add hyperlinks to the Table of Figures; Include label and number - to add a label and number to the Table of Figures. Choose the Leader style from the drop-down list to connect titles to page numbers for a better visualization. Choose the Leader style from the drop-down list to connect titles to page numbers for a better visualization. Customize the table of figures text styles by choosing one of the available styles from the drop-down list: Current - displays the style chosen previously. Simple - highlights text in bold. Simple - highlights text in bold. Online - highlights and arranges text as a hyperlink Classic - makes the text all caps Distinctive - highlights text in italic Distinctive - highlights text in italic Centered - centers the text and displays no leader Formal - displays text in 11 pt Arial to give a more formal look Preview window displays how the Table of Figures appears in the document or when printed. Updating a Table of Figures Update a Table of Figures each time you add a new equation, figure or table to your document.The Refresh button becomes active when you click or select the Table of Figures. Click the Refresh button on the References tab of the top toolbar and select the necessary option from the menu: Refresh page numbers only - to update page numbers without applying changes to the headings. Refresh entire table - to update all the headings that have been modified and page numbers. Click OK to confirm your choice, or Right-click the Table of Figures in your document to open the contextual menu, then choose the Refresh field to update the Table of Figures." + }, { "id": "UsageInstructions/AddWatermark.htm", "title": "Add watermark", @@ -155,6 +165,11 @@ var indexes = "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 current document, 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 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." }, + { + "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. 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. Creating a new Plain Text Field Text fields are user-editable plain text form fields; the text within cannot be formatted and 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. 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 color out of Standard Colors. You can add a new custom color if necessary. Click within the inserted text field and adjust the font type, size, color, apply decoration styles and formatting presets. 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. 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. 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. 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. 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. 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 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 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. Select Image: click this button to upload an image either From File, From URL, or From Storage. 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. 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. 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", "title": "Create lists", @@ -173,12 +188,12 @@ var indexes = { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Set font type, size, and color", - "body": "Set the font type, size, and color You can select the font type, its size and color 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. Font Used to select a font from the list of the the available fonts. If the required font is not available in the list, you can download and install it on your operating system, and the font will be available in the desktop version. Font size Used to choose from the preset font size values in the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value in the font size field and then press Enter. Increment font size Used to change the font size making it one point bigger each time the button is pressed. Decrement font size Used to change the font size making it one point smaller each time the button is pressed. Highlight color Used to mark separate sentences, phrases, words, or even characters by adding a color band that imitates the highlighter pen effect throughout the text. You can select the required part of the text and click the downward arrow next to the icon to select a color in the palette (this color set does not depend on the selected Color scheme and includes 16 colors) - the color will be applied to the selected text. Alternatively, you can first choose a highlight color and then start selecting the text with the mouse - the mouse pointer will look like this and you'll be able to highlight several different parts of your text sequentially. To stop highlighting, just click the icon once again. To delete the highlight color, choose the No Fill option. The Highlight color is different from the Background color as the latter is applied to the whole paragraph and completely fills all the paragraph space from the left page margin to the right page margin. Font color Used to change the color of the letters/characters in the text. By default, the automatic font color is set in a new blank document. It is displayed as a black font on the white background. If you change the background color to black, the font color will automatically change to white to keep the text clearly visible. To choose a different color, click the downward arrow next to the icon and select a color from the available palettes (the colors in the Theme Colors palette depend on the selected color scheme). After you change the default font color, you can use the Automatic option in the color palettes window to quickly restore the automatic color for the selected text passage. Note: to learn more about color palettes, please refer to this page." + "body": "Set the font type, size, and color You can select the font type, its size and color 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. Font Used to select a font from the list of the the available fonts. If the required font is not available in the list, you can download and install it on your operating system, and the font will be available in the desktop version. Font size Used to choose from the preset font size values in the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value up to 300 pt in the font size field. Press Enter to confirm. Increment font size Used to change the font size making it one point bigger each time the button is pressed. Decrement font size Used to change the font size making it one point smaller each time the button is pressed. Highlight color Used to mark separate sentences, phrases, words, or even characters by adding a color band that imitates the highlighter pen effect throughout the text. You can select the required part of the text and click the downward arrow next to the icon to select a color in the palette (this color set does not depend on the selected Color scheme and includes 16 colors) - the color will be applied to the selected text. Alternatively, you can first choose a highlight color and then start selecting the text with the mouse - the mouse pointer will look like this and you'll be able to highlight several different parts of your text sequentially. To stop highlighting, just click the icon once again. To delete the highlight color, choose the No Fill option. The Highlight color is different from the Background color as the latter is applied to the whole paragraph and completely fills all the paragraph space from the left page margin to the right page margin. Font color Used to change the color of the letters/characters in the text. By default, the automatic font color is set in a new blank document. It is displayed as a black font on the white background. If you change the background color to black, the font color will automatically change to white to keep the text clearly visible. To choose a different color, click the downward arrow next to the icon and select a color from the available palettes (the colors in the Theme Colors palette depend on the selected color scheme). After you change the default font color, you can use the Automatic option in the color palettes window to quickly restore the automatic color for the selected text passage. Note: to learn more about color palettes, please refer to this page." }, { "id": "UsageInstructions/FormattingPresets.htm", "title": "Apply formatting styles", - "body": "Each formatting style is a set of predefined formatting options: (font size, color, line spacing, alignment etc.). The styles allow you to quickly format different parts of the document (headings, subheadings, lists, normal text, quotes) instead of applying several formatting options individually each time. This also ensures the consistent appearance of the whole document. Applying a style depends on whether this style is a paragraph style (normal, no spacing, headings, list paragraph etc.), or a text style (based on the font type, size, color). It also depends on whether a text passage is selected, or the mouse cursor is placed on a word. In some cases you might need to select the required style from the style library twice, so that it can be applied correctly: when you click the style in the style panel for the first time, the paragraph style properties are applied. When you click it for the second time, the text properties are applied. Use default styles To apply one of the available text formatting styles, place the cursor within the required paragraph, or select several paragraphs, select the required style from the style gallery on the right on the Home tab of the top toolbar. The following formatting styles are available: normal, no spacing, heading 1-9, title, subtitle, quote, intense quote, list paragraph, footer, header, footnote text. Edit existing styles and create new ones To change an existing style: Apply the necessary style to a paragraph. Select the paragraph text and change all the formatting parameters you need. Save the changes made: right-click the edited text, select the Formatting as Style option and then choose the Update 'StyleName' Style option ('StyleName' corresponds to the style you've applied at the step 1), or select the edited text passage with the mouse, drop-down the style gallery, right-click the style you want to change and select the Update from selection option. Once the style is modified, all the paragraphs in the document formatted with this style will change their appearance correspondingly. To create a completely new style: Format a text passage as you need. Select an appropriate way to save the style: right-click the edited text, select the Formatting as Style option and then choose the Create new Style option, or select the edited text passage with the mouse, drop-down the style gallery and click the New style from selection option. Set the new style parameters in the opened Create New Style window: Specify the new style name in the text entry field. Select the desired style for the subsequent paragraph from the Next paragraph style list. It's also possible to choose the Same as created new style option. Click the OK button. The created style will be added to the style gallery. Manage your custom styles: To restore the default settings of a certain style you've changed, right-click the style you want to restore and select the Restore to default option. To restore the default settings of all the styles you've changed, right-click any default style in the style gallery and select the Restore all to default styles option. To delete one of the new styles you've created, right-click the style you want to delete and select the Delete style option. To delete all the new styles you've created, right-click any new style you've created and select the Delete all custom styles option." + "body": "Each formatting style is a set of predefined formatting options: (font size, color, line spacing, alignment etc.). The styles allow you to quickly format different parts of the document (headings, subheadings, lists, normal text, quotes) instead of applying several formatting options individually each time. This also ensures the consistent appearance of the whole document. You can also use styles to create a table of contents or a table of figures. Applying a style depends on whether this style is a paragraph style (normal, no spacing, headings, list paragraph etc.), or a text style (based on the font type, size, color). It also depends on whether a text passage is selected, or the mouse cursor is placed on a word. In some cases you might need to select the required style from the style library twice, so that it can be applied correctly: when you click the style in the style panel for the first time, the paragraph style properties are applied. When you click it for the second time, the text properties are applied. Use default styles To apply one of the available text formatting styles, place the cursor within the required paragraph, or select several paragraphs, select the required style from the style gallery on the right on the Home tab of the top toolbar. The following formatting styles are available: normal, no spacing, heading 1-9, title, subtitle, quote, intense quote, list paragraph, footer, header, footnote text. Edit existing styles and create new ones To change an existing style: Apply the necessary style to a paragraph. Select the paragraph text and change all the formatting parameters you need. Save the changes made: right-click the edited text, select the Formatting as Style option and then choose the Update 'StyleName' Style option ('StyleName' corresponds to the style you've applied at the step 1), or select the edited text passage with the mouse, drop-down the style gallery, right-click the style you want to change and select the Update from selection option. Once the style is modified, all the paragraphs in the document formatted with this style will change their appearance correspondingly. To create a completely new style: Format a text passage as you need. Select an appropriate way to save the style: right-click the edited text, select the Formatting as Style option and then choose the Create new Style option, or select the edited text passage with the mouse, drop-down the style gallery and click the New style from selection option. Set the new style parameters in the opened Create New Style window: Specify the new style name in the text entry field. Select the desired style for the subsequent paragraph from the Next paragraph style list. It's also possible to choose the Same as created new style option. Click the OK button. The created style will be added to the style gallery. Manage your custom styles: To restore the default settings of a certain style you've changed, right-click the style you want to restore and select the Restore to default option. To restore the default settings of all the styles you've changed, right-click any default style in the style gallery and select the Restore all to default styles option. To delete one of the new styles you've created, right-click the style you want to delete and select the Delete style option. To delete all the new styles you've created, right-click any new style you've created and select the Delete all custom styles option." }, { "id": "UsageInstructions/HighlightedCode.htm", @@ -198,12 +213,12 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Insert charts", - "body": "Insert a chart To insert a chart into your document, place the cursor where the chart should be added, 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, Line, Pie, Bar, Area, XY (Scatter), or Stock, Note: for Column, Line, Pie, or Bar charts, a 3D format is also available. 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 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. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Type tab allows you to change the chart type as well as the data you wish to use to create a chart. Select a chart Type you wish to apply: Column, Line, Pie, Bar, Area, XY (Scatter), or Stock. 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 to not display a chart title, Overlay to overlay and center a title on 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 to not 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 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 Axis Settings section allows specifying whether to display Horizontal/Vertical Axis or not by selecting the Show or Hide option from the drop-down list. You can also specify Horizontal/Vertical Axis Title parameters: Specify if you wish to display the Horizontal Axis Title or not by selecting the necessary option from the drop-down list: None to not display a horizontal axis title, No Overlay to display the title below the horizontal axis. Specify the Vertical Axis 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. The Gridlines section allows specifying which of the Horizontal/Vertical Gridlines you wish to display by selecting the necessary option from the drop-down list: Major, Minor, or Major and Minor. You can hide the gridlines at all using the None option. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. Note: the Vertical/Horizontal Axis tabs will be disabled for Pie charts since charts of this type have no axes. 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. The Axis Options section allows setting the following parameters: 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. 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. The Axis Options section allows setting the following parameters: 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. 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 a Title and Description which will be read to people with vision or cognitive impairments to help them better understand what information the chart contains. Move and resize charts Once the chart is added, you can change its size and position. To change the chart size, drag small squares situated on its edges. To maintain the original proportions of the selected chart while resizing, hold down the Shift key and drag one of the corner icons. To alter the chart position, use the icon that appears after hovering your mouse cursor over the chart. Drag the chart to the necessary position without releasing the mouse button. When you move the chart, guide lines are displayed to help you position the object on the page precisely (if a wrapping style other than inline is selected). Note: the list of keyboard shortcuts that can be used when working with objects is available here. Edit chart elements To edit the chart Title, select the default text with the mouse and type the required text. 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, size, color or its decoration style. When the chart is selected, the Shape settings icon is also available on the right, since a 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 Fill, Stroke and Wrapping Style of the shape. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel, you can both adjust the chart area itself and 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 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 at the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, you can refer to this page. Note: the Show shadow option is also available at 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. Adjust chart settings Some of the chart settings can be altered using the Chart settings tab of the right sidebar. To activate it click the chart and choose the Chart settings icon on the right. Here you can change the following properties: Size is used to view the Width and Height of the current chart. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Change Chart Type is used to change the selected chart type and/or style. To select the necessary chart Style, use the second drop-down menu in the Change Chart Type section. Edit Data is used to open the 'Chart Editor' window. Note: to quickly open the 'Chart Editor' window you can also double-click the chart in the document. 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 chart to foreground, send it to the background, move forward or backward as well as group or ungroup charts 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 chart left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind. The Edit Wrap Boundary option is unavailable for charts. Edit Data is used to open the 'Chart Editor' window. Chart Advanced Settings is used to open the 'Chart - Advanced Settings' window. To change the chart advanced settings, click the needed chart with the right mouse button and select Chart Advanced Settings from the right-click menu or just click the Show advanced settings link on the right sidebar. The chart properties window will open: The Size tab contains the following parameters: Width and Height - use these options to change the width and/or height of the chart. 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 Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the chart is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the chart is considered to be a part of the text, like a character, so when the text moves, the chart moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the chart can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the chart. Tight - the text wraps the actual chart edges. Through - the text wraps around the chart edges and fills in the open white space within the chart. Top and bottom - the text is only above and below the chart. In front - the chart overlaps the text. Behind - the text overlaps the chart. If you select the square, tight, through, or top and bottom styles, you will be able to set up some additional parameters - distance from text at all sides (top, bottom, left, right). The Position tab is available only if the selected wrapping style is not inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three chart positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab) to the right of character, column, left margin, margin, page or right margin, Relative position measured in percent relative to the left margin, margin, page or right margin. The Vertical section allows you to select one of the following three chart positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab) below line, margin, bottom margin, paragraph, page or top margin, Relative position measured in percent relative to the margin, bottom margin, page or top margin. Move object with text ensures that the chart moves along with the text to which it is anchored. Allow overlap makes it possible for two charts to overlap if you drag them near each other on the page. The Alternative Text tab allows specifying a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information the chart contains." + "body": "Insert a chart To insert a chart into your document, place the cursor where the chart should be added, 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, Line, Pie, Bar, Area, XY (Scatter), or Stock, Note: for Column, Line, Pie, or Bar charts, a 3D format is also available. 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 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. change the chart settings by clicking the Edit Chart button situated in the Chart Editor window. The Chart - Advanced Settings window will open. The Type tab allows you to change the chart type. Select a chart Type you wish to apply: Column, Line, Pie, Bar, Area, XY (Scatter), or Stock. 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 to not display a chart title, Overlay to overlay and center a title on 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 to not 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 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 Axis Settings section allows specifying whether to display Horizontal/Vertical Axis or not by selecting the Show or Hide option from the drop-down list. You can also specify Horizontal/Vertical Axis Title parameters: Specify if you wish to display the Horizontal Axis Title or not by selecting the necessary option from the drop-down list: None to not display a horizontal axis title, No Overlay to display the title below the horizontal axis. Specify the Vertical Axis 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. The Gridlines section allows specifying which of the Horizontal/Vertical Gridlines you wish to display by selecting the necessary option from the drop-down list: Major, Minor, or Major and Minor. You can hide the gridlines at all using the None option. Note: the Axis Settings and Gridlines sections will be disabled for Pie charts since charts of this type have no axes and gridlines. Note: the Vertical/Horizontal Axis tabs will be disabled for Pie charts since charts of this type have no axes. 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. The Axis Options section allows setting the following parameters: 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. 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. The Axis Options section allows setting the following parameters: 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. 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 a Title and Description which will be read to people with vision or cognitive impairments to help them better understand what information the chart contains. Move and resize charts Once the chart is added, you can change its size and position. To change the chart size, drag small squares situated on its edges. To maintain the original proportions of the selected chart while resizing, hold down the Shift key and drag one of the corner icons. To alter the chart position, use the icon that appears after hovering your mouse cursor over the chart. Drag the chart to the necessary position without releasing the mouse button. When you move the chart, guide lines are displayed to help you position the object on the page precisely (if a wrapping style other than inline is selected). Note: the list of keyboard shortcuts that can be used when working with objects is available here. Edit chart elements To edit the chart Title, select the default text with the mouse and type the required text. 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, size, color or its decoration style. When the chart is selected, the Shape settings icon is also available on the right, since a 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 Fill, Stroke and Wrapping Style of the shape. Note that you cannot change the shape type. Using the Shape Settings tab on the right panel, you can both adjust the chart area itself and 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 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 at the Shape Settings tab: color, width and type. For more details on how to work with shape colors, fills and stroke, you can refer to this page. Note: the Show shadow option is also available at 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. Adjust chart settings Some of the chart settings can be altered using the Chart settings tab of the right sidebar. To activate it click the chart and choose the Chart settings icon on the right. Here you can change the following properties: Size is used to view the Width and Height of the current chart. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind (for more information see the advanced settings description below). Change Chart Type is used to change the selected chart type and/or style. To select the necessary chart Style, use the second drop-down menu in the Change Chart Type section. Edit Data is used to open the 'Chart Editor' window. Note: to quickly open the 'Chart Editor' window you can also double-click the chart in the document. 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 chart to foreground, send it to the background, move forward or backward as well as group or ungroup charts 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 chart left, center, right, top, middle, bottom. To learn more on how to align objects you can refer to this page. Wrapping Style is used to select a text wrapping style from the available ones - inline, square, tight, through, top and bottom, in front, behind. The Edit Wrap Boundary option is unavailable for charts. Edit Data is used to open the 'Chart Editor' window. Chart Advanced Settings is used to open the 'Chart - Advanced Settings' window. To change the chart advanced settings, click the needed chart with the right mouse button and select Chart Advanced Settings from the right-click menu or just click the Show advanced settings link on the right sidebar. The chart properties window will open: The Size tab contains the following parameters: Width and Height - use these options to change the width and/or height of the chart. 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 Text Wrapping tab contains the following parameters: Wrapping Style - use this option to change the way the chart is positioned relative to the text: it will either be a part of the text (in case you select the inline style) or bypassed by it from all sides (if you select one of the other styles). Inline - the chart is considered to be a part of the text, like a character, so when the text moves, the chart moves as well. In this case the positioning options are inaccessible. If one of the following styles is selected, the chart can be moved independently of the text and positioned on the page exactly: Square - the text wraps the rectangular box that bounds the chart. Tight - the text wraps the actual chart edges. Through - the text wraps around the chart edges and fills in the open white space within the chart. Top and bottom - the text is only above and below the chart. In front - the chart overlaps the text. Behind - the text overlaps the chart. If you select the square, tight, through, or top and bottom styles, you will be able to set up some additional parameters - distance from text at all sides (top, bottom, left, right). The Position tab is available only if the selected wrapping style is not inline. This tab contains the following parameters that vary depending on the selected wrapping style: The Horizontal section allows you to select one of the following three chart positioning types: Alignment (left, center, right) relative to character, column, left margin, margin, page or right margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab) to the right of character, column, left margin, margin, page or right margin, Relative position measured in percent relative to the left margin, margin, page or right margin. The Vertical section allows you to select one of the following three chart positioning types: Alignment (top, center, bottom) relative to line, margin, bottom margin, paragraph, page or top margin, Absolute Position measured in absolute units i.e. Centimeters/Points/Inches (depending on the option specified on the File -> Advanced Settings... tab) below line, margin, bottom margin, paragraph, page or top margin, Relative position measured in percent relative to the margin, bottom margin, page or top margin. Move object with text ensures that the chart moves along with the text to which it is anchored. Allow overlap makes it possible for two charts to overlap if you drag them near each other on the page. The Alternative Text tab allows specifying a Title and Description which will be read to the people with vision or cognitive impairments to help them better understand what information the chart contains." }, { "id": "UsageInstructions/InsertContentControls.htm", "title": "Insert content controls", - "body": "Content controls are objects containing different types of contents, such as text, objects etc. Depending on the selected content control type, you can create a form with input fields that can be filled in by other users, or protect some parts of the document from being edited or deleted, etc. Note: the feature to add new content controls is available in the paid version only. In the free Community version, you can edit existing content controls, as well as copy and paste them. Currently, you can add the following types of content controls: Plain Text, Rich Text, Picture, Combo box, Drop-down list, Date, Check box. Plain Text is an object containing text that cannot be formatted. Plain text content controls cannot contain more than one paragraph. Rich Text is an object containing text that can be formatted. Rich text content controls can contain several paragraphs, lists, and objects (images, shapes, tables etc.). Picture is an object containing a single image. Combo box is an object containing a drop-down list with a set of choices. It allows choosing one of the predefined values from the list and edit the selected value if necessary. Drop-down list is an object containing a drop-down list with a set of choices. It allows choosing one of the predefined values from the list. The selected value cannot be edited. Date is an object containing a calendar that allows choosing a date. Check box is an object that allows displaying two states: the check box is selected and the check box is cleared. Adding content controls Create a new Plain Text content control position the insertion point within the text line where the content control should be added, or select a text passage to transform it into a content control. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Plain Text option from the menu. The content control will be inserted at the insertion point within existing text line. Replace the default text within the content control (\"Your text here\") with your own text: select the default text, and type in a new text or copy a text passage from anywhere and paste it into the content control. The Plain text content controls do not allow adding line breaks and cannot contain other objects such as images, tables, etc. Create a new Rich Text content control position the insertion point within the text line where the content control should be added, or select one or more of the existing paragraphs you want to become the control contents. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Rich Text option from the menu. The control will be inserted in a new paragraph. Replace the default text within the control (\"Your text here\") with your own one: select the default text, and type in a new text or copy a text passage from anywhere and paste it into the content control. Rich text content controls allow adding line breaks, i.e. can contain multiple paragraphs as well as some objects, such as images, tables, other content controls etc. Create a new Picture content control position the insertion point within a line of the text where you want the control to be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Picture option from the menu - the content control will be inserted at the insertion point. click the image icon in the button above the content control border - a standard file selection window will open. Choose an image stored on your computer and click Open. The selected image will be displayed within the content control. To replace the image, click the image icon in the button above the content control border and select another image. Create a new Combo box or Drop-down list content control The Combo box and Drop-down list content controls contain a drop-down list with a set of choices. They can be created amost in the same way. The main difference between them is that the selected value in the drop-down list cannot be edited, while the selected value in the combo box can be replaced. position the insertion point within a line of the text where you want the control to be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Combo box or Drop-down list option from the menu - the control will be inserted at the insertion point. right-click the added control and choose the Content control settings option from the contextual menu. in the the opened Content Control Settings window, switch to the Combo box or Drop-down list tab, depending on the selected content control type. to add a new list item, click the Add button and fill in the available fields in the the opened window: specify the necessary text in the Display name field, e.g. Yes, No, Other. This text will be displayed in the content control within the document. by default, the text in the Value field corresponds to the one entered in the Display name field. If you want to edit the text in the Value field, note that the entered value must be unique for each item. click the OK button. you can edit or delete the list items by using the Edit or Delete buttons on the right or change the item order using the Up and Down button. when all the necessary choices are set, click the OK button to save the settings and close the window. You can click the arrow button in the right part of the added Combo box or Drop-down list content control to open the item list and choose the necessary one. Once the necessary item is selected from the Combo box, you can edit the displayed text by replacing it with your text entirely or partially. The Drop-down list does not allow editing the selected item. Create a new Date content control position the insertion point within the text where content control should be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Date option from the menu - the content control with the current date will be inserted at the insertion point. right-click the added content control and choose the Content control settings option from the contextual menu. in the opened Content Control Settings window, switch to the Date format tab. choose the necessary Language and select the necessary date format in the Display the date like this list. click the OK button to save the settings and close the window. You can click the arrow button in the right part of the added Date content control to open the calendar and choose the necessary date. Create a new Check box content control position the insertion point within the text line where the content control should be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Check box option from the menu - the content control will be inserted at the insertion point. right-click the added content control and choose the Content control settings option from the contextual menu. in the opened Content Control Settings window, switch to the Check box tab. click the Checked symbol button to specify the necessary symbol for the selected check box or the Unchecked symbol to select how the cleared check box should look like. The Symbol window will open. To learn more on how to work with symbols, please refer to this article. when the symbols are specified, click the OK button to save the settings and close the window. The added check box is displayed in the unchecked mode. If you click the added check box it will be checked with the symbol selected in the Checked symbol list. Note: The content control border is only visible when the control is selected. The borders do not appear on a printed version. Moving content controls Content controls can be moved to another place in the document: click the button on the left of the control border to select the control and drag it without releasing the mouse button to another position in the text. You can also copy and paste content controls: select the necessary control and use the Ctrl+C/Ctrl+V key combinations. Editing plain text and rich text content controls Text within plain text and rich text content controls can be formatted by using the icons on the top toolbar: you can adjust the font type, size, color, apply decoration styles and formatting presets. It's also possible to use the Paragraph - Advanced settings window accessible from the contextual menu or from the right sidebar to change the text properties. Text within rich text content controls can be formatted like a regular text, i.e. you can set line spacing, change paragraph indents, adjust tab stops, etc. Changing content control settings No matter which type of content controls is selected, you can change the content control settings in the General and Locking sections of the Content Control Settings window. To open the content control settings, you can proceed in the following ways: Select the necessary content control, click the arrow next to the Content Controls icon on the top toolbar and select the Control Settings option from the menu. Right-click anywhere within the content control and use the Content control settings option from the contextual menu. A new window will open. Ot the General tab, you can adjust the following settings: Specify the content control Title, Placeholder, or Tag in the corresponding fields. The title will be displayed when the control is selected. The placeholder is the main text displayed within the content control element. Tags are used to identify content controls so that you can make a reference to them in your code. Choose if you want to display the content control with a Bounding box or not. Use the None option to display the control without the bounding box. If you select the Bounding box option, you can choose the Color of this box using the field below. Click the Apply to All button to apply the specified Appearance settings to all the content controls in the document. On the Locking tab, you can protect the content control from being deleted or edited using the following settings: Content control cannot be deleted - check this box to protect the content control from being deleted. Contents cannot be edited - check this box to protect the contents of the content control from being edited. For certain types of content controls, the third tab that contains the specific settings for the selected content control type is also available: Combo box, Drop-down list, Date, Check box. These settings are described above in the sections about adding the corresponding content controls. Click the OK button within the settings window to apply the changes. It's also possible to highlight content controls with a certain color. To highlight controls with a color: Click the button on the left of the control border to select the control, Click the arrow next to the Content Controls icon on the top toolbar, Select the Highlight Settings option from the menu, Choose the required color from the available palettes: Theme Colors, Standard Colors or specify a new Custom Color. To remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all the content controls in the document. Removing content controls To remove a content control and leave all its contents, select a content control, then proceed in one of the following ways: Click the arrow next to the Content Controls icon on the top toolbar and select the Remove content control option from the menu. Right-click the content control and use the Remove content control option from the contextual menu. To remove a control and all its contents, select the necessary control and press the Delete key on the keyboard." + "body": "Content controls are objects containing different types of content, such as text, objects, etc. Depending on the selected content control type, you can collaborate on documents by using the available content controls array, or lock the ones that do not need further editing and unlock those that require your colleagues’ input, etc. Content controls are typically used to facilitate data gathering and processing or to set necessary boundaries for documents edited by other users. ONLYOFFICE Document Editor allows you to insert classic content controls, i.e. they are fully backward compatible with the third-party word processors such as Microsoft Word. Note: the feature to add new content controls is available in the paid version only. In the free Community version, you can edit existing content controls, as well as copy and paste them. To enable this feature in the desktop version, refer to this article. ONLYOFFICE Document Editor supports the following classic content controls: Plain Text, Rich Text, Picture, Combo box, Drop-down list, Date, Check box. Plain Text is an object containing text that cannot be formatted. Plain text content controls cannot contain more than one paragraph. Rich Text is an object containing text that can be formatted. Rich text content controls can contain several paragraphs, lists, and objects (images, shapes, tables etc.). Picture is an object containing a single image. Combo box is an object containing a drop-down list with a set of choices. It allows choosing one of the predefined values from the list and edit the selected value if necessary. Drop-down list is an object containing a drop-down list with a set of choices. It allows choosing one of the predefined values from the list. The selected value cannot be edited. Date is an object containing a calendar that allows choosing a date. Check box is an object that allows displaying two states: the check box is selected and the check box is cleared. Adding content controls Create a new Plain Text content control position the insertion point within the text line where the content control should be added, or select a text passage to transform it into a content control. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Plain Text option from the menu. The content control will be inserted at the insertion point within existing text line. Replace the default text within the content control (\"Your text here\") with your own text: select the default text, and type in a new text or copy a text passage from anywhere and paste it into the content control. The Plain text content controls do not allow adding line breaks and cannot contain other objects such as images, tables, etc. Create a new Rich Text content control position the insertion point within the text line where the content control should be added, or select one or more of the existing paragraphs you want to become the control contents. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Rich Text option from the menu. The control will be inserted in a new paragraph. Replace the default text within the control (\"Your text here\") with your own one: select the default text, and type in a new text or copy a text passage from anywhere and paste it into the content control. Rich text content controls allow adding line breaks, i.e. can contain multiple paragraphs as well as some objects, such as images, tables, other content controls etc. Create a new Picture content control position the insertion point within a line of the text where you want the control to be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Picture option from the menu - the content control will be inserted at the insertion point. click the image icon in the button above the content control border - a standard file selection window will open. Choose an image stored on your computer and click Open. The selected image will be displayed within the content control. To replace the image, click the image icon in the button above the content control border and select another image. Create a new Combo box or Drop-down list content control The Combo box and Drop-down list content controls contain a drop-down list with a set of choices. They can be created amost in the same way. The main difference between them is that the selected value in the drop-down list cannot be edited, while the selected value in the combo box can be replaced. position the insertion point within a line of the text where you want the control to be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Combo box or Drop-down list option from the menu - the control will be inserted at the insertion point. right-click the added control and choose the Content control settings option from the contextual menu. in the the opened Content Control Settings window, switch to the Combo box or Drop-down list tab, depending on the selected content control type. to add a new list item, click the Add button and fill in the available fields in the the opened window: specify the necessary text in the Display name field, e.g. Yes, No, Other. This text will be displayed in the content control within the document. by default, the text in the Value field corresponds to the one entered in the Display name field. If you want to edit the text in the Value field, note that the entered value must be unique for each item. click the OK button. you can edit or delete the list items by using the Edit or Delete buttons on the right or change the item order using the Up and Down button. when all the necessary choices are set, click the OK button to save the settings and close the window. You can click the arrow button in the right part of the added Combo box or Drop-down list content control to open the item list and choose the necessary one. Once the necessary item is selected from the Combo box, you can edit the displayed text by replacing it with your text entirely or partially. The Drop-down list does not allow editing the selected item. Create a new Date content control position the insertion point within the text where content control should be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Date option from the menu - the content control with the current date will be inserted at the insertion point. right-click the added content control and choose the Content control settings option from the contextual menu. in the opened Content Control Settings window, switch to the Date format tab. choose the necessary Language and select the necessary date format in the Display the date like this list. click the OK button to save the settings and close the window. You can click the arrow button in the right part of the added Date content control to open the calendar and choose the necessary date. Create a new Check box content control position the insertion point within the text line where the content control should be added. switch to the Insert tab of the top toolbar. click the arrow next to the Content Controls icon. choose the Check box option from the menu - the content control will be inserted at the insertion point. right-click the added content control and choose the Content control settings option from the contextual menu. in the opened Content Control Settings window, switch to the Check box tab. click the Checked symbol button to specify the necessary symbol for the selected check box or the Unchecked symbol to select how the cleared check box should look like. The Symbol window will open. To learn more on how to work with symbols, please refer to this article. when the symbols are specified, click the OK button to save the settings and close the window. The added check box is displayed in the unchecked mode. If you click the added check box it will be checked with the symbol selected in the Checked symbol list. Note: The content control border is only visible when the control is selected. The borders do not appear on a printed version. Moving content controls Content controls can be moved to another place in the document: click the button on the left of the control border to select the control and drag it without releasing the mouse button to another position in the text. You can also copy and paste content controls: select the necessary control and use the Ctrl+C/Ctrl+V key combinations. Editing plain text and rich text content controls Text within plain text and rich text content controls can be formatted by using the icons on the top toolbar: you can adjust the font type, size, color, apply decoration styles and formatting presets. It's also possible to use the Paragraph - Advanced settings window accessible from the contextual menu or from the right sidebar to change the text properties. Text within rich text content controls can be formatted like a regular text, i.e. you can set line spacing, change paragraph indents, adjust tab stops, etc. Changing content control settings No matter which type of content controls is selected, you can change the content control settings in the General and Locking sections of the Content Control Settings window. To open the content control settings, you can proceed in the following ways: Select the necessary content control, click the arrow next to the Content Controls icon on the top toolbar and select the Control Settings option from the menu. Right-click anywhere within the content control and use the Content control settings option from the contextual menu. A new window will open. Ot the General tab, you can adjust the following settings: Specify the content control Title, Placeholder, or Tag in the corresponding fields. The title will be displayed when the control is selected. The placeholder is the main text displayed within the content control element. Tags are used to identify content controls so that you can make a reference to them in your code. Choose if you want to display the content control with a Bounding box or not. Use the None option to display the control without the bounding box. If you select the Bounding box option, you can choose the Color of this box using the field below. Click the Apply to All button to apply the specified Appearance settings to all the content controls in the document. On the Locking tab, you can protect the content control from being deleted or edited using the following settings: Content control cannot be deleted - check this box to protect the content control from being deleted. Contents cannot be edited - check this box to protect the contents of the content control from being edited. For certain types of content controls, the third tab that contains the specific settings for the selected content control type is also available: Combo box, Drop-down list, Date, Check box. These settings are described above in the sections about adding the corresponding content controls. Click the OK button within the settings window to apply the changes. It's also possible to highlight content controls with a certain color. To highlight controls with a color: Click the button on the left of the control border to select the control, Click the arrow next to the Content Controls icon on the top toolbar, Select the Highlight Settings option from the menu, Choose the required color from the available palettes: Theme Colors, Standard Colors or specify a new Custom Color. To remove previously applied color highlighting, use the No highlighting option. The selected highlight options will be applied to all the content controls in the document. Removing content controls To remove a content control and leave all its contents, select a content control, then proceed in one of the following ways: Click the arrow next to the Content Controls icon on the top toolbar and select the Remove content control option from the menu. Right-click the content control and use the Remove content control option from the contextual menu. To remove a control and all its contents, select the necessary control and press the Delete key on the keyboard." }, { "id": "UsageInstructions/InsertCrossReference.htm", @@ -353,7 +368,7 @@ var indexes = { "id": "UsageInstructions/Translator.htm", "title": "Translate text", - "body": "You can translate your document from and to numerous languages. Select the text that you want to translate. Switch to the Plugins tab and choose Translator, the Translator appears in a sidebar on the left. The language of the selected text will be automatically detected and the text will be translated to the default language. Changing the language of your result: Click the lower drop-down box and choose the preferred language. The translation will change immediately. Wrong detection of the source language If the automatic detection is not correct, you can overrule it: Click the upper drop-down box and choose the preferred language." + "body": "You can translate your document from and to numerous languages. Select the text that you want to translate. Switch to the Plugins tab and choose Translator, the Translator appears in a sidebar on the left. Click the drop-down box and choose the preferred language. The text will be translated to the required language. Changing the language of your result: Click the drop-down box and choose the preferred language. The translation will change immediately." }, { "id": "UsageInstructions/UseMailMerge.htm", diff --git a/apps/documenteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm index 7b4c0aad2..6ecc7f7c7 100644 --- a/apps/documenteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm @@ -34,7 +34,9 @@
    • Discurso permite convertir el texto seleccionado en un discurso,
    • Tabla de símbolos permite introducir símbolos especiales en su texto,
    • El Diccionario de sinónimos permite buscar tanto sinónimos como antónimos de una palabra y reemplazar esta palabra por la seleccionada,
    • -
    • Traductor permite traducir el texto seleccionado a otros idiomas,
    • +
    • Traductor permite traducir el texto seleccionado a otros idiomas, +

      Nota: este complemento no funciona en Internet Explorer.

      +
    • YouTube permite incorporar vídeos en su documento.

    Los plugins Wordpress y EasyBib pueden usarse si conecta los servicios correspondientes en la configuración de su portal. Puede utilizar las siguientes instrucciones para la versión de servidor o para la versión SaaS.

    diff --git a/apps/documenteditor/main/resources/help/es/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/es/UsageInstructions/FontTypeSizeColor.htm index b34b3a1a7..36fe79415 100644 --- a/apps/documenteditor/main/resources/help/es/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/es/UsageInstructions/FontTypeSizeColor.htm @@ -18,8 +18,8 @@

    Nota: si quiere aplicar el formato al texto existente en el documento, selecciónelo con el ratón o use el teclado y aplique el formato.

  • SchriftartSchriftartSchriftartSchriftart 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.
    Move the cursor one line down.
    Navigate between controls in modal dialoguesTab/Shift+Tab↹ Tab/⇧ Shift+↹ TabNavigate between controls to give focus to the next or previous control in modal dialogues.
    Writing
    Insert a non-breaking hyphen ‘-’ within the current document and to the right of the cursor.
    Insert a no-break spaceInsert 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.
    Font size Font sizeUsed to choose from the preset font size values in the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value in the font size field and then press Enter.Used to choose from the preset font size values in the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value up to 300 pt in the font size field. Press Enter to confirm.
    Increment font size
    - - + + diff --git a/apps/documenteditor/main/resources/help/es/editor.css b/apps/documenteditor/main/resources/help/es/editor.css index cbedb7bef..4e3f9d697 100644 --- a/apps/documenteditor/main/resources/help/es/editor.css +++ b/apps/documenteditor/main/resources/help/es/editor.css @@ -6,11 +6,21 @@ color: #444; background: #fff; } +.cross-reference th{ +text-align: center; +vertical-align: middle; +} + +.cross-reference td{ +text-align: center; +vertical-align: middle; +} + img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -186,4 +196,41 @@ kbd { box-shadow: 0 1px 3px rgba(85,85,85,.35); margin: 0.2em 0.1em; color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; +} +.forms { + display: inline-block; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/es/images/backgroundcolor.png b/apps/documenteditor/main/resources/help/es/images/backgroundcolor.png index 5929239d6..d9d5a8c21 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/backgroundcolor.png and b/apps/documenteditor/main/resources/help/es/images/backgroundcolor.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/bold.png b/apps/documenteditor/main/resources/help/es/images/bold.png index 8b50580a0..ff78d284e 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/bold.png and b/apps/documenteditor/main/resources/help/es/images/bold.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/frame_properties_1.png b/apps/documenteditor/main/resources/help/es/images/frame_properties_1.png new file mode 100644 index 000000000..00224b6b8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/es/images/frame_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/highlightcolor.png b/apps/documenteditor/main/resources/help/es/images/highlightcolor.png index 85ef0822b..ba856daf1 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/highlightcolor.png and b/apps/documenteditor/main/resources/help/es/images/highlightcolor.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/italic.png b/apps/documenteditor/main/resources/help/es/images/italic.png index 08fd67a4d..7d5e6d062 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/italic.png and b/apps/documenteditor/main/resources/help/es/images/italic.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/larger.png b/apps/documenteditor/main/resources/help/es/images/larger.png index 1a461a817..39a51760e 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/larger.png and b/apps/documenteditor/main/resources/help/es/images/larger.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/smaller.png b/apps/documenteditor/main/resources/help/es/images/smaller.png index d24f79a22..d087549c9 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/smaller.png and b/apps/documenteditor/main/resources/help/es/images/smaller.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/strike.png b/apps/documenteditor/main/resources/help/es/images/strike.png index 5aa076a4a..742143a34 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/strike.png and b/apps/documenteditor/main/resources/help/es/images/strike.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/sub.png b/apps/documenteditor/main/resources/help/es/images/sub.png index 40f36f42a..b99d9c1df 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/sub.png and b/apps/documenteditor/main/resources/help/es/images/sub.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/sup.png b/apps/documenteditor/main/resources/help/es/images/sup.png index 2390f6aa2..7a32fc135 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/sup.png and b/apps/documenteditor/main/resources/help/es/images/sup.png differ diff --git a/apps/documenteditor/main/resources/help/es/images/underline.png b/apps/documenteditor/main/resources/help/es/images/underline.png index 793ad5b94..4c82ff29b 100644 Binary files a/apps/documenteditor/main/resources/help/es/images/underline.png and b/apps/documenteditor/main/resources/help/es/images/underline.png differ diff --git a/apps/documenteditor/main/resources/help/es/search/indexes.js b/apps/documenteditor/main/resources/help/es/search/indexes.js index a71631491..98a45c747 100644 --- a/apps/documenteditor/main/resources/help/es/search/indexes.js +++ b/apps/documenteditor/main/resources/help/es/search/indexes.js @@ -43,7 +43,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formatos Soportados de Documentos Electrónicos", - "body": "Documentos electrónicos representan uno de los archivos infórmaticos más comúnmente utilizados. Gracias a un nivel alto de desarrollo de las redes infórmaticas actuales es más conveniente distribuir documentos de forma electrónica. Debido a una variedad de dispositivos usados para presentación de documentos existen muchos formatos de archivos patentados y abiertos. Document Editor soporta los formatos más populares. Formatos Descripción Ver Editar Descargar DOC Extensión de archivo para los documentos de texto creados con Microsoft Word + + DOCX Office Open XML Formato de archivo desarrollado por Microsoft basado en XML, comprimido usando la tecnología ZIP se usa para presentación de hojas de cálculo, gráficos, presentaciones y documentos de texto + + + DOTX Plantilla 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. + + + ODT Formato de los archivos de texto OpenDocument, un estándar abierto para documentos electrónicos + + + OTT Plantilla 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. + + en la versión en línea RTF Rich Text Format Formato de archivos de documentos desarrollado por Microsoft para intercambio de documentos entre plataformas + + + TXT Extensión de archivo para archivos de texto que normalmente contiene un formateo mínimo + + + PDF Formato de documento portátil Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos + + PDF Formato 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. + + HTML HyperText Markup Language Lenguaje de marcado principal para páginas web + + en la versión en línea EPUB Electronic Publication Estándar abierto y gratuito para libros electrónicos creado por el Foro Internacional de Publicación Digital (International Digital Publishing Forum) + XPS Open XML Paper Specification Formato de documento abierto de diseño fijo desarrollado por Microsoft + DjVu Formato de archivo diseñado principalmente para almacenar los documentos escaneados, especialmente para tales que contienen una combinación de texto, imágenes y fotografías +" + "body": "Documentos electrónicos representan uno de los archivos infórmaticos más comúnmente utilizados. Gracias a un nivel alto de desarrollo de las redes infórmaticas actuales es más conveniente distribuir documentos de forma electrónica. Debido a una variedad de dispositivos usados para presentación de documentos existen muchos formatos de archivos patentados y abiertos. Document Editor soporta los formatos más populares. Formatos Descripción Ver Editar Descargar DOC Extensión de archivo para los documentos de texto creados con Microsoft Word + + DOCX Office Open XML Formato de archivo desarrollado por Microsoft basado en XML, comprimido usando la tecnología ZIP se usa para presentación de hojas de cálculo, gráficos, presentaciones y documentos de texto + + + DOTX Plantilla 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. + + + ODT Formato de los archivos de texto OpenDocument, un estándar abierto para documentos electrónicos + + + OTT Plantilla 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. + + + RTF Rich Text Format Formato de archivos de documentos desarrollado por Microsoft para intercambio de documentos entre plataformas + + + TXT Extensión de archivo para archivos de texto que normalmente contiene un formateo mínimo + + + PDF Formato de documento portátil Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos + + PDF Formato 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. + + HTML HyperText Markup Language Lenguaje de marcado principal para páginas web + + en la versión en línea EPUB Electronic Publication Estándar abierto y gratuito para libros electrónicos creado por el Foro Internacional de Publicación Digital (International Digital Publishing Forum) + XPS Open XML Paper Specification Formato de documento abierto de diseño fijo desarrollado por Microsoft + DjVu Formato de archivo diseñado principalmente para almacenar los documentos escaneados, especialmente para tales que contienen una combinación de texto, imágenes y fotografías +" }, { "id": "ProgramInterface/FileTab.htm", @@ -233,7 +233,7 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Cree un documento nuevo o abra el documento existente", - "body": "Para crear un nuevo documento En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Crear nuevo. En el editor de escritorio En la ventana principal del programa, seleccione la opción del menú Documento de la sección Crear nuevo de la barra lateral izquierda - se abrirá un nuevo archivo en una nueva pestaña, cuando se hayan realizado todos los cambios deseados, haga clic en el icono Guardar de la esquina superior izquierda o cambie a la pestaña Archivoy seleccione la opción Guardar como del menú. en la ventana de gestión de archivos, seleccione la ubicación del archivo, especifique su nombre, elija el formato en el que desea guardar el documento (DOCX, Plantilla de documento, ODT, RTF, TXT, PDF o PDFA) y haga clic en el botón Guardar. Para abrir un documento existente En el editor de escritorio en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda, seleccione el documento deseado en la ventana de gestión de archivos y haga clic en el botón Abrir. También puede hacer clic con el botón derecho sobre el documento deseado en la ventana de gestión de archivos, seleccionar la opción Abrir con y elegir la aplicación correspondiente en el menú. Si los archivos de documentos de Office están asociados con la aplicación, también puede abrir documentos haciendo doble clic sobre el nombre del archivo en la ventana del explorador de archivos. Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella. Para abrir un documento recientemente editado En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Abrir reciente, elija el documento necesario de la lista de documentos últimamente editados. En el editor de escritorio en la ventana principal del programa, seleccione la opción Archivos recientes en la barra lateral izquierda, elija el documento necesario de la lista de documentos últimamente editados. Para abrir la carpeta donde se encuentra el archivo en una nueva pestaña del navegador en la versión en línea, en la ventana del explorador de archivos en la versión de escritorio, haga clic en el icono Abrir ubicación de archivo en el lado derecho de la cabecera del editor. Como alternativa, puede cambiar a la pestaña Archivo en la barra de herramientas superior y seleccionar la opción Abrir ubicación de archivo." + "body": "Para crear un nuevo documento En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Crear nuevo. En el editor de escritorio En la ventana principal del programa, seleccione la opción del menú Documento de la sección Crear nuevo de la barra lateral izquierda - se abrirá un nuevo archivo en una nueva pestaña, cuando se hayan realizado todos los cambios deseados, haga clic en el icono Guardar de la esquina superior izquierda o cambie a la pestaña Archivoy seleccione la opción Guardar como del menú. en la ventana de gestión de archivos, seleccione la ubicación del archivo, especifique su nombre, elija el formato en el que desea guardar el documento (DOCX, Plantilla de documento (DOTX), ODT, OTT, RTF, TXT, PDF o PDFA) y haga clic en el botón Guardar. Para abrir un documento existente En el editor de escritorio en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda, seleccione el documento deseado en la ventana de gestión de archivos y haga clic en el botón Abrir. También puede hacer clic con el botón derecho sobre el documento deseado en la ventana de gestión de archivos, seleccionar la opción Abrir con y elegir la aplicación correspondiente en el menú. Si los archivos de documentos de Office están asociados con la aplicación, también puede abrir documentos haciendo doble clic sobre el nombre del archivo en la ventana del explorador de archivos. Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella. Para abrir un documento recientemente editado En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Abrir reciente, elija el documento necesario de la lista de documentos últimamente editados. En el editor de escritorio en la ventana principal del programa, seleccione la opción Archivos recientes en la barra lateral izquierda, elija el documento necesario de la lista de documentos últimamente editados. Para abrir la carpeta donde se encuentra el archivo en una nueva pestaña del navegador en la versión en línea, en la ventana del explorador de archivos en la versión de escritorio, haga clic en el icono Abrir ubicación de archivo en el lado derecho de la cabecera del editor. Como alternativa, puede cambiar a la pestaña Archivo en la barra de herramientas superior y seleccionar la opción Abrir ubicación de archivo." }, { "id": "UsageInstructions/PageBreaks.htm", @@ -248,7 +248,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Guarde/imprima/descargue su documento", - "body": "Guardando Por defecto, el Editor de documentos guarda automáticamente el archivo cada 2 segundos cuando trabaja en él, evitando la pérdida de datos en caso de cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar el documento actual de forma manual en su formato y ubicación actuales, Pulse el icono Guardar en la parte izquierda de la cabecera del editor, o use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Nota: en la versión de escritorio, para evitar la pérdida de datos en caso de cierre inesperado del programa, puede activar la opción Autorecuperación en la página de Ajustes avanzados . En la versión de escritorio, puede guardar el documento con otro nombre, en una nueva ubicación o con otro formato, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar como..., elija uno de los formatos disponibles: DOCX, ODT, RTF, TXT, PDF, PDFA. También puede seleccionar la opción Plantilla de documento (DOTX). Descargando En la versión en línea, puede descargar el documento creado en el disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los formatos disponibles: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Guardando una copia En la versión en línea, puede guardar una copia del archivo en su portal, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar copia como..., elija uno de los formatos disponibles: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. seleccione una ubicación para el archivo en el portal y pulse Guardar. Imprimiendo Para imprimir el documento corriente, haga clic en el icono Imprimir en la parte izquierda de la cabecera del editor, o bien use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir. En la versión de escritorio, el archivo se imprimirá directamente. En laversión en línea, se generará un archivo PDF a partir del documento. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde. Algunos navegadores (como Chrome y Opera) permiten la impresión directa." + "body": "Guardando Por defecto, el Editor de documentos guarda automáticamente el archivo cada 2 segundos cuando trabaja en él, evitando la pérdida de datos en caso de cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar el documento actual de forma manual en su formato y ubicación actuales, Pulse el icono Guardar en la parte izquierda de la cabecera del editor, o use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Nota: en la versión de escritorio, para evitar la pérdida de datos en caso de cierre inesperado del programa, puede activar la opción Autorecuperación en la página de Ajustes avanzados . En la versión de escritorio, puede guardar el documento con otro nombre, en una nueva ubicación o con otro formato, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar como..., elija uno de los formatos disponibles: DOCX, ODT, RTF, TXT, PDF, PDFA. También puede seleccionar la opción Plantilla de documento (DOTX o OTT). Descargando En la versión en línea, puede descargar el documento creado en el disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los formatos disponibles: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Guardando una copia En la versión en línea, puede guardar una copia del archivo en su portal, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar copia como..., elija uno de los formatos disponibles: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. seleccione una ubicación para el archivo en el portal y pulse Guardar. Imprimiendo Para imprimir el documento corriente, haga clic en el icono Imprimir en la parte izquierda de la cabecera del editor, o bien use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir. En la versión de escritorio, el archivo se imprimirá directamente. En laversión en línea, se generará un archivo PDF a partir del documento. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde. Algunos navegadores (como Chrome y Opera) permiten la impresión directa." }, { "id": "UsageInstructions/SectionBreaks.htm", diff --git a/apps/documenteditor/main/resources/help/fr/Contents.json b/apps/documenteditor/main/resources/help/fr/Contents.json index 31ace0f66..0927251bf 100644 --- a/apps/documenteditor/main/resources/help/fr/Contents.json +++ b/apps/documenteditor/main/resources/help/fr/Contents.json @@ -58,18 +58,22 @@ "src": "UsageInstructions/SectionBreaks.htm", "name": "Insérer les sauts de section" }, - { - "src": "UsageInstructions/InsertHeadersFooters.htm", - "name": "Insérer les en-têtes et pieds de page" - }, - { - "src": "UsageInstructions/InsertPageNumbers.htm", - "name": "Insérer les numéros de page" - }, - { - "src": "UsageInstructions/InsertFootnotes.htm", - "name": "Insérer les notes de bas de page" - }, + { + "src": "UsageInstructions/InsertHeadersFooters.htm", + "name": "Insérer les en-têtes et pieds de page" + }, + {"src": "UsageInstructions/InsertDateTime.htm", "name": "Insérer la date et l'heure"}, + { + "src": "UsageInstructions/InsertPageNumbers.htm", + "name": "Insérer les numéros de page" + }, + {"src": "UsageInstructions/InsertLineNumbers.htm", "name": "Insérer des numéros de ligne"}, + { + "src": "UsageInstructions/InsertFootnotes.htm", + "name": "Insérer les notes de bas de page" + }, + { "src": "UsageInstructions/InsertEndnotes.htm", "name": "Insérer des notes de fin" }, + { "src": "UsageInstructions/ConvertFootnotesEndnotes.htm", "name": "Conversion de notes de bas de page en notes de fin" }, { "src": "UsageInstructions/InsertBookmarks.htm", "name": "Ajouter des marque-pages" @@ -126,10 +130,11 @@ "src": "UsageInstructions/CopyClearFormatting.htm", "name": "Copier/effacer la mise en forme du texte" }, - { - "src": "UsageInstructions/AddHyperlinks.htm", - "name": "Ajouter des liens hypertextes" - }, + { + "src": "UsageInstructions/AddHyperlinks.htm", + "name": "Ajouter des liens hypertextes" + }, + {"src": "UsageInstructions/InsertCrossReference.htm", "name": "Insertion de renvoi"}, { "src": "UsageInstructions/InsertDropCap.htm", "name": "Insérer une lettrine" @@ -196,7 +201,16 @@ "src": "HelpfulHints/Review.htm", "name": "Révision du document" }, - {"src": "HelpfulHints/Comparison.htm", "name": "Comparer les documents"}, + { "src": "HelpfulHints/Comparison.htm", "name": "Comparer les documents" }, + {"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/InsertReferences.htm", "name": "Insérer les références" }, + {"src": "UsageInstructions/Translator.htm", "name": "Traduire un texte" }, + {"src": "UsageInstructions/OCR.htm", "name": "Extraction du texte incrusté dans l'image" }, + {"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/ViewDocInfo.htm", "name": "Afficher les informations sur le document", @@ -218,10 +232,11 @@ "src": "HelpfulHints/Search.htm", "name": "Fonctions de recherche et remplacement" }, - { - "src": "HelpfulHints/SpellChecking.htm", - "name": "Vérification de l'orthographe" - }, + { + "src": "HelpfulHints/SpellChecking.htm", + "name": "Vérification de l'orthographe" + }, + {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Fonctionnalités de correction automatique" }, { "src": "HelpfulHints/About.htm", "name": "À propos de Document Editor", diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm index ad37ded32..6259ddac7 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/About.htm @@ -3,7 +3,7 @@ À propos de Document Editor - + @@ -11,10 +11,10 @@
    - +

    À propos de Document Editor

    -

    Document Editor est une application en ligne qui vous permet de parcourir et de modifier des documents directement sur le portail .

    +

    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.

    Pour afficher la version actuelle du logiciel et les informations de licence dans la version en ligne, cliquez sur l'icône 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, sélectionnez l'élément de menu À propos dans la barre latérale gauche de la fenêtre principale du programme.

    diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm index 7e0e22932..070e66214 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/AdvancedSettings.htm @@ -3,7 +3,7 @@ Paramètres avancés de Document Editor - + @@ -11,20 +11,23 @@
    - +

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

      -
    • Commentaires en temps réel sert à activer / désactiver les commentaires en temps réel.
        +
      • Commentaires en temps réel sert à activer / désactiver les commentaires en temps réel. +
        • 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 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 cachés dans le texte du document. Vous ne pourrez voir ces commentaires que si vous cliquez sur l'icône Commentaires 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.
      • Vérification orthographique sert à activer/désactiver la vérification orthographique.
      • +
      • Vérification sert à remplacer un mot ou un symbole que vous avez saisi dans la casse Remplacer ou que vous avez choisi de la liste de corrections automatiques avec un autre mot ou symbole qui s’affiche dans la casse Par.
      • Entrée alternative sert à activer / désactiver les hiéroglyphes.
      • 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.
      • +
      • Compatibilité sert à rendre les fichiers compatibles avec les anciennes versions de MS Word lorsqu’ils sont enregistrés au format DOCX.
      • 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 documents en cas de fermeture inattendue du programme.
      • 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.
        • @@ -38,13 +41,21 @@
      • 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% à 200%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur.
      • -
      • Hinting sert à sélectionner le type d'affichage de la police dans Document Editor :
          +
        • Hinting de la police sert à sélectionner le type d'affichage de la police dans Document 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.
        • -
        • 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.
        • +
        • 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.
        • +
        • Couper, copier et coller - sert à afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option.
        • +
        • Réglages macros - sert à désactiver toutes les macros avec notification. +
            +
          • Choisissez Désactivez tout pour désactiver toutes les macros dans un 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.
          • +
          +

        Pour enregistrer les paramètres modifiés, cliquez sur le bouton Appliquer.

    diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm index e0cb6a78a..8881ad78f 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/CollaborativeEditing.htm @@ -3,7 +3,7 @@ Edition collaborative des documents - + @@ -11,7 +11,7 @@
    - +

    Edition collaborative des documents

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

    @@ -27,33 +27,33 @@

    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.

    -

    Edition collaborative

    -

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

    -
      -
    • Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel.
    • -
    • Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer Icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs.
    • -
    +

    Edition collaborative

    +

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

    +
      +
    • Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel.
    • +
    • Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer 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 Icône Mode de co-édition 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 - Icône Nombre d'utilisateurs. S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée.

    -

    Lorsqu'aucun utilisateur ne visualise ou n'édite le fichier, l'icône dans l'en-tête de l'éditeur aura l'aspect suivant Icône Gérer les droits d'accès au document 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 Icône Nombre d'utilisateurs. Il est également possible de définir des droits d'accès à l'aide de l'icône Icône Partage Partage dans l'onglet Collaboration de la barre d'outils supérieure.

    -

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

    -

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

    -

    Chat

    -

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

    -

    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 Chat dans la barre latérale gauche ou
      passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat 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 - Chat.

    -

    Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône Chat dans la barre latérale gauche ou sur le bouton Chat Chat dans la barre d'outils supérieure.

    +

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

    +

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

    +

    Lorsqu'aucun utilisateur ne visualise ou n'édite le fichier, l'icône dans l'en-tête de l'éditeur aura l'aspect suivant Icône Gérer les droits d'accès au document 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 Icône Nombre d'utilisateurs. Il est également possible de définir des droits d'accès à l'aide de l'icône Icône Partage Partage dans l'onglet Collaboration de la barre d'outils supérieure.

    +

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

    +

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

    +

    Chat

    +

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

    +

    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 Chat dans la barre latérale gauche ou
      passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat 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 - Chat.

    +

    Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône Chat dans la barre latérale gauche ou sur le bouton Chat Chat dans la barre d'outils supérieure.

    -

    Commentaires

    +

    Commentaires

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

    Pour laisser un commentaire :

      @@ -63,6 +63,7 @@
    1. cliquez sur le bouton Ajouter commentaire/Ajouter.

    Le commentaire sera affiché sur le panneau à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire.

    +

    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 Icône Enregistrer dans le coin supérieur gauche de la barre supérieure.

    Le fragment du texte commenté sera marqué dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône Icône Commentaires.

    Pour gérer les commentaires ajoutés, procédez de la manière suivante :

      @@ -70,8 +71,23 @@
    • pour les supprimer, cliquez sur l'icône Supprimer,
    • fermez la discussion en cliquant sur l'icône Icône Résoudre 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 Icône Ouvrir à nouveau. 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 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 Icône Enregistrer dans le coin supérieur gauche de la barre supérieure.

    -

    Pour fermer le panneau avec les commentaires cliquez sur l'icône Icône Commentaires encore une fois.

    - - +

    Ajouter les 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 L'icône Supprimer le commentaire 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ées 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ées aussi.
      • +
      • Supprimer tous les commentaires à supprimer tous les commentaires du document.
      • +
      +
    4. +
    +

    Pour fermer le panneau avec les commentaires, cliquez sur l'icône L'icône Commentaires 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/Comparison.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm index de9488568..6a205aadb 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Comparison.htm @@ -11,7 +11,7 @@
    - +

    Comparer les documents

    Remarque : cette option est disponible uniquement dans la version payante de la suite bureautique en ligne à partir de Document Server v. 5.5.

    @@ -35,13 +35,13 @@ -

    Lorsque le deuxième document à comparer est sélectionné, le processus de comparaison démarre et le document a l’air d’ê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.

    +

    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.

    Choisissez le mode d’affichage des modifications

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

    • - Annotation - 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. + 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

    • diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/KeyboardShortcuts.htm index 63d7e665a..da44ded3d 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 - + @@ -13,7 +13,7 @@
      - +

      Raccourcis clavier

        @@ -113,6 +113,12 @@
    + + + + + + @@ -212,7 +218,8 @@ - + --> + @@ -505,11 +513,13 @@ - + --> + @@ -544,11 +554,13 @@ - + --> + @@ -641,15 +653,35 @@ - + --> + + + + + + + + + + + + + + + + + + +
    FuenteFuenteFuenteFuente Se usa para elegir una letra en la lista de letras disponibles. Si una fuente determinada no está disponible en la lista, puede descargarla e instalarla en su sistema operativo, y después la fuente estará disponible para su uso en la versión de escritorio.
    ⇧ Maj+F10 ⇧ Maj+F10 Ouvrir le menu contextuel de l'élément sélectionné.
    Réinitialiser le niveau de zoomCtrl+0^ Ctrl+0 or ⌘ Cmd+0Réinitialiser le niveau de zoom du document actuel par défaut à 100%.
    NavigationCtrl+ ^ Ctrl+,
    ⌘ Cmd+
    Déplacer le curseur d'un mot vers la droite.
    Déplacer une ligne vers le haut Ctrl+R ^ Ctrl+R Passer de l'aligné à droite à l'aligné à gauche.
    Appliquer la mise en forme de l'indice (espacement automatique) Ctrl+= Ctrl+⇧ Maj+P ^ Ctrl+⇧ Maj+P Ajoutez le numéro de page actuel à la position actuelle du curseur.
    Caractères non imprimables Ctrl+⇧ Maj+Num8
    Insertion des caractères spéciaux
    Insérer une formule Alt+= Insérer une formule à la position actuelle du curseur.
    Insérer un tiret sur cadratinAlt+Ctrl+Verr.num-Insérer un tiret sur cadratin ‘—’ dans le document actuel à droite du curseur.
    Insérer un trait d'union insécable Ctrl+⇧ Maj+_^ Ctrl+⇧ Maj+Trait d’unionInsérer un trait d'union insécable ‘—’ dans le document actuel à droite du curseur.
    Insérer un espace insécableCtrl+⇧ Maj+␣ Barre d'espaceCtrl+⇧ Maj+␣ Barre d'espaceInsérer un espace insécable ‘o’ dans le document actuel à droite du curseur.
    diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Navigation.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Navigation.htm index e05b4917c..899563300 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Navigation.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Navigation.htm @@ -3,7 +3,7 @@ Paramètres d'affichage et outils de navigation - + @@ -11,10 +11,10 @@
    - +

    Paramètres d'affichage et outils de navigation

    -

    Document Editor est doté de plusieurs outils qui vous aide à visionner et naviguer à travers votre document : les règles, le zoom, les boutons page précédente / suivante, l'affichage des numéros de page.

    +

    Document Editor est doté de plusieurs outils qui vous aide à visionner et naviguer à travers votre document: le zoom, l'affichage des numéros de page etc.

    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 le document, cliquez sur le bouton cliquez sur l'icône Afficher les paramètres Icône Paramètres d'affichage située 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 Afficher les paramètres :

      @@ -24,7 +24,7 @@
    • Masquer les règles - masque les règles qui sont utilisées pour aligner le texte, les graphiques, les tableaux et d'autres éléments dans un document, définir des marges, des tabulations et des retraits de paragraphe. Pour afficher les Règles masquées cliquez sur cette option encore une fois.

    La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) ou un passage de texte 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 régler la largeur de la barre gauche avec un simple glisser-déposer : placez le curseur de la souris sur la bordure gauche de la barre latérale. Pour rétablir sa largeur originale faites glisser le bord à droite.

    +

    Quand le panneau Commentaires ou Chat est ouvert, vous pouvez 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 document, utilisez les outils suivants :

    Les boutons Zoom sont situés en bas à droite et sont utilisés pour faire un zoom avant et arrière dans le document actif. 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 ou utilisez les boutons Zoom avant Bouton Zoom avant ou Zoom arrière Bouton Zoom arrière. Cliquez sur l'icône Ajuster à la largeur Bouton Ajuster à la largeur pour adapter la largeur de la page du document à la partie visible de la zone de travail. Pour adapter la page entière du document à la partie visible de la zone de travail, cliquez sur l'icône Ajuster à la page bouton Ajuster à la largeur. Les paramètres de Zoom sont également disponibles dans la liste déroulante Paramètres d'affichage Icône Paramètres d'affichage qui peuvent être bien utiles si vous décidez de masquer la Barre d'état.

    diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm index 46d36cd77..c79ae2b89 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Review.htm @@ -3,7 +3,7 @@ Révision du document - + @@ -11,7 +11,7 @@
    - +

    Révision du document

    Lorsque quelqu'un partage avec vous un fichier disposant des autorisations de révision, vous devez utiliser la fonction Révision du document.

    @@ -24,10 +24,16 @@
  • passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Bouton Suivi des modifications Suivi des modifications.
  • Remarque : il n'est pas nécessaire que le réviseur active l'option Suivi des modifications. Elle est activée par défaut et ne peut pas être désactivée lorsque le document est partagé avec des droits d'accès de révision uniquement.

    +

    Suivi des modifications

    +

    Toutes les modifications apportées par un autre utilisateur sont marquées par différentes couleurs dans le texte. Quand vous cliquez sur le texte modifié, l'information sur l'utilisateur, la date et l'heure de la modification et la modification la-même apparaît dans une fenêtre d'information contextuelle. Les icônes Accepter et Rejeter s'affichent aussi dans la même fenêtre contextuelle.

    +

    La fenêtre d'information contextuelle.

    +

    Lorsque vous glissez et déposez du texte dans un document, ce texte est marqué d’un soulignement double. Le texte d'origine est signalé par un barré double. Ceux-ci sont considérés comme une seule modification

    +

    Cliquez sur le texte mis en forme de double barré dans la position initiale et appuyer sur la flèche Le bouton Suivre le mouvement dans la fenêtre d'information contextuelle de la modification pour vous déplacer vers le texte en position nouvelle.

    +

    Cliquez sur le texte mis en forme d'un soulignement double dans la nouvelle position et appuyer sur la flèche Le bouton Suivre le mouvement dans la fenêtre d'information contextuelle de la modification pour vous déplacer vers le texte en position initiale.

    Choisir le mode d'affichage des modifications,

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

      -
    • Marques de révision - cette option est sélectionnée par défaut. Elle permet à la fois d'afficher les modifications suggérées et de modifier le document.
    • +
    • Balisage - cette option est sélectionnée par défaut. Elle permet à la fois d'afficher les modifications suggérées et de modifier le document.
    • Final - ce mode est utilisé pour afficher toutes les modifications comme si elles étaient acceptées. Cette option n'accepte pas toutes les modifications, elle vous permet seulement de voir à quoi ressemblera le document après avoir accepté toutes les modifications. Dans ce mode, vous ne pouvez pas modifier le document.
    • Original - ce mode est utilisé pour afficher toutes les modifications comme si elles avaient é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.
    diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm index 415b44e42..62fdb71bc 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/Search.htm @@ -3,7 +3,7 @@ Fonctions de recherche et remplacement - + @@ -11,10 +11,10 @@
    - +

    Fonctions de recherche et remplacement

    -

    Pour rechercher les caractères voulus, des mots ou des phrases utilisés dans le document en cours d'édition, cliquez sur l'icône Icône Recherche située sur la barre latérale gauche.

    +

    Pour rechercher les caractères voulus, des mots ou des phrases utilisés dans le document en cours d'édition, cliquez sur l'icône Icône Recherche située sur la barre latérale gauche ou appuyez sur la combinaison de touches Ctrl+F.

    La fenêtre Rechercher et remplacer s'ouvre :

    Fenêtre Rechercher et remplacer

      diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm index c43c10bb3..89530ce33 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SpellChecking.htm @@ -3,7 +3,7 @@ Vérification de l'orthographe - + @@ -11,10 +11,10 @@
      - +

      Vérification de l'orthographe

      -

      Document Editor vous permet de vérifier l'orthographe du texte saisi dans une certaine langue et corriger des fautes lors de l'édition.

      +

      Document Editor vous permet de vérifier l'orthographe du texte saisi dans une certaine langue et corriger des fautes lors de l'édition. L'édition de bureau de tous les trois éditeurs permet d'ajouter les mots au dictionaire personnel.

      Tout d'abord, choisissez la langue pour tout le document. cliquer sur l'icône Définir la langue du document Définir la langue du document dans 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.

      Définir la langue du document

      Pour sélectionner une langue différente pour un fragment, 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.

      @@ -28,13 +28,14 @@
      • choisissez une des variantes suggérées pour remplacer le mot mal orthographié. S'il y a trop de variantes, l'option Plus de variantes... apparaît dans le menu ;
      • utilisez l'option Ignorer pour ignorer juste ce mot et supprimer le surlignage ou Ignorer tout pour ignorer tous les mots identiques présentés dans le texte;
      • +
      • si le mot n’est pas dans le dictionnaire, vous pouvez l’ajouter au votre dictionnaire personnel. La foi prochaine ce mot ne sera donc plus considéré comme erroné. Cette option est disponible sur l’édition de bureau.
      • sélectionnez une autre langue pour ce mot.

      Vérification de l'orthographe

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

      • cliquer sur l'icône Icône Vérification orthographique activée Vérification orthographique dans la barre d'état, ou
      • -
      • Ouvrir l'onglet Fichier de la barre d'outils supérieure, sélectionner l'option , décocher la case et cliquer sur le bouton .
      • +
      • ouvrir l'onglet Fichier de la barre d'outils supérieure, sélectionner l'option Paramètres avancés..., décocher la case Activer la vérification orthographique, et cliquer sur le bouton Appliquer.
      diff --git a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm index 702d7c7c4..ea24d52f8 100644 --- a/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm +++ b/apps/documenteditor/main/resources/help/fr/HelpfulHints/SupportedFormats.htm @@ -3,7 +3,7 @@ Formats des documents électroniques pris en charge - + @@ -11,7 +11,7 @@
      - +

      Formats des documents électroniques pris en charge

      Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires.

      @@ -45,6 +45,14 @@ + + FB2 + Une extention de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile + + + + + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + @@ -126,7 +134,9 @@ + - --> + --> + +

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

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/FileTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/FileTab.htm index c4efa6904..eddef15f7 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 - + @@ -11,7 +11,7 @@
      - +

      Onglet Fichier

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

      diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/HomeTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/HomeTab.htm index 4feacab79..55c07231a 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 - + @@ -11,10 +11,10 @@
      - +

      Onglet Accueil

      -

      L'onglet Accueil 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 les agencements de couleurs.

      +

      L'onglet Accueil 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 les agencements de couleurs.

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

      Onglet Accueil

      @@ -28,15 +28,15 @@
    1. Définir le type de police, la taille et la couleur,
    2. Appliquer les styles de police,
    3. Sélectionner la couleur d'arrière-plan pour un paragraphe,
    4. -
    5. créer des listes à puces et numérotées,
    6. +
    7. Créer des listes à puces et numérotées,
    8. Changer les retraits de paragraphe,
    9. Régler l'interligne du paragraphe,
    10. Aligner le texte d'un paragraphe,
    11. Afficher/masquer les caractères non imprimables,
    12. -
    13. copier/effacer la mise en forme du texte,
    14. +
    15. Copier/effacer la mise en forme du texte,
    16. Modifier le jeu de couleurs,
    17. -
    18. utiliser Fusion et publipostage (disponible uniquement dans la version en ligne),
    19. -
    20. gérer les styles.
    21. +
    22. Utiliser Fusion et publipostage (disponible uniquement dans la version en ligne),
    23. +
    24. Gérer les styles.
    25. diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/InsertTab.htm index e2e8f98de..53947567a 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 - + @@ -11,7 +11,7 @@
      - +

      Onglet Insertion

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

      @@ -27,10 +27,10 @@
      diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/LayoutTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/LayoutTab.htm index 61832d345..1e6bd9cdb 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/LayoutTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/LayoutTab.htm @@ -1,9 +1,9 @@  - Onglet Mise en page + Onglet Disposition - + @@ -11,10 +11,10 @@
      - +
      -

      Onglet Mise en page

      -

      L'onglet Mise en page permet de modifier l'apparence du document : configurer les paramètres de la page et définir la disposition des éléments visuels.

      +

      Onglet Disposition

      +

      L'onglet Disposition permet de modifier l'apparence du document : configurer les paramètres de la page et définir la disposition des éléments visuels.

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

      Onglet Mise en page

      @@ -28,9 +28,11 @@
    26. ajuster les marges, l'orientation, la taille de la page,
    27. ajouter des colonnes,
    28. insérer des sauts de page, des sauts de section et des sauts de colonne,
    29. +
    30. insérer des numéros des lignes
    31. aligner et organiser les objets (tableaux, images, graphiques, formes),
    32. changer le style d'habillage.
    33. - +
    34. ajouter un filigrane.
    35. +
      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm index 52ebc08c2..4621e1128 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/PluginsTab.htm @@ -3,7 +3,7 @@ Onglet Modules complémentaires - + @@ -11,7 +11,7 @@
      - +

      Onglet Modules complémentaires

      L'onglet Modules complémentaires 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.

      @@ -27,17 +27,21 @@

      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 :

        -
      • ClipArt permet d'ajouter des images de la collection clipart dans votre document,
      • -
      • Code en surbrillance permet de surligner la syntaxe du code en sélectionnant la langue, le style, la couleur de fond appropriés,
      • -
      • ROC permet de reconnaître le texte inclus dans une image et l'insérer dans le texte du document,
      • -
      • Éditeur photo permet d'éditer des images : recadrer, redimensionner, appliquer des effets, etc.
      • -
      • Synthèse vocale permet de convertir le texte sélectionné en paroles,
      • -
      • Table de symboles permet d'insérer des symboles spéciaux dans votre texte,
      • -
      • Dictionnaire des synonymes permet de rechercher les synonymes et les antonymes d'un mot et de le remplacer par le mot sélectionné,
      • -
      • Traducteur permet de traduire le texte sélectionné dans d'autres langues,
      • -
      • YouTube permet d'intégrer des vidéos YouTube dans votre document.
      • +
      • Send sert à envoyer les documents par courriel en utilisant un client de messagerie de bureau (disponible uniquement dans la version en ligne),
      • +
      • Code en surbrillance sert à surligner la syntaxe du code en sélectionnant la langue, le style, la couleur de fond appropriés,
      • +
      • OCR sert à extraire le texte incrusté dans des images et l'insérer dans votre document,
      • +
      • É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.,
      • +
      • Parole permet la lecture du texte sélectionné à voix haute (disponible uniquement dans la version en ligne),
      • +
      • Thésaurus sert à trouver les synonymes et les antonymes et les utiliser à remplacer le mot sélectionné,
      • +
      • Traducteur sert à traduire le texte dans des langues disponibles, +

        Remarque: ce plugin ne fonctionne pas dans Internet Explorer.

        +
      • +
      • You Tube permet d’ajouter les videos YouTube dans votre document,
      • +
      • Mendeley permet de gérer les mémoires de recherche et de générer une bibliographie pour les articles scientifiques (disponible uniquement dans la version en ligne),
      • +
      • Zotero permet de gérer des références bibliographiques et des documents associés (disponible uniquement dans la version en ligne),
      • +
      • EasyBib sert à trouver et ajouter les livres, les journaux, les articles et les sites Web (disponible uniquement dans la version en ligne).
      -

      Les modules Wordpress et EasyBib peuvent être utilisés si vous connectez les services correspondants dans les paramètres de votre portail. Vous pouvez utiliser les instructions suivantes pour la version serveur ou pour la version SaaS.

      +

      Les modulesWordpress et EasyBib peuvent être utilisés si vous connectez les services correspondants dans les paramètres de votre portail. Vous pouvez utiliser les instructions suivantes pour la version serveur ou pour la version SaaS.

      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 actuellement disponibles sont disponibles sur GitHub.

      diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm index ac21ac4de..a4313be0f 100644 --- a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm +++ b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ProgramInterface.htm @@ -3,7 +3,7 @@ Présentation de l'interface de Document Editor - + @@ -11,7 +11,7 @@
      - +

      Présentation de l'interface de Document Editor

      Document Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité.

      @@ -41,10 +41,13 @@
    36. Icône Recherche - permet d'utiliser l'outil Rechercher et remplacer,
    37. Icône Commentaires - permet d'ouvrir le panneau Commentaires,
    38. Icône Navigation - permet d'accéder au panneau de Navigation et de gérer les rubriques,
    39. -
    40. Chat - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat, ainsi que les icônes qui permettent de contacter notre équipe de support et de visualiser les informations sur le programme.
    41. +
    42. Chat - (disponible uniquement dans la version en ligne) permet d'ouvrir le panneau de Chat,
    43. +
    44. Feedback and Support icon - (disponible uniquement dans la version en ligne) permet de contacter notre équipe d'assistance technique,
    45. +
    46. About icon - (disponible uniquement dans la version en ligne) permet de visualiser les informations sur le programme.
    47. + -
    48. 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.
    49. +
    50. 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.
    51. 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.
    52. La Zone de travail permet d'afficher le contenu du document, d'entrer et de modifier les données.
    53. La Barre de défilement sur la droite permet de faire défiler vers le haut et vers le bas des documents multi-page.
    54. diff --git a/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReferencesTab.htm b/apps/documenteditor/main/resources/help/fr/ProgramInterface/ReferencesTab.htm index 08b4a9879..46431e816 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 - + @@ -11,7 +11,7 @@
      - +

      Onglet Références

      L'onglet Références 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.

      @@ -26,9 +26,11 @@

      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 b5306bdab..1632b27e7 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 - + @@ -11,7 +11,7 @@
      - +

      Onglet Collaboration

      L'onglet Collaboration 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. Dans la version de bureau, vous pouvez gérer les commentaires et utiliser la fonction Suivi des modifications.

      @@ -31,6 +31,8 @@
    55. activer la fonctionnalité Suivi des modifications,
    56. choisir le mode d'affichage des modifications,
    57. gérer les changements suggérés.
    58. +
    59. télécharger le document à comparer (disponible uniquement dans la version en ligne),
    60. +
    61. ouvrir la fenêtre de Chat (disponible uniquement dans la version en ligne),
    62. suivre l’historique des versions (disponible uniquement dans la version en ligne).
    63. diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddBorders.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddBorders.htm index 38409dd3b..48d0c19c2 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddBorders.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddBorders.htm @@ -3,7 +3,7 @@ Ajouter des bordures - + @@ -11,7 +11,7 @@
      - +

      Ajouter des bordures

      Pour ajouter des bordures à un paragraphe, à une page ou à tout le document,

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddCaption.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddCaption.htm index 1f01b64ea..3c5d587f3 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddCaption.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddCaption.htm @@ -11,7 +11,7 @@
      - +

      Ajouter une légende

      La légende est une étiquette agrafée que vous pouvez appliquer à un objet, comme des tableaux d’équations, des figures et des images dans vos documents.

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddFormulasInTables.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddFormulasInTables.htm index 29487ef84..88e2bd3c6 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddFormulasInTables.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddFormulasInTables.htm @@ -3,7 +3,7 @@ Utiliser des formules dans les tableaux - + @@ -11,7 +11,7 @@
      - +

      Utiliser des formules dans les tableaux

      Insérer une formule

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm index f3e1ba7c7..afa5ccbc2 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddHyperlinks.htm @@ -3,7 +3,7 @@ Ajouter des liens hypertextes - + @@ -11,15 +11,15 @@
      - +

      Ajouter des liens hypertextes

      Pour ajouter un lien hypertexte,

      1. placez le curseur là où vous voulez insérer un lien hypertexte,
      2. -
      3. passez à l'onglet Insertion ou Références de la barre d'outils supérieure,
      4. +
      5. passez à l'onglet Insérer ou Références de la barre d'outils supérieure,
      6. cliquez sur l'icône Ajouter un lien hypertexte Icône Ajouter un lien hypertexte de la barre d'outils supérieure,
      7. -
      8. dans la fenêtre ouverte précisez les paramètres du lien hypertexte :
          +
        • dans la fenêtre ouverte précisez les Paramètres du lien hypertexte :
          • Sélectionnez le type de lien que vous voulez insérer :

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

            Fenêtre Paramètres de lien hypertexte

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

            @@ -31,8 +31,8 @@
          • Cliquez sur le bouton OK.
      -

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

      -

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

      +

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

      +

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

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

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

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm index bcd587abb..ebcd83c36 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AddWatermark.htm @@ -11,7 +11,7 @@
      - +

      Ajouter un filigrane

      Le filigrane est un texte ou une image placé sous le calque de texte principal. Les filigranes de texte permettent d’indiquer l’état de votre document (par exemple, confidentiel, brouillon, etc.), les filigranes d’image permettent d’ajouter une image par exemple de logo de votre entreprise.

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignArrangeObjects.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignArrangeObjects.htm index 3ddbb0a27..e5b619e04 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignArrangeObjects.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignArrangeObjects.htm @@ -3,7 +3,7 @@ Aligner et organiser des objets sur une page - + @@ -11,10 +11,10 @@
      - +

      Aligner et organiser des objets sur une page

      -

      Les blocs de texte, les formes automatiques, les images et les graphiques ajoutés peuvent être alignés, regroupés, triés, répartis horizontalement et verticalement sur une page. Pour effectuer une de ces actions, sélectionnez d'abord un ou plusieurs objets sur la page. Pour sélectionner plusieurs objets, maintenez la touche Ctrl enfoncée et cliquez avec le bouton gauche sur les objets nécessaires. Pour sélectionner un bloc de texte, cliquez sur son bord, pas sur le texte à l'intérieur. Après quoi vous pouvez utiliser soit les icônes de l'onglet Mise en page de la barre d'outils supérieure décrites ci-après soit les options similaires du menu contextuel.

      +

      Les formes automatiques, les images, les graphiques ou les zones de texte ajoutés peuvent être alignés, regroupés et ordonnésr sur une page. Pour effectuer une de ces actions, sélectionnez d'abord un ou plusieurs objets sur la page. Pour sélectionner plusieurs objets, maintenez la touche Ctrl enfoncée et cliquez avec le bouton gauche sur les objets nécessaires. Pour sélectionner une zone de texte, cliquez sur son bord, pas sur le texte à l'intérieur. Après quoi vous pouvez utiliser soit les icônes de l'onglet Mise en page de la barre d'outils supérieure décrites ci-après soit les options similaires du menu contextuel.

      Aligner des objets

      Pour aligner deux ou plusieurs objets sélectionnés,

        @@ -60,7 +60,7 @@
      1. Dissocier icône Dissocier - pour dissocier le groupe sélectionné d'objets préalablement combinés.
      2. 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é.

        +

        Remarque: l'option Grouper est désactivée si vous sélectionnez moins de deux objets. L'option Dissocier n'est disponible que lorsqu'un groupe des objets précédemment joints est sélectionné.

        Ordonner plusieurs objets

        Pour ordonner les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes icône Avancer d'un plan Avancer et icône Reculer d'un plan Reculer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'arrangement nécessaire 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 icône Avancer d'un plan Avancer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'arrangement nécessaire dans la liste :

        @@ -71,9 +71,9 @@

        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 icône Reculer d'un plan Reculer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'arrangement nécessaire dans la liste :

        • Mettre en arrière-plan icône Mettre en arrière-plan - pour déplacer les objets derrière tous les autres objets,
        • -
        • Reculer d'un plan - pour déplacer les objets d'un niveau en arrière par rapport à d'autres objets.
        • +
        • Reculer d'un plan icône Mettre en arrière-plan - pour déplacer les objets d'un niveau en arrière par rapport à d'autres objets.
        -

        Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Ranger dans le menu contextuel, puis utiliser une des options de rangement disponibles.

        +

        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 rangement disponibles.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignText.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignText.htm index 768dd3ebe..bd000bd05 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignText.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/AlignText.htm @@ -3,7 +3,7 @@ Alignement du texte d'un paragraphe - + @@ -11,21 +11,30 @@
      - +

      Alignement du texte d'un paragraphe

      -

      Le texte peut être aligné de quatre façons : aligné à gauche, centré, aligné à droite et justifié. Pour le faire,

      +

      Le texte peut être aligné de quatre façons : aligné à gauche, au centre, aligné à droite et justifié. Pour le faire,

      1. placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi ),
      2. passez à l'onglet Accueil de la barre d'outils supérieure,
      3. sélectionnez le type d'alignement que vous allez appliquer :
        • Gauche - pour aligner du texte à gauche de la page (le côté droit reste non aligné), cliquez sur l'icône Aligner à gauche Icône Aligner à gauche située sur la barre d'outils supérieure.
        • -
        • Centrer - pour aligner du texte au centre de la page (le côté droit et le côté gauche restent non alignés), cliquez sur l'icône Aligner au centre Icône Aligner au centre située sur la barre d'outils supérieure.
        • +
        • Centre - pour aligner du texte au centre de la page (le côté droit et le côté gauche restent non alignés), cliquez sur l'icône Aligner au centre Icône Aligner au centre située sur la barre d'outils supérieure.
        • Droit - pour aligner du texte à droite de la page (le côté gauche reste non aligné), cliquez sur l'icône Aligner à droite Icône Aligner à droite située sur la barre d'outils supérieure.
        • -
        • Justifier - pour aligner du texte à gauche et à droite à la fois ( l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement), cliquez sur l'icône Justifier l'icône Justifié située sur la barre d'outils supérieure.
        • +
        • Justifier - pour aligner du texte à gauche et à droite à la fois (l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement), cliquez sur l'icône Justifier l'icône Justifié située sur la barre d'outils supérieure.
      +

      Configuration des paramètres d'alignement est aussi disponible dans la fenêtre Paragraphe - Paramètres avancés.

      +
        +
      1. faites un clic droit sur le texte et sélectionnez Paragraphe - Paramètres avancés du menu contextuel ou utilisez l'option Afficher le paramètres avancée sur la barre d'outils à droite,
      2. +
      3. ouvrez la fenêtre Paragraphe - Paramètres avancés, passez à l'onglet Retraits et espacement,
      4. +
      5. sélectionnez le type d'alignement approprié de la Liste d'Alignement: À gauche, Au centre, À droite, Justifié,
      6. +
      7. cliquez sur OK pour appliquer les modifications apportées.
      8. +
      +

      Paragraph Advanced Settings - Indents & Spacing

      +
      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/BackgroundColor.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/BackgroundColor.htm index 0ac11aa5e..bf2a9f4d2 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/BackgroundColor.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/BackgroundColor.htm @@ -3,7 +3,7 @@ Sélectionner la couleur d'arrière-plan pour un paragraphe - + @@ -11,7 +11,7 @@
      - +

      Sélectionner la couleur d'arrière-plan pour un paragraphe

      La couleur d'arrière-plan est appliquée au paragraphe entier et remplit complètement l’espace du paragraphe de la marge de page gauche à la marge de page droite.

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeColorScheme.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeColorScheme.htm index 2d88896c1..67bd2b2c5 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeColorScheme.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeColorScheme.htm @@ -3,7 +3,7 @@ Modifier le jeu de couleurs - + @@ -11,7 +11,7 @@
      - +

      Modifier le jeu de couleurs

      Les jeux de couleurs s'appliquent au document entier. Utilisés pour le changement rapide de l'apparence de votre document, les jeux de couleurs définissent la palette Couleurs de thème pour les éléments du document (police, arrière-plan, tableaux, formes automatiques, graphiques). Si vous appliquez des Couleurs de thèmes aux éléments du document et sélectionnez un nouveau Jeu de couleurs, les couleurs appliquées aux éléments de votre document, par conséquent, seront modifiées.

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm index 289f17e8e..b779b6ea0 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ChangeWrappingStyle.htm @@ -3,7 +3,7 @@ Changer l'habillage du texte - + @@ -11,7 +11,7 @@
      - +

      Changer l'habillage du texte

      L'option Style d'habillage détermine la position de l'objet par rapport au texte. Vous pouvez modifier le style d'habillage de texte pour les objets insérés, tels que les formes, les images, les graphiques, les zones de texte ou les tableaux.

      @@ -43,7 +43,7 @@

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

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

      Modifier l'habillage de texte pour les tableaux

      -

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

      +

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

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

      1. cliquez avec le bouton droit sur le tableau et sélectionnez l'option Paramètres avancés du tableau,
      2. diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ConvertFootnotesEndnotes.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ConvertFootnotesEndnotes.htm new file mode 100644 index 000000000..928a4fa9f --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ConvertFootnotesEndnotes.htm @@ -0,0 +1,32 @@ + + + + Conversion de notes de bas de page en notes de fin + + + + + + + +
        +
        + +
        +

        Conversion de notes de bas de page en notes de fin

        +

        Document Editor ONLYOFFICE vous permet de convertir les notes de bas de page en notes de fin et vice versa, par exemple, quand vous voyez que les notes de bas de page dans le document résultant doivent être placées à la fin. Au lieu de créer les notes de fin à nouveau, utiliser les outils appropriés pour conversion rapide et sans effort.

        +
          +
        1. Cliquez sur la flèche à côté de l'icône L'icône Note de fin Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
        2. +
        3. Glisser votre curseur sur Convertir toutes les notes et sélectionnez l'une des options dans le menu à droite: +

          Coversion notes de bas de page_notes de fin

        4. +
        5. +
            +
          • Convertir tous les pieds de page aux notes de fin pour transformer toutes les notes de bas de page en notes de fin;
          • +
          • Convertir toutes les notes de fin aux pieds de page pour transformer toutes les notes de fin en notes de bas de page;
          • +
          • Changer les notes de pied de page et les notes de fin pour changer un type de note à un autre.
          • +
          +
        6. +
        +
        + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyClearFormatting.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyClearFormatting.htm index a1e3f3d6f..e76c2f02a 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyClearFormatting.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyClearFormatting.htm @@ -3,7 +3,7 @@ Copier/effacer la mise en forme du texte - + @@ -11,26 +11,26 @@
        - +

        Copier/effacer la mise en forme du texte

        Pour copier une certaine mise en forme du texte,

        1. sélectionnez le fragment du texte contenant la mise en forme à copier en utilisant la souris ou le clavier,
        2. -
        3. cliquez sur l'icône Copier le style Copier le style sur la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante Pointeur de la souris lors du collage du style),
        4. +
        5. cliquez sur l'icône Copier le style Copier le style sous l'onglet Acceuil sur la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante Pointeur de la souris lors du collage du style),
        6. sélectionnez le fragment de texte à mettre en forme.

        Pour appliquer la mise en forme copiée aux plusieurs fragments du texte,

        1. sélectionnez le fragment du texte contenant la mise en forme à copier en utilisant la souris ou le clavier,
        2. -
        3. double-cliquez sur l'icône Copier le style Copier le style dans l'onglet Accueil de la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante Pointeur de la souris lors du collage du style et l'icône Copier le style restera sélectionnée : Multiples copies de styles),
        4. +
        5. double-cliquez sur l'icône Copier le style Copier le style sous l'onglet Accueil de la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante Pointeur de la souris lors du collage du style et l'icône Copier le style restera sélectionnée : Multiples copies de styles),
        6. sélectionnez les fragments du texte nécessaires un par un pour appliquer la même mise en forme pour chacun d'eux,
        7. pour quitter ce mode, cliquez sur l'icône Copier le style Multiples copies de styles encore une fois ou appuyez sur la touche Échap sur le clavier.

        Pour effacer la mise en forme appliquée à partir de votre texte,

        1. sélectionnez le fragment de texte dont vous souhaitez supprimer la mise en forme,
        2. -
        3. cliquez sur l'icône Effacer le style Effacer le style dans l'onglet Accueil de la barre d'outils supérieure.
        4. +
        5. cliquez sur l'icône Effacer le style Effacer le style sous l'onglet Accueil de la barre d'outils supérieure.
        diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm index 4723659a9..771788031 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CopyPasteUndoRedo.htm @@ -3,7 +3,7 @@ Copier/coller les passages de texte, annuler/rétablir vos actions - + @@ -11,7 +11,7 @@
        - +

        Copier/coller les passages de texte, annuler/rétablir vos actions

        Utiliser les opérations de base du presse-papiers

        @@ -41,6 +41,7 @@
      3. Imbriquer le tableau - permet de coller le tableau copié en tant que tableau imbriqué dans la cellule sélectionnée du tableau existant.
      4. Conserver le texte uniquement - permet de coller le contenu du tableau sous forme de valeurs de texte séparées par le caractère de tabulation.
      5. +

        Pour activer / désactiver l'affichage du bouton Collage spécial lorsque vous collez le texte, passez à l'onglet Fichier > Paramètres avancés... et cochez / décochez la casse Couper, copier, coller.

        Annuler/rétablir vos actions

        Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes dans l'en-tête de l'éditeur ou les raccourcis clavier :

          diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm index 2c24259ce..53298e8ad 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateLists.htm @@ -3,7 +3,7 @@ Créer des listes - + @@ -11,12 +11,12 @@
          - +

          Créer des listes

          Pour créer une liste dans votre document,

            -
          1. placez le curseur à la position où vous voulez commencer la liste ( une nouvelle ligne ou le texte déjà saisi),
          2. +
          3. placez le curseur à la position où vous voulez commencer la liste (une nouvelle ligne ou le texte déjà saisi),
          4. passez à l'onglet Accueil de la barre d'outils supérieure,
          5. sélectionnez le type de liste à créer :
            • Liste à puces avec des marqueurs. Pour la créer, utilisez l'icône Puces Icône Liste à puces de la barre d'outils supérieure
            • @@ -27,7 +27,7 @@
            • appuyez sur la touche Entrée à la fin de la ligne pour ajouter un nouvel élément à la liste. Pour terminer la liste, appuyez sur la touche Retour arrière et continuez le travail.

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

          -

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

          +

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

          Remarque: les paramètres supplémentaires du retrait et de l'espacemente peuvent être modifiés à l'aide de la barre latérale droite et la fenêtre des paramètres avancés. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe.

          Joindre et séparer des listes

          @@ -59,6 +59,48 @@
        • sélectionnez l'option Définit la valeur de la numérotation du menu contextuel,
        • dans une nouvelle fenêtre qui s'ouvre, définissez la valeur numérique voulue et cliquez sur le bouton OK.
      +

      Configurer les paramètres de la liste

      +

      Pour configurer les paramètres de la liste comme la puce/la numérotation, l'alignement, la taille et la couleur:

      +
        +
      1. cliquez sur l'élément de la liste actuelle ou sélectionnez le texte à partir duquel vous souhaitez créer une liste,
      2. +
      3. cliquez sur l'icône Puces L'icône Liste non ordonnée ou Numérotation L'icône Liste ordonnée sous l'onglet Acceuil dans la barre d'outils en haut,
      4. +
      5. sélectionnez l'option Paramètres de la liste,
      6. +
      7. + la fenêtre Paramètres de la liste s'affiche. La fenêtre Paramètres de la liste à puces se présente sous cet aspect: +

        La fenêtre Paramètres de la liste à puces

        +

        La fenêtre Paramètres de la liste numérotée se présente sous cet aspect:

        +

        La fenêtre Paramètres de la liste numérotée

        +

        Pour la liste à puces on peut choisir le caractère à utiliser comme puce et pour la liste numérotée on peut choisir le type de numérotation. Les options Alignement, Taille et Couleur sont identiques pour toutes les listes soit à puces soit numérotée.

        +
          +
        • Puce permet de sélectionner le caractère approprié pour les éléments de la liste. Lorsque vous appuyez sur le champ Symboles et caractères, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet article pour en savoir plus sur utilisation des symboles.
        • +
        • Type permet de sélectionner la numérotation appropriée pour la liste. Les options suivantes sont disponibles: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,....
        • +
        • Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement. Les options d'alignement disponibles: À gauche, Au centre, À droite.
        • +
        • Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la taille des puces correspond à la taille du texte Ajustez la taille en utilisant les valeurs prédéfinies de 8 à 96.
        • +
        • Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée.
        • +
        +

        Toutes les modifications sont affichées dans le champ Aperçu.

        +
      8. +
      9. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre.
      10. +
      +

      Pour configurer les paramètres de la liste à plusieurs niveaux,

      +
        +
      1. appuyez sur un élément de la liste,
      2. +
      3. cliquez sur l'icône Liste multiniveaux L'icône Liste multiniveaux sous l'onglet Acceuil dans la barre d'outils en haut,
      4. +
      5. sélectionnez l'option Paramètres de la liste,
      6. +
      7. + la fenêtre Paramètres de la liste s'affiche. La fenêtre Paramètres de la liste multiniveaux se présente sous cet aspect: +

        La fenêtre Paramètres de la liste multiniveaux

        +

        Choisissez le niveau approprié dans la liste Niveau à gauche, puis personnalisez l'aspect des puces et des nombres pour le niveau choisi:

        +
          +
        • Type permet de sélectionner la numérotation appropriée pour la liste numérotée ou le caractère approprié pour la liste à puces. Les options disponibles pour la liste numérotée: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Pour la liste à puces vous pouvez choisir un des symboles prédéfinis ou utiliser l'option Nouvelle puce. Lorsque vous appuyez sur cette option, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet article pour en savoir plus sur utilisation des symboles.
        • +
        • Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement du début du paragraphe. Les options d'alignement disponibles: À gauche, Au centre, À droite.
        • +
        • Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Ajustez la taille en utilisant les paramètres prédéfinis de 8 à 96.
        • +
        • Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée.
        • +
        +

        Toutes les modifications sont affichées dans le champ Aperçu.

        +
      8. +
      9. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre.
      10. +
      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateTableOfContents.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateTableOfContents.htm index df9a09554..392569c84 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateTableOfContents.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/CreateTableOfContents.htm @@ -3,7 +3,7 @@ Créer une table des matières - + @@ -11,7 +11,7 @@
      - +

      Créer une table des matières

      Une table des matières contient une liste de tous les chapitres (sections, etc.) d'un document et affiche les numéros des pages où chaque chapitre est démarré. Cela permet de naviguer facilement dans un document de plusieurs pages en passant rapidement à la partie voulue du texte. La table des matières est générée automatiquement sur la base des titres de document formatés à l'aide de styles prédéfinis. Cela facilite la mise à jour de la table des matières créée sans qu'il soit nécessaire de modifier les titres et de changer manuellement les numéros de page si le texte du document a été modifié.

      @@ -31,8 +31,8 @@
      • Promouvoir - pour déplacer le titre actuellement sélectionné vers le niveau supérieur de la structure hiérarchique, par ex. le changer de Titre 2 à Titre 1.
      • Abaisser - pour déplacer le titre actuellement sélectionné vers le niveau inférieur de la structure hiérarchique, par ex. le changer de à .
      • -
      • Nouveau titre avant - pour ajouter un nouveau titre vide du même niveau avant celui actuellement sélectionné.
      • -
      • - pour ajouter un nouveau titre vide du même niveau après celui actuellement sélectionné.
      • +
      • Nouvel en-tête avant - pour ajouter un nouveau titre vide du même niveau avant celui actuellement sélectionné.
      • +
      • Nouvel en-tête après- pour ajouter un nouveau titre vide du même niveau après celui actuellement sélectionné.
      • Nouveau sous-titre - pour ajouter un nouveau sous-titre vide (c'est-à-dire un titre de niveau inférieur) après le titre actuellement sélectionné.

        Lorsque le titre ou la sous-rubrique est ajouté, cliquez sur l'en-tête vide ajouté dans la liste et tapez votre propre texte. Cela peut être fait à la fois dans le texte du document et sur le panneau Navigation lui-même.

      • Sélectionner le contenu - pour sélectionner le texte sous le titre actuel du document (y compris le texte relatif à tous les sous-titres de cette rubrique).
      • diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/DecorationStyles.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/DecorationStyles.htm index fd3425415..a87724ccd 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/DecorationStyles.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/DecorationStyles.htm @@ -3,7 +3,7 @@ Appliquer les styles de police - + @@ -11,7 +11,7 @@
        - +

        Appliquer les styles de police

        Vous pouvez appliquer différents styles de police à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure.

        diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm index e9715584b..c59ba0417 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FontTypeSizeColor.htm @@ -3,7 +3,7 @@ Définir le type de police, la taille et la couleur - + @@ -11,15 +11,15 @@
        - +

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

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

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

        - - + + @@ -28,13 +28,13 @@ - - + + - - + + diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FormattingPresets.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FormattingPresets.htm index 32ccdaf9e..0466fa145 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/FormattingPresets.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/FormattingPresets.htm @@ -3,7 +3,7 @@ Appliquer les styles de formatage - + @@ -15,6 +15,8 @@

        Appliquer les styles de formatage

        Chaque style de mise en forme représente un ensemble des options de mise en forme : (taille de la police, couleur, interligne, alignment etc.). Les styles permettent de mettre en forme rapidement les parties différentes du texte (en-têtes, sous-titres, listes,texte normal, citations) au lieu d'appliquer les options de mise en forme différentes individuellement chaque fois que vous en avez besoin. Cela permet également d'assurer une apparence uniforme de tout le document. Un style n'est appliqué au'au paragraphe entier.

        +

        Le style à appliquer depend du fait si c'est le paragraphe (normal, pas d'espace, titres, paragraphe de liste etc.) ou le texte (d'aprèz type, taille et couleur de police) que vous souhaitez mettre en forme. Différents styles sont aussi appliqués quand vous sélectionnez une partie du texte ou seulement placez le curseur sur un mot. Parfois, il faut sélectionner le style approprié deux fois de la bibliothèque de styles pour le faire appliquer correctement: lorsque vous appuyer sur le style dans le panneau pour la première fois, le style de paragraphe est appliqué. Lorsque vous appuyez pour la deuxième fois, le style du texte est appliqué.

        +

        Appliquer des styles par défault

        Pour appliquer un des styles de mise en forme disponibles,

          diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm new file mode 100644 index 000000000..813c51151 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/HighlightedCode.htm @@ -0,0 +1,30 @@ + + + + Insérer le code en surbrillance + + + + + + + +
          +
          + +
          +

          Insérer le code en surbrillance

          +

          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 document et placez le curseur à l'endroit où le code doit être inséré.
          2. +
          3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Code en surbrillance Code en surbrillance.
          4. +
          5. Spécifiez la Langue de programmation.
          6. +
          7. Choisissez le Style du code pour qu'il apparaisse de manière à sembler celui dans le programme.
          8. +
          9. Spécifiez si on va remplacer les tabulations par des espaces.
          10. +
          11. 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.
          12. +
          13. Cliquez sur OK pour insérer le code.
          14. +
          + Gif de l'extension Surbrillance +
          + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm index 6e807f457..55fa743b7 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertAutoshapes.htm @@ -3,7 +3,7 @@ Insérer les formes automatiques - + @@ -11,13 +11,13 @@
          - +

          Insérer les formes automatiques

          Insérer une forme automatique

          Pour insérer une forme automatique à votre document,

            -
          1. passez à l'onglet Insertion de la barre d'outils supérieure,
          2. +
          3. passez à l'onglet Insérer de la barre d'outils supérieure,
          4. cliquez sur l'icône Insérer une forme automatique Forme de la barre d'outils supérieure,
          5. sélectionnez l'un des groupes des formes automatiques disponibles : Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes,
          6. cliquez sur la forme automatique nécessaire du groupe sélectionné,
          7. @@ -45,20 +45,37 @@

            Certains paramètres de la forme automatique peuvent être modifiés en utilisant l'onglet Paramètres de la forme de la barre latérale droite. Pour l'activer, sélectionnez la forme ajoutée avec la souris et sélectionnez l'icône Paramètres de la forme Paramètres de la forme à droite. Vous pouvez y modifier les paramètres suivants :

              -
            • Remplissage - utilisez cette section pour sélectionner le remplissage de la forme automatique. Les options disponibles sont les suivantes :
                -
              • Couleur - sélectionnez cette option pour spécifier la couleur unie à remplir l'espace intérieur de la forme automatique sélectionnée.

                Couleur

                +
              • 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 à remplir l'espace intérieur de la forme automatique sélectionnée.

                  Couleur

                  Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix :

                • -
                • Dégradé - sélectionnez cette option pour specifier deux couleurs pour créer une transition douce entre elles et remplir la forme.

                  Dégradé

                  -
                    -
                  • Style - choisissez une des options disponibles : Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle).
                  • -
                  • Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes : du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle.
                  • -
                  • Dégradé - cliquez sur le curseur de dégradé gauche Curseur au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé.
                  • -
                  -
                • -
                • Image ou texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que arrière-plan de la forme.

                  Remplissage avec Image ou texture

                  +
                • + Remplissage en dégradé - sélectionnez cette option pour remplir une forme avec deux ou plusieurs couleurs et créer une transition douce entre elles. Particulariser le remplissage en dégrédé sans limites. Cliquez sur l'icône Paramètres de la forme Shape settings icon pour ouvrir le menu de Remplissage de la barre latérale droite: +

                  Dégradé

                  +

                  Les options de menu disponibles :

                  +
                    +
                  • + Style - choisissez une des options disponibles: Linéaire ou Radial: +
                      +
                    • Linéaire - la transition se fait selon un axe horizontal/vertical ou selon la direction sous l'angle de votre choix. Cliquez sur Direction pour choisir la direction prédéfinie et cliquez sur Angle pour préciser l'angle du dégragé. +
                    • Radial - la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle.
                    • +
                    +
                  • +
                  • + Point de dégradé est un points spécifique dans lequel se fait la transition dégradé de couleurs. +
                      +
                    • Utiliser le bouton Add Gradient Point Ajouter un point de dégradé dans la barre de défilement pour ajouter un dégradé. Le nombre maximal de points est de 10. Chaque dégradé suivant n'affecte pas l'apparence du remplissage en dégradé actuel. Utilisez le bouton Remove Gradient Point Supprimer le point de dégradé pour supprimer un certain dégradé.
                    • +
                    • Ajustez la position du dégradé en glissant l'arrêt dans la barre de défilement ou utiliser le pourcentage de Position pour préciser l'emplacement du point.
                    • +
                    • Pour appliquer une couleur à un point de dégradé, cliquez sur un point dans la barre de défilement, puis 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 arrière-plan de la forme. +

                  Remplissage avec Image ou texture

                    -
                  • Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte.
                  • +
                  • Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte ou À partir de l'espace de stockage en sélectionnant l'image enregistrée sur vortre portail.
                  • 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.

                  @@ -98,8 +115,10 @@
                • Style d'habillage - utilisez cette section pour sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous).
                • Modifier la forme - utilisez cette section pour remplacer la forme automatique insérée par une autre sélectionnée de la liste déroulante.
                • +
                • Ajouter une ombre - cochez cette case pour affichage de la forme ombré.

                +

                Adjuster les paramètres avancés d'une forme automatique

                Pour changer les paramètres avancés de la forme automatique, cliquez sur la forme avec le bouton droit et sélectionnez l'option Paramètres avancés dans le menu ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre "Forme - Paramètres avancés" s'ouvre :

                Forme - Paramètres avancés

                L'onglet Taille comporte les paramètres suivants :

                diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm index 30d6dc3d6..0eeee4229 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertBookmarks.htm @@ -11,7 +11,7 @@
                - +

                Ajouter des marque-pages

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

                @@ -34,9 +34,14 @@
              • dans la fenêtre Marque-pages qui s'ouvre, sélectionnez le marque-pages vers lequel vous voulez vous déplacer. Pour trouver facilement le marque-pages voulu dans la liste, vous pouvez trier la liste par Nom ou par Emplacement de marque-pages dans le texte du document,
              • cochez l'option Marque-pages cachés pour afficher les marque-pages cachés dans la liste (c'est-à-dire les marque-pages automatiquement créés par le programme lors de l'ajout de références à une certaine partie du document. Par exemple, si vous créez un lien hypertexte vers un certain titre dans le document, l'éditeur de document crée automatiquement un marque-pages caché vers la cible de ce lien).
              • cliquez sur le bouton Aller à - le curseur sera positionné à l'endroit du document où le marque-pages sélectionné a été ajouté, ou le passage de texte correspondant sera sélectionné,
              • +
              • + cliquez sur le bouton Obtenir le lien - une nouvelle fenêtre va apparaître dans laquelle vous pouvez appuyer sur Copier pour copier le lien vers le fichier spécifiant la position du marque-pages référencé. Lorsque vous collez le lien dans la barre d'adresse de votre navigateur et appuyez sur la touche Entrée, le document s'ouvre à l'endroit où le marque-pages est ajouté. +

                Bookmarks window

                +

                Remarque: si vous voulez partager un lien avec d'autres personnes, vous devez définir les autorisations d’accès en utilisant l'option Partage soul l'onglet Collaboration.

                +
              • cliquez sur le bouton Fermer pour fermer la fenêtre.
          -

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

          +

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

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

          diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm index 729ef9794..d815e919c 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCharts.htm @@ -3,7 +3,7 @@ Insérer des graphiques - + @@ -11,214 +11,305 @@
          - +

          Insérer des graphiques

          Insérer un graphique

          Pour insérer un graphique dans votre document,

            -
          1. placez le curseur là où vous souhaitez ajouter un graphique,
          2. -
          3. passez à l'onglet Insertion de la barre d'outils supérieure,
          4. -
          5. cliquez sur l'icône Insérer un graphique Insérer un graphique de la barre d'outils supérieure,
          6. -
          7. sélectionnez le type de graphique nécessaire parmi ceux qui sont disponibles - colonne, ligne, secteurs, barres, aires, graphique en points , boursier - et sélectionnez son style,

            Remarque : les graphiques Colonne, Ligne, Secteur, ou Barre sont aussi disponibles au format 3D.

            +
          8. placez le curseur là où vous souhaitez ajouter un graphique,
          9. +
          10. passez à l'onglet Insérer de la barre d'outils supérieure,
          11. +
          12. cliquez sur l'icône L'icône Insérer un graphique Insérer un graphique de la barre d'outils supérieure,
          13. +
          14. sélectionnez le type de graphique nécessaire parmi ceux qui sont disponibles - Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY) , Boursier - et sélectionnez son style, +

            Remarque: les graphiques Colonne, Graphique en ligne, Graphique à secteurs, En barres sont aussi disponibles au format 3D.

          15. -
          16. après une fenêtre Éditeur de graphique s'ouvre où vous pouvez entrer les données nécessaires dans les cellules en utilisant les commandes suivantes :
              +
            • après une fenêtre Éditeur de graphique s'ouvre où vous pouvez entrer les données nécessaires dans les cellules en utilisant les commandes suivantes: +
              • Copier et Coller pour copier et coller les données copiées
              • Annuler et Rétablir pour annuler et rétablir les actions
              • Insérer une fonction pour insérer une fonction
              • Réduire les décimales et Ajouter une décimale pour diminuer et augmenter les décimales
              • -
              • Format de numéro pour changer le format de nombre, c'est à dire la façon d'afficher les chiffres dans les cellules
              • +
              • Format numérique pour changer le format de nombre, c'est à dire la façon d'afficher les chiffres dans les cellules

              Éditeur de graphique

            • -
            • modifiez les paramètres du graphique en cliquant sur le bouton Modifier graphique situé dans la fenêtre Éditeur de graphique. La fenêtre Paramètres du graphique s'ouvre.

              Paramètres du graphique

              -

              L'onglet Type et données vous permet de sélectionner le type de graphique ainsi que les données que vous souhaitez utiliser pour créer un graphique.

              +
            • Cliquez sur le bouton Modifier les données situé dans la fenêtre Éditeur de graphique. La fenêtre Données du graphique s'ouvre. +
                +
              1. + 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. +

                La fenêtre Données du graphique

                +
                  +
                • + Plage de données du graphique - sélectionnez les données pour votre graphique. +
                    +
                  • + Cliquez sur l'icône Plage de données source à droite de la boîte Plage de données du graphique pour sélectionner la plage de données. +

                    La fenêtre Sélectionner une 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 Plage de données source à droite de la boîte Nom de la série. +

                    La fenêtre Modifier 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 Plage de données source à droite de la boîte Plage de données de l'étiquette de l'axe pour sélectionner la plage de données. +

                    La fenêtre Étiquettes de l'axe

                    +
                  • +
                  +
                • +
                • 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.
                • +
                +
              2. +
              3. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre.
              4. +
              +
            • +
            • Configurez les paramètres du graphique en cliquant sur le bouton Modifier les données dans la fenêtre Éditeur de graphique. La fenêtre Graphique - Paramètres avancés s'ouvre: +

              La fenêtre Graphique - Paramètres avancés

              +

              L'onglet Type vous permet de modifier le type du graphique et les données à utiliser pour créer un graphique.

                -
              • Sélectionnez le Type de graphique que vous souhaitez utiliser : Colonne, Ligne, Secteur, Barre, Aire, XY(Nuage) ou Boursier.
              • -
              • Vérifiez la Plage de données sélectionnée et modifiez-la, si nécessaire, en cliquant sur le bouton Sélectionner les données et en entrant la plage de données souhaitée dans le format suivant : Sheet1!A1:B4.
              • -
              • Choisissez la disposition des données. Vous pouvez sélectionner la Série de données à utiliser sur l'axe X : en lignes ou en colonnes.
              • +
              • Sélectionnez le Type du graphique à ajouter: Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY), Boursier.
              -

              Paramètres du graphique

              -

              L'onglet Disposition vous permet de modifier la disposition des éléments de graphique.

              +

              La fenêtre Graphique - Paramètres avancés

              +

              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:
                  -
                • Aucun pour ne pas afficher le titre du graphique,
                • -
                • Superposition pour superposer et centrer le titre sur la zone de tracé,
                • -
                • Pas de superposition pour afficher le titre au-dessus de la zone de tracé.
                • +
                • + 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é, Bas pour afficher la légende et l'aligner au bas de 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 :
                    -
                  • Aucun pour ne pas afficher de légende,
                  • -
                  • Bas pour afficher la légende et l'aligner au bas de la zone de tracé,
                  • -
                  • 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é,
                  • -
                  • Superposer à gauche pour superposer et centrer la légende à gauche de la zone de tracé,
                  • -
                  • Superposer à droite pour superposer et centrer la légende à droite 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: +
                      +
                    • Aucun pour ne pas afficher de légende,
                    • +
                    • Bas pour afficher la légende et l'aligner au bas de la zone de tracé,
                    • +
                    • 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é,
                    • +
                    • Superposer à gauche pour superposer et centrer la légende à gauche de la zone de tracé,
                    • +
                    • Superposer à 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 : Aucune, Centre, Intérieur bas,Intérieur haut, Extérieur haut.
                      • -
                      • Pour les graphiques en Ligne/XY(Nuage)/Boursier, vous pouvez choisir les options suivantes : Aucune, Centre, Gauche, Droite, Haut, Bas.
                      • -
                      • Pour les graphiques Secteur, vous pouvez choisir les options suivantes : Aucune, Centre, Ajusté à la largeur,Intérieur haut, Extérieur haut.
                      • -
                      • Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, en Lignes et en Barres, vous pouvez choisir les options suivantes : Aucun, Centre.
                      • +
                      • + 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: Aucune, Centre, Intérieur bas, Intérieur haut, Extérieur haut.
                          • +
                          • Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Aucune, Centre, Gauche, Droite, Haut.
                          • +
                          • Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Aucune, Centre, Ajusté à la largeur, Intérieur haut, Extérieur haut.
                          • +
                          • Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, en Lignes et en Barres, vous pouvez choisir les options suivantes : Aucun, 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.
                        • +
                        • 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/XY(Nuage). Vous pouvez choisir parmi les options suivantes : Droite pour utiliser des lignes droites entre les points de données, Courbe pour utiliser des courbes lisses entre les points de données, ou Aucune 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/XY(Nuage).

                        Remarque : les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et XY(Nuage).

                        +
                      • Lignes - permet de choisir un style de ligne pour les graphiques en Ligne/Nuage de points (XY). Vous pouvez choisir parmi les options suivantes: Droite pour utiliser des lignes droites entre les points de données, Courbe pour utiliser des courbes lisses entre les points de données, ou Aucune 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).

                      • -
                      • La section Paramètres de l'axe permet de spécifier si vous souhaitez afficher l'Axe horizontal/vertical ou non en sélectionnant l'option Afficher ou Masquer dans la liste déroulante. Vous pouvez également spécifier les paramètres de Titre d'axe horizontal/vertical :
                          -
                        • Indiquez si vous souhaitez afficher le Titre de l'axe horizontal ou non en sélectionnant l'option voulue dans la liste déroulante :
                            -
                          • Aucun pour ne pas afficher le titre de l'axe horizontal,
                          • -
                          • Pas de superposition pour afficher le titre en-dessous de l'axe horizontal.
                          • +
                          • + La section Paramètres de l'axe permet de spécifier si vous souhaitez afficher l'Axe horizontal/vertical ou non en sélectionnant l'option Afficher ou Masquer dans la liste déroulante. Vous pouvez également spécifier les paramètres de Titre d'axe horizontal/vertical: +
                              +
                            • + Indiquez si vous souhaitez afficher le Titre de l'axe horizontal ou non en sélectionnant l'option voulue dans la liste déroulante: +
                                +
                              • Aucun pour ne pas afficher le titre de l'axe horizontal,
                              • +
                              • Pas de superposition pour afficher le titre en-dessous de l'axe horizontal.
                            • -
                            • Indiquez si vous souhaitez afficher le Titre de l'axe vertical ou non en sélectionnant l'option voulue dans la liste déroulante :
                                -
                              • Aucun pour ne pas afficher le titre de l'axe vertical,
                              • -
                              • Tourné pour afficher le titre de bas en haut à gauche de l'axe vertical,
                              • -
                              • Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical.
                              • +
                              • + Indiquez si vous souhaitez afficher le Titre de l'axe vertical ou non en sélectionnant l'option voulue dans la liste déroulante: +
                                  +
                                • Aucun pour ne pas afficher le titre de l'axe vertical,
                                • +
                                • Tourné pour afficher le titre de bas en haut à gauche de l'axe vertical,
                                • +
                                • Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical.
                            • -
                            • La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal/vertical que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante : Majeures, Mineures ou Majeures et mineures. Vous pouvez masquer le quadrillage à l'aide de l'option Aucun.

                              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.

                              +
                            • + La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal/vertical que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante : Principaux, Secondaires ou Principaux et secondaires. Vous pouvez masquer le quadrillage à l'aide de l'option Aucun. +

                              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.

                            -

                            Paramètres du graphique

                            -

                            Remarque : les onglets Axe Horizontal/vertical seront désactivés pour les Graphiques à secteurs, car les graphiques de ce type n'ont pas d'axes.

                            -

                            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 XY(Nuage), les deux axes sont des axes de valeur.

                            +

                            La fenêtre Graphique - Paramètres avancés

                            +

                            Remarque: les onglets Axe Horizontal/vertical seront désactivés pour les Graphiques à secteurs, car les graphiques de ce type n'ont pas d'axes.

                            +

                            L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelé 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.

                              -
                            • La section Options des axes permet de modifier les paramètres suivants :
                                -
                              • Valeur minimale - sert à spécifier la valeur la plus basse affichée 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 Fixe dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite.
                              • -
                              • Valeur maximale - sert à spécifier la valeur la plus élevée affichée à 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 Fixe 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 Aucun 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 des axes permet de modifier les paramètres suivants: +
                                  +
                                • Valeur minimale - sert à spécifier la valeur la plus basse affichée 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 Fixe dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite.
                                • +
                                • Valeur maximale - sert à spécifier la valeur la plus élevée affichée à 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 Fixe 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 Aucun 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 graduationspermet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations majeures sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations mineures sont les subdivisions d'échelle qui sont placées entre les graduations majeures 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 de majeure/mineure contiennent les options de placement suivantes :
                                  -
                                • Aucune pour ne pas afficher les graduations majeures/mineures,
                                • -
                                • Croix pour afficher les graduations majeures/mineures des deux côtés de l'axe,
                                • -
                                • Intérieur pour afficher les graduations majeures/mineures dans l'axe,
                                • -
                                • Extérieur pour afficher les graduations majeures/mineures à l'extérieur de l'axe.
                                • -
                                +
                              • + 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 de libellé permet d'ajuster l'apparence des libellés de graduations majeures qui affichent des valeurs. Pour spécifier la Position du libellé par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante :
                                  -
                                • Aucun pour ne pas afficher les libellés de graduations,
                                • -
                                • Bas pour afficher les libellés de graduations à gauche de la zone de tracé,
                                • -
                                • Haut pour afficher les libellés de graduations à droite de la zone de tracé,
                                • -
                                • À côté de l'axe pour afficher les libellés de graduations à côté 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.
                                • +
                              -

                              Paramètres du graphique

                              -

                              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 libellés 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 XY(Nuage), les deux axes sont des axes de valeur.

                              +

                              La fenêtre Graphique - Paramètres avancés

                              +

                              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.

                                -
                              • La section Options des axes permet de modifier les paramètres suivants :
                                  -
                                • Axes croisés - 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(qui correspond à la première/dernière catégorie) sur l'axe horizontal.
                                • -
                                • Position de l'axe - permet de spécifier où les étiquettes de texte de l'axe doivent être placées : Sur les graduations ou Entre les graduations.
                                • -
                                • Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case n'est pas cochée, les catégories sont affichées de gauche à droite. Lorsque la case est cochée, les catégories sont triées de droite à gauche.
                                • +
                                • La section Options d'axe permet de modifier les paramètres suivants: +
                                    +
                                  • Intersection de l'axe - 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 (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 en ordre inverse - est utilisé pour afficher les catégories en ordre inverse. 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 majeures sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant les catégories. Les graduations mineures sont les divisions plus petites qui sont placées entre les graduations majeures 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 de majeure/mineure est utilisé pour spécifier les options de placement suivantes : Aucune pour ne pas afficher les graduations majeures/mineures, Croix pour afficher les graduations majeures/mineures des deux côtés de l'axe, Intérieur pour afficher les graduations majeures/mineures dans l'axe, Extérieur pour afficher les graduations majeures/mineures à l'extérieur de l'axe.
                                  • -
                                  • Intervalle entre les graduations - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes.
                                  • +
                                  • + 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 secondaire 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 de libellé permet d'ajuster l'apparence des libellés qui affichent les catégories.
                                      -
                                    • Position du libellé - est utilisé pour spécifier où les libellés doivent être placés par rapport à l'axe horizontal. Sélectionnez l'option souhaitée dans la liste déroulante : Aucun pour ne pas afficher les libellés de graduations, Bas pour afficher les libellés de graduations au bas de la zone de tracé, Haut pour afficher les libellés de graduations en haut de la zone de tracé, À côté de l'axe pour afficher les libellés de graduations à côté de l'axe.
                                    • -
                                    • Distance du libellé - est utilisé pour spécifier la distance entre les libellés 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 libellés est grande.
                                    • -
                                    • Intervalle entre les libellés - est utilisé pour spécifier la fréquence à laquelle les libellés doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les libellés 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 libellés pour une catégorie sur deux.
                                    • -
                                    +
                                  • 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.
                                    • +
                                  -

                                  Graphique - Paramètres avancés

                                  -

                                  L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique.

                                  +

                                  La fenêtre Graphique - Paramètres avancés Alignement dans une cellule

                                  +

                                  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.
                                  • +
                                  +

                                  La fenêtre Graphique - Paramètres avancés

                                  +

                                  L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique.


          Déplacer et redimensionner des graphiques

          -

          Déplacer un graphique une fois le graphique ajouté, vous pouvez modifier sa taille et sa position. Pour changer la taille du graphique, faites glisser les petits carreaux Icône Carreaux situés sur ses bords. 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.

          +

          Déplacer un graphiqueUne fois le graphique ajouté, vous pouvez modifier sa taille et sa position. Pour changer la taille du graphique, faites glisser les petits carreaux Icône Carreaux situés sur ses bords. 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.

          Pour modifier la position du graphique, utilisez l'icône Flèche qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'objet vers la position choisie sans relâcher le bouton de la souris. Lorsque vous déplacez le graphique, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné).

          -

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

          +

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


          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 ou le style de décoration.

          -

          Pour supprimer un élément de graphique, sélectionnez-le avec la souris et appuyez sur la touche Suppr.

          +

          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 ou le style de décoration.

          +

          Une fois le graphique sélectionné, l'icône Paramètres de la forme 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, le Trait et le Style d'habillage de la forme. 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 appropié: 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 veuillez accéder à cette 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 L'icône Carreaux le long du périmètre de l'élément.

          +

          Redimensionnement des éléments du graphique

          +

          Pour modifier la position d'un élément, cliquez sur cet élément avec le bouton gauche de souris, Flèche, maintenir le bouton gauche de la souris enfoncé et faites-le glisser avers la position souhaité.

          +

          Déplacer les éléments du graphique

          +

          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.

          Graphique 3D


          Ajuster les paramètres du graphique

          -

          Onglet Paramètres du graphique

          -

          Certains paramètres du graphique peuvent être modifiés en utilisant l'onglet Paramètres du graphique de la barre latérale droite. Pour l'activer, cliquez sur le graphique et sélectionnez l'icône Paramètres du graphique Paramètres du graphique à droite. Vous pouvez y modifier les paramètres suivants :

          +

          L'onglet Paramètres du graphique

          +

          Certains paramètres du graphique peuvent être modifiés en utilisant l'onglet Paramètres du graphique de la barre latérale droite. Pour l'activer, cliquez sur le graphique et sélectionne l'icône Paramètres du graphique L'icône Paramètres du graphique à droite. Vous pouvez y modifier les paramètres suivants:

            -
          • Taille est utilisée pour afficher la Largeur et la Hauteur du graphique actuel.
          • -
          • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous).
          • -
          • Changer le type de graphique permet de modifier le type et/ou le style du graphique sélectionné.

            Pour sélectionner le Style de graphique nécessaire, utilisez le deuxième menu déroulant de la section Modifier le type de graphique.

            +
          • Taille est utilisée pour afficher la Largeur et la Hauteur du graphique actuel.
          • +
          • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous).
          • +
          • Changer le type de graphique permet de modifier le type et/ou le style du graphique sélectionné. +

            Pour sélectionner le Style de graphique nécessaire, utilisez le deuxième menu déroulant de la section Modifier le type de graphique.

          • -
          • Modifier les données est utilisé pour ouvrir la fenêtre « Éditeur de graphique ».

            Remarque : pour ouvrir rapidement la fenêtre "Éditeur de graphiques", vous pouvez également double-cliquer sur le graphique dans le document.

            +
          • Modifier les données est utilisé pour ouvrir la fenêtre «Éditeur de graphique». +

            Remarque: pour ouvrir rapidement la fenêtre "Éditeur de graphiques", vous pouvez également double-cliquer sur le graphique dans le document.

          -

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

          +

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

            -
          • Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur.
          • -
          • Organiser sert à placer le graphique sélectionné au premier plan, envoyer à l'arrière-plan, avancer ou reculer ainsi que grouper ou dégrouper des graphiques pour effectuer des opérations avec plusieurs à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page.
          • -
          • Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page.
          • -
          • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte. L'option Modifier la limite d'habillage n'est pas disponible pour les graphiques.
          • -
          • Modifier les données est utilisé pour ouvrir la fenêtre « Éditeur de graphique ».
          • -
          • Paramètres avancés du graphique sert à ouvrir la fenêtre "Graphique - Paramètres avancés".
          • -
          -

          Lorsque le graphique est sélectionné, l'icône Paramètres de forme Paramètres de la forme est également disponible sur la droite, car une forme est utilisée comme arrière-plan pour le graphique. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le Remplissage, le Contour et le Style d'habillage de la forme. Notez que vous ne pouvez pas modifier le type de forme.

          +
        1. Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précédemment coupé / copié ou un objet à la position actuelle du curseur.
        2. +
        3. Organiser sert à placer le graphique sélectionné au premier plan, envoyer à l'arrière-plan, avancer ou reculer ainsi que grouper ou dégrouper des graphiques pour effectuer des opérations avec plusieurs à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page.
        4. +
        5. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page.
        6. +
        7. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte. L'option Modifier la limite d'habillage n'est pas disponible pour les graphiques.
        8. +
        9. Modifier les données est utilisé pour ouvrir la fenêtre «Éditeur de graphique».
        10. +
        11. Paramètres avancés du graphique sert à ouvrir la fenêtre "Graphique - Paramètres avancés".
        12. +
          -

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

          -

          Graphique - Paramètres avancés : Taille

          -

          L'onglet Taille comporte les paramètres suivants :

          +

          Pour modifier les paramètres avancés, cliquez sur le graphique avec le bouton droit de la souris et sélectionnez Paramètres avancés du graphique 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 du graphique s'ouvre:

          +

          La fenêtre Graphique - Paramètres avancés Taille

          +

          L'onglet Taille comporte les paramètres suivants:

            -
          • Largeur et Hauteur - utilisez ces options pour changer la largeur et/ou la hauteur du graphique. Si vous cliquez sur le bouton Proportions constantes (dans ce cas, il ressemble à ceci Icône Proportions constantes active), la largeur et la hauteur seront changées en même temps, le ratio d'aspect du graphique original sera préservé.
          • +
          • Largeur et Hauteur utilisez ces options pour changer la largeur et/ou la hauteur du graphique. Lorsque le bouton Proportions constantes L'icône Proportions constantes est activé (dans ce cas, il ressemble à ceci) L'icône Proportions constantes activée), la largeur et la hauteur seront changées en même temps, le ratio d'aspect du graphique original sera préservé.
          -

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

          -

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

          +

          La fenêtre Graphique - Paramètres avancés Habillage du texte

          +

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

            -
          • Style d'habillage - utilisez cette option pour changer la manière dont le graphique est positionné par rapport au texte : il peut faire partie du texte (si vous sélectionnez le style « aligné sur le texte ») ou être contourné par le texte de tous les côtés (si vous sélectionnez l'un des autres styles).
              -
            • Style d'habillage - Aligné sur le texte Aligné sur le texte - le graphique fait partie du texte, comme un caractère, ainsi si le texte est déplacé, le graphique est déplacé lui aussi. Dans ce cas-là les options de position ne sont pas accessibles.

              -

              Si vous sélectionnez un des styles suivants, vous pouvez déplacer le graphique indépendamment du texte et définir sa position exacte :

              +
            • Style d'habillage - utilisez cette option pour changer la manière dont le graphique est positionné par rapport au texte : il peut faire partie du texte (si vous sélectionnez le style « aligné sur le texte ») ou être contourné par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). +
                +
              • Style d'habillage - Aligné sur le texte Aligné sur le texte - le graphique fait partie du texte, comme un caractère, ainsi si le texte est déplacé, le graphique est déplacé lui aussi. Dans ce cas-là les options de position ne sont pas accessibles.

                +

                Si vous sélectionnez un des styles suivants, vous pouvez déplacer le graphique indépendamment du texte et définir sa position exacte:

              • -
              • Style d'habillage - Carré Carré - le texte est ajusté autour des bords du graphique.

              • -
              • Style d'habillage - Rapproché Rapproché - le texte est ajusté sur le contour du graphique.

              • -
              • Style d'habillage - Au travers Au travers - le texte est ajusté autour des bords du graphique et occupe l'espace vide à l'intérieur de celui-ci.

              • -
              • Style d'habillage - Haut et bas Haut et bas - le texte est ajusté en haut et en bas du graphique.

              • -
              • Style d'habillage - Devant le texte Devant le texte - le graphique est affiché sur le texte.

              • -
              • Style d'habillage - Derrière le texte Derrière le texte - le texte est affiché sur le graphique.

              • +
              • Style d'habillage - Carré Carré - le texte est ajusté autour des bords du graphique.

              • +
              • Style d'habillage - Rapproché Rapproché - le texte est ajusté sur le contour du graphique.

              • +
              • Style d'habillage - Au travers Au travers - le texte est ajusté autour des bords du graphique et occupe l'espace vide à l'intérieur de celui-ci.

              • +
              • Style d'habillage - Haut et bas Haut et bas - le texte est ajusté en haut et en bas du graphique.

              • +
              • Style d'habillage - Devant le texte Devant le texte - le graphique est affiché sur le texte.

              • +
              • Style d'habillage - Derrière le texte Derrière le texte - le texte est affiché sur le graphique.

            -

            Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche).

            -

            Graphique - Paramètres avancés : Position

            -

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

            +

            Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche).

            +

            La fenêtre Graphique - Paramètres avancés Position

            +

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

              -
            • La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de graphique suivants :
                -
              • Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite,
              • -
              • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite,
              • -
              • Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite.
              • +
              • + La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de graphique suivants: +
                  +
                • Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite,
                • +
                • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite,
                • +
                • Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite.
              • -
              • La section Vertical vous permet de sélectionner l'un des trois types de positionnement de graphique suivants :
                  -
                • Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure,
                • -
                • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure,
                • -
                • Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure.
                • +
                • + La section Vertical vous permet de sélectionner l'un des trois types de positionnement de graphique suivants: +
                    +
                  • Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure,
                  • +
                  • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) au-dessous de la ligne, de la marge, de la marge inférieure, du paragraphe, de la page ou la marge supérieure,
                  • +
                  • Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure.
                • -
                • Déplacer avec le texte détermine si le graphique se déplace en même temps que le texte sur lequel il est aligné.
                • -
                • Chevauchement détermine si deux graphiques se chevauchent ou non si vous les faites glisser les unes près des autres sur la page.
                • +
                • Déplacer avec le texte détermine si le graphique se déplace en même temps que le texte sur lequel il est aligné.
                • +
                • Chevauchement détermine si deux graphiques se chevauchent ou non si vous les faites glisser les unes près des autres sur la page.
                -

                Graphique - Paramètres avancés

                -

                L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique.

                +

                La fenêtre Graphique - Paramètres avancés

                +

                L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique.

          \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm index 7c78e8a0f..04afd6775 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertContentControls.htm @@ -3,7 +3,7 @@ Insérer des contrôles de contenu - + @@ -11,70 +11,158 @@
          - +

          Insérer des contrôles de contenu

          -

          À l'aide des contrôles de contenu, vous pouvez créer un formulaire avec des champs de saisie pouvant être renseignés par d'autres utilisateurs ou protéger certaines parties du document contre l'édition ou la suppression. Les contrôles de contenu sont des objets contenant du texte pouvant être mis en forme. Les contrôles de contenu de texte brut ne peuvent pas contenir plus d'un paragraphe, tandis que les contrôles de contenu en texte enrichi peuvent contenir plusieurs paragraphes, listes et objets (images, formes, tableaux, etc.).

          -

          Ajouter des contrôles de contenu

          -

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

          +

          Les contrôles de contenu sont des objets comportant du contenu spécifique tel que le texte, les objets etc. En fonction du contrôle de contenu choisi, vous pouvez créer un formulaire contenant les zones de texte modifiable pouvant être rempli par d'autres utilisateurs, ou protéger certains éléments qu'on ne puisse les modifier ou supprimer.

          +

          Remarque: la possibilité d'ajouter de nouveaux contrôles de contenu n'est disponible que dans la version payante. Dans la version gratuite Community vous pouvez modifier les contrôles de contenu existants ainsi que les copier et coller.

          +

          Actuellement, vous pouvez ajouter les contrôles de contenu suivants: Texte brut, Texte enrichi, Image, Zone de liste déroulante, Liste déroulante, Date, Case à cocher.

          +
            +
          • Texte est le texte comportant un objet qui ne peut pas être modifié. C'est seulement un paragraphe que le contrôle en texte brut peut contenir.
          • +
          • Texte enrichi est le texte comportant un objet qui peut être modifié. Les contrôles en texte enrichi peuvent contenir plusieurs paragraphes, listes et objets (images, formes, tableaux etc.).
          • +
          • Image est un objet comportant une image.
          • +
          • Zone de liste déroulante est un objet comportant une liste déroulante avec un ensemble de choix. Ce contrôle permet de choisir une valeur prédéfinie et la modifier au besoin.
          • +
          • Liste déroulante est un objet comportant une liste déroulante avec un ensemble de choix. Ce contrôle permet de choisir une valeur prédéfinie. La valeur choisie ne peut pas être modifiée.
          • +
          • Date est l'objet comportant le calendrier qui permet de choisir une date.
          • +
          • Case à cocher est un objet permettant d'afficher deux options: la case cochée et la case décochée.
          • +
          +

          Ajouter des contrôles de contenu

          +

          Créer un nouveau contrôle de contenu de texte brut

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

          Le contrôle sera inséré au point d'insertion dans une ligne du texte existant. Les contrôles de contenu de texte brut ne permettent pas l'ajout de sauts de ligne et ne peuvent pas contenir d'autres objets tels que des images, des tableaux, etc.

          +

          Le contrôle sera inséré au point d'insertion dans une ligne du texte existant. Tapez votre texte à remplacer du texte par défaut à l'intérieur du contrôle de contenu (Votre texte ici): sélectionnez le texte par défaut et tapez du texte approprié ou copiez le texte que vous voulez et collez le à l'intérieur du contrôle de contenu. Les contrôles de contenu de texte brut ne permettent pas l'ajout de sauts de ligne et ne peuvent pas contenir d'autres objets tels que des images, des tableaux, etc.

          Nouveau contrôle du contenu de texte brut

          -

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

          +

          Créer un nouveau contrôle de contenu de texte enrichi

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

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

          -

          Contrôle du contenu de texte enrichi

          -

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

          +

          Le contrôle sera inséré dans un nouveau paragraphe du texte. Tapez votre texte à remplacer du texte par défaut à l'intérieur du contrôle de contenu (Votre texte ici): sélectionnez le texte par défaut et tapez du texte approprié ou copiez le texte que vous voulez et collez le à l'intérieur du contrôle de contenu. Les contrôles de contenu de texte enrichi permettent d'ajouter des sauts de ligne, c'est-à-dire peuvent contenir plusieurs paragraphes ainsi que certains objets, tels que des images, des tableaux, d'autres contrôles de contenu, etc.

          +

          Contrôle de contenu de texte enrichi

          +

          Créer un nouveau contrôle de contenu d'image

          +
            +
          1. positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle.
          2. +
          3. passez à l'onglet Insérer de la barre d'outils supérieure.
          4. +
          5. cliquez sur la flèche en regard de l'icône l'icône Contrôles de contenu Contrôles de contenu.
          6. +
          7. choisissez l'option Image dans le menu et le contrôle de contenu sera inséré au point d'insertion.
          8. +
          9. cliquez sur l'icône L'icône Insérer fonction Image dans le bouton au dessus de la bordure du contrôle de contenu, la fenêtre de sélection standard va apparaître. Choisissez l'image stockée sur votre ordinateur et cliquez sur Ouvrir.
          10. +
          +

          L'image choisie sera affichée à l'intérieur du contrôle de contenu. Pour remplacer l'image, cliquez sur l'icône d'image L'icône Insérer image dans le bouton au dessus de la bordure du contrôle de contenu et sélectionnez une autre image.

          +

          Un nouveau contrôle de contenu d'image

          +

          Créer un nouveau contrôle de contenu Zone de liste déroulante ou Liste déroulante

          +

          Zone de liste déroulante et la Liste déroulante sont des objets comportant une liste déroulante avec un ensemble de choix. Ces contrôles de contenu sont crées de la même façon. La différence entre les contrôles Zone de liste déroulante et Liste déroulante est que la liste déroulante propose des choix que vous êtes obligé de sélectionner tandis que la Zone de liste déroulante accepte la saisie d’un autre élément.

          +
            +
          1. positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle de contenu.
          2. +
          3. passez à l'onglet Insérer de la barre d'outils supérieure.
          4. +
          5. cliquez sur la flèche en regard de l'icône l'icône Contrôles de contenu Contrôles de contenu.
          6. +
          7. choisissez l'option Zone de liste déroulante et Liste déroulante dans le menu et le contrôle de contenu sera inséré au point d'insertion.
          8. +
          9. cliquez avec le bouton droit sur le contrôle de contenu ajouté et sélectionnez Paramètres du contrôle de contenu du menu contextuel.
          10. +
          11. dans la fenêtre Paramètres du contrôle de contenu qui s'ouvre, passez à l'onglet Zone de liste déroulante ou Liste déroulante en fonction du type de contrôle de contenu sélectionné. +

            La fenêtre Paramètres de la Zone de liste déroulante

            +
          12. +
          13. + pour ajouter un nouveau élément à la liste, cliquez sur le bouton Ajouter et remplissez les rubriques disponibles dans la fenêtre qui s'ouvre: +

             Zone de liste déroulante - ajouter une valeur

            +
              +
            1. saisissez le texte approprié dans le champ Nom d'affichage, par exemple, Oui, Non, Autre option. Ce texte sera affiché à l'intérieur du contrôle de contenu dans le document.
            2. +
            3. par défaut le texte du champ Valeur coïncide avec celui-ci du champ Nom d'affichage. Si vous souhaitez modifier le texte du champ Valeur, veuillez noter que la valeur doit être unique pour chaque élément.
            4. +
            5. Cliquez sur OK.
            6. +
            +
          14. +
          15. les boutons Modifier et Effacer à droite servent à modifier ou supprimer les éléments de la liste et les boutons En haut et Bas à changer l'ordre d'affichage des éléments.
          16. +
          17. Une fois les paramètres configurés, cliquez sur OK pour enregistrer la configuration et fermer la fenêtre.
          18. +
          +

          Nouveau contrôle du contenu de la zone de liste déroulante

          +

          Vous pouvez cliquez sur la flèche à droite du contrôle de contenu Zone de liste déroulante ou Liste déroulante ajouté pour ouvrir la liste et sélectionner l'élément approprié. Une fois sélectionné dans la Zone de liste déroulante, on peut modifier le texte affiché en saisissant propre texte partiellement ou entièrement. La Liste déroulante ne permet pas la saisie d’un autre élément.

          +

          Le contrôle de contenu de la zone de liste déroulante

          +

          Créer un nouveau contrôle de contenu sélecteur des dates

          +
            +
          1. positionnez le point d'insertion dans le texte où vous souhaitez ajouter le contrôle de contenu.
          2. +
          3. passez à l'onglet Insérer de la barre d'outils supérieure.
          4. +
          5. cliquez sur la flèche en regard de l'icône l'icône Contrôles de contenu Contrôles de contenu.
          6. +
          7. choisissez l'option Date dans le menu et le contrôle de contenu indiquant la date actuelle sera inséré au point d'insertion.
          8. +
          9. cliquez avec le bouton droit sur le contrôle de contenu ajouté et sélectionnez Paramètres du contrôle de contenu du menu contextuel.
          10. +
          11. + dans la fenêtre Paramètres du contrôle de contenu, passez à l'onglet Format de date. +

            Le fenêtre Paramètres de date

            +
          12. +
          13. Sélectionnez la Langue et le format de date appropriée dans la liste Afficher le date comme suit.
          14. +
          15. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre.
          16. +
          +

          Un nouveau contrôle de contenu de date

          +

          Vous pouvez cliquez sur la flèche à droite du contrôle de contenu Date ajouté pour ouvrir le calendrier et sélectionner la date appropriée.

          +

          Le contrôle de contenu de date

          +

          Créer un nouveau contrôle de contenu de case à cocher

          +
            +
          1. positionnez le point d'insertion dans le texte où vous souhaitez ajouter le contrôle de contenu.
          2. +
          3. passez à l'onglet Insérer de la barre d'outils supérieure.
          4. +
          5. cliquez sur la flèche en regard de l'icône l'icône Contrôles de contenu Contrôles de contenu.
          6. +
          7. choisissez l'option Case à cocher dans le menu et le contrôle de contenu sera inséré au point d'insertion.
          8. +
          9. cliquez avec le bouton droit sur le contrôle de contenu ajouté et sélectionnez Paramètres du contrôle de contenu du menu contextuel.
          10. +
          11. + dans la fenêtre Paramètres du contrôle de contenu, passez à l'onglet Case à cocher. +

            La fenêtre Paramètres de la case à cocher

            +
          12. +
          13. cliquez sur le bouton Symbole Activé pour spécifier le symbole indiquant la case cochée ou le Symbole Désactivé pour spécifier la façon d'afficher la case décochée. La fenêtre Symbole s'ouvre. Veuillez consulter cet articlepour en savoir plus sur utilisation des symboles.
          14. +
          15. Une fois les paramètres configurés, cliquez sur OK pour enregistrer la configuration et fermer la fenêtre.
          16. +
          +

          La case à cocher s'affiche désactivée.

          +

          Nouveau contrôle du contenu de la case à cocher

          +

          Une fois que vous cliquiez la case à cocher, le symbole qu'on a spécifié comme le Symbole Activé est inséré.

          +

          Le contrôle de contenu de la case à cocher

          + +

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

          +

          Déplacer des contrôles de contenu

          -

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

          +

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

          Déplacer des contrôles de contenu

          -

          Vous pouvez également copier et coller des contrôles de contenu: sélectionnez le contrôle voulu et utilisez les combinaisons de touches Ctrl+C/Ctrl+V.

          -

          Modifier des contrôles de contenu

          -

          Remplacez le texte par défaut dans le contrôle ("Votre texte ici") par votre propre texte: sélectionnez le texte par défaut, et tapez un nouveau texte ou copiez un passage de texte de n'importe où et collez-le dans le contrôle de contenu.

          -

          Le texte contenu dans le contrôle de contenu (texte brut ou texte enrichi) peut être formaté à l'aide des icônes de la barre d'outils supérieure: vous pouvez ajuster le type, la taille, la couleur de police, appliquer des styles de décoration et les préréglages de mise en forme. Il est également possible d'utiliser la fenêtre Paragraphe - Paramètres avancés accessible depuis le menu contextuel ou depuis la barre latérale de droite pour modifier les propriétés du texte. Le texte contenu dans les contrôles de contenu de texte enrichi peut être mis en forme comme un texte normal du document, c'est-à-dire que vous pouvez définir l'interlignage, modifier les retraits de paragraphe, ajuster les taquets de tabulation.

          +

          Vous pouvez également copier et coller des contrôles de contenu: sélectionnez le contrôle voulu et utilisez les combinaisons de touches Ctrl+C/Ctrl+V.

          + +

          Modifier des contrôles de contenu en texte brut et en texte enrichi

          +

          On peut modifier le texte à l'intérieur des contrôles de contenu en texte brut et en texte enrichi à l'aide des icônes de la barre d'outils supérieure: vous pouvez ajuster le type, la taille et la couleur de police, appliquer des styles de décoration et les configurations de mise en forme. Il est également possible d'utiliser la fenêtre Paragraphe - Paramètres avancés accessible depuis le menu contextuel ou depuis la barre latérale de droite pour modifier les propriétés du texte. Le texte contenu dans les contrôles de contenu de texte enrichi peut être mis en forme comme un texte normal du document, c'est-à-dire que vous pouvez définir l'interlignage, modifier les retraits de paragraphe, ajuster les taquets de tabulation, etc.

          +

          Modification des paramètres de contrôle du contenu

          +

          Quel que soit le type du contrôle de contenu, on peut configurer ses paramètres sous les onglets Général et Verrouillage dans la fenêtre Paramètres du contrôle de contenu.

          Pour ouvrir les paramètres de contrôle du contenu, vous pouvez procéder de la manière suivante:

            -
          • Sélectionnez le contrôle de contenu nécessaire, cliquez sur la flèche en regard de l'icône Icône Contrôles de contenu Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Paramètres de contrôle dans le menu.
          • -
          • Cliquez avec le bouton droit n'importe où dans le contrôle de contenu et utilisez l'option Paramètres de contrôle du contenu dans le menu contextuel.
          • +
          • Sélectionnez le contrôle de contenu nécessaire, cliquez sur la flèche en regard de l'icône l'icône Contrôles de contenu Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Paramètres de contrôle du menu.
          • +
          • Cliquez avec le bouton droit n'importe où dans le contrôle de contenu et utilisez l'option Paramètres de contrôle du contenu dans le menu contextuel.
          -

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

          -

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

          +

          Une nouvelle fenêtre s'ouvrira. Sous l'onglet Général vous pouvez configurer les paramètres suivants:

          +

          Fenêtre des Paramètres de contrôle du contenu - Général

            -
          • Spécifiez le Titre ou l'Étiquette du contrôle de contenu dans les champs correspondants. Le titre s'affiche lorsque le contrôle est sélectionné dans le document. Les étiquettes sont utilisées pour identifier les contrôles de contenu afin que vous puissiez y faire référence dans votre code.
          • -
          • Choisissez si vous voulez afficher le contrôle de contenu avec une Zone de délimitation ou non. Utilisez l'option Aucune pour afficher le contrôle sans la zone de délimitation. Si vous sélectionnez l'option Zone de délimitation, vous pouvez choisir la Couleur de cette zone à l'aide du champ ci-dessous. Cliquez sur le bouton Appliquer à tous pour appliquer les paramètres d’apparence spécifiés à tous les contrôles de contenu du document.
          • -
          • Empêchez le contrôle de contenu d'être supprimé ou modifié en utilisant l'option de la section Verrouillage:
              -
            • Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu.
            • -
            • Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification.
            • -
            -
          • +
          • Spécifiez le Titre, l'Espace réservé ou le Tag dans les champs correspondants. Le titre s'affiche lorsque le contrôle est sélectionné dans le document. L'espace réservé est le texte principal qui s'affiche à l'intérieur du contrôle de contenu. Les Tags sont utilisées pour identifier les contrôles de contenu afin que vous puissiez y faire référence dans votre code.
          • +
          • Choisissez si vous voulez afficher le contrôle de contenu avec une Boîte d'encombrement ou non. Utilisez l'option Aucun pour afficher le contrôle sans aucune boîte d'encombrement. Si vous sélectionnez l'option Boîte d'encombrement, vous pouvez choisir la Couleur de la boîte à l'aide du champ ci-dessous. Cliquez sur le bouton Appliquer à tous pour appliquer les paramètres d’Apparence spécifiés à tous les contrôles de contenu du document.
          -

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

          -

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

          +

          Sous l'onglet Verrouillage vous pouvez empêchez toute suppression ou modifcation du contrôle de contenu en utilisant les paramètres suivants:

          +

          Fenêtre des Paramètres de contrôle du contenu - Verrouillage

          +
            +
          • Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu.
          • +
          • Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification.
          • +
          +

          Sous le troisième onglet on peut configurer les paramètres spécifiques de certain type du contrôle de contenu, comme: Zone de liste déroulante, Liste déroulante, Date, Case à cocher. Tous ces paramètres ont déjà été décrits ci-dessus dans la section appropriée à chaque contrôle de contenu.

          +

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

          +

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

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

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

          -

          Retirer des contrôles de contenu

          +

          Supprimer des contrôles de contenu

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

            -
          • Cliquez sur la flèche en regard de l'icône Icône Contrôles de contenu Contrôles du contenu dans la barre d'outils supérieure et sélectionnez l'option Retirer le contrôle du contenu dans le menu.
          • -
          • Cliquez avec le bouton droit sur la sélection et choisissez l'option Supprimer le contrôle de contenu dans le menu contextuel,
          • +
          • Cliquez sur la flèche en regard de l'icône l'icône Contrôles de contenu Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Supprimer le contrôle du contenu dans le menu.
          • +
          • Cliquez avec le bouton droit sur le contrôle de contenu et utilisez l'option Supprimer le contrôle du contenu dans le menu contextuel.
          -

          Pour supprimer un contrôle et tout son contenu, sélectionnez le contrôle nécessaire et appuyez sur la touche Suppr du clavier.

          +

          Pour supprimer un contrôle et tout son contenu, sélectionnez le contrôle nécessaire et appuyez sur la touche Suppr du clavier.

          diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCrossReference.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCrossReference.htm new file mode 100644 index 000000000..cf3809f63 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertCrossReference.htm @@ -0,0 +1,181 @@ + + + + Insertion de renvoi + + + + + + + +
          +
          + +
          +

          Insertion de renvoi

          +

          Les renvois permettent de créer les liens vers d'autres parties du même document telles que les diagrammes ou les tableaux. Le renvoi apparaît sous la forme d'un lien hypertexte.

          +

          Créer un renvoi

          +
            +
          1. Positionnez le curseur dans le texte à l'endroit où vous souhaitez insérer un renvoi.
          2. +
          3. Passez à l'onglet Références et cliquez sur l'icône Renvoi.
          4. +
          5. + Paramétrez le renvoi dans la fenêtre contextuelle Renvoi. +

            La fenêtre Renvoi.

            +
              +
            • Dans la liste déroulante Type de référence spécifiez l'élément vers lequel on veut renvoyer, par exemple, l'objet numéroté (option par défaut), en-tête, signet, note de bas de page, note de fin, équation, figure, et tableau. Sélectionnez l'élément approprié.
            • +
            • + Dans la liste Insérer la référence à spécifiez les informations que vous voulez insérer dans le document. Votre choix dépend de la nature des éléments que vous avez choisi dans la liste Type de référence. Par exemple, pour l'option En-tête on peut spécifier les informations suivantes: Texte de l'en-tête, Numéro de page, Numéro de l'en-tête, Numéro de l'en-tête (pas de contexte), Numéro de l'en-tête (contexte global), Au-dessus/au-dessous.
              La liste complète des options dépend du type de référence choisi: +
        Nom de la policeNom de la policeNom de la policeNom 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.
        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.
        Incrémenter la taille de la policeIncrémenter la taille de la policeAugmenter la taille de la policeAugmenter la taille de la police Sert à modifier la taille de la police en la randant plus grande à un point chaque fois que vous appuyez sur le bouton.
        Décrementer la taille de la policeDécrementer la taille de la policeRéduire la taille de la policeRéduire la taille de la police Sert à modifier la taille de la police en la randant plus petite à un point chaque fois que vous appuyez sur le bouton.
        + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
        Type de référenceInsérer la référence àDescription
        Objet numérotéNuméro de pagePour insérer le numéro de page du l'objet numéroté
        Numéro de paragraphePour insérer le numéro de paragraphe du l'objet numéroté
        Numéro de paragraphe (pas de contexte)Pour insérer le numéro de paragraphe abrégé. On fait la référence à un élément spécifique de la liste numérotée, par exemple vous faites une référence seulement à 1 au lieu de 4.1.1.
        Numéro de paragraphe (contexte global)Pour insérer le numéro de paragraphe complet, par exemple 4.1.1.
        Texte du paragraphePour insérer la valeur textuelle du paragraphe, par exemple pour 4.1.1. Conditions générales on fait référence seulement à Conditions générales
        Au-dessus/au-dessousPour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément.
        En-têteTexte de l'en-têtePour insérer le texte complet de l'en-tête
        Numéro de pagePour insérer le numéro de page d'un en-tête
        Numéro de l'en-têtePour insérer la numérotation consécutive de l'en-tête
        Numéro de l'en-tête (pas de contexte)Pour insérer le numéro de l'en-tête abrégé. Assurez-vous de placer le curseur dans la section à laquelle vous souhaiter faire une référence, par exemple, vous êtes dans la section 4 et vous souhaiter faire référence à l'en-tête 4.B alors au lieu de 4.B s'affiche seulement B.
        Numéro de l'en-tête (contexte global)Pour insérer le numéro de l'en-tête complet même si le curseur est dans la même section
        Au-dessus/au-dessousPour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément.
        SignetLe texte du signetPour insérer le texte complet du signet
        Numéro de pagePour insérer le numéro de page du signet
        Numéro de paragraphePour insérer le numéro de paragraphe du signet
        Numéro de paragraphe (pas de contexte)Pour insérer le numéro de paragraphe abrégé. On fait la référence seulement à un élément spécifique, par exemple vous faites une référence seulement à 1 au lieu de 4.1.1.
        Numéro de paragraphe (contexte global)Pour insérer le numéro de paragraphe complet, par exemple 4.1.1.
        Au-dessus/au-dessousPour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément.
        Note de bas de pageNuméro de la note de bas de pagePour insérer le numéro de la note de bas de page
        Numéro de pagePour insérer le numéro de page de la note de bas de page
        Au-dessus/au-dessousPour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément.
        Le numéro de la note de bas de page (mis en forme)Pour insérer le numéro de la note de bas de page mis en forme d'une note de bas de page. La numérotation de notes de bas de page existantes n'est pas affectée
        Note de finLe numéro de la note de finPour insérer le numéro de la note de fin
        Numéro de pagePour insérer le numéro de page de la note de fin
        Au-dessus/au-dessousPour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément.
        Le numéro de la note de fin (mis en forme)Pour insérer le numéro de la note de fin mis en forme d'une note de fin. La numérotation de notes de fin existantes n'est pas affectée
        Équation / Figure / TableauLa légende complètePour insérer le texte complet de la légende
        Seulement l'étiquette et le numéroPour insérer l'étiquette et le numéro de l'objet, par exemple, Tableau 1.1
        Seulement le texte de la légendePour insérer seulement le texte de la légende
        Numéro de pagePour insérer le numéro de la page comportant du l'objet référencé
        Au-dessus/au-dessousPour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément.
        +
        + + +
      • Pour faire apparaître une référence comme un lien actif, cochez la case Insérer en tant que lien hypertexte.
      • +
      • Pour spécifier la position de l'élément référencé, cochez la case Inclure au-dessus/au-dessous (si disponible). ONLYOFFICE Document Editor insère automatiquement des mots “au-dessus” ou “au-dessous” en fonction de la position de l'élément.
      • +
      • Pour spécifier le séparateur, cochez la case à droite Séparer les numéros avec. Il faut spécifier le séparateur pour les références dans le contexte global.
      • +
      • Dans la zone Pour quel en-tête choisissez l’élément spécifique auquel renvoyer en fonction de la Type référence choisi, par exemple: pour l'option En-tête on va afficher la liste complète des en-têtes dans ce document.
      • +
      + +
    64. Pour créer le renvoi cliquez sur Insérer.
    65. +
    +

    Supprimer des renvois

    +

    Pour supprimer un renvoi, sélectionnez le renvoi que vous souhaitez supprimer et appuyez sur la touche Suppr.

    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDateTime.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDateTime.htm new file mode 100644 index 000000000..39c1383f2 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDateTime.htm @@ -0,0 +1,41 @@ + + + + Insérer la date et l'heure + + + + + + + +
    +
    + +
    +

    Insérer la date et l'heure

    +

    Pour insérer la Date et l'heure dans votre document,

    +
      +
    1. placer le curseur à l'endroit où vous voulez insérer la Date et heure,
    2. +
    3. passez à l'onglet Insérer dans la barre d'outils en haut,
    4. +
    5. cliquez sur l'icône L'icône Date et heure Date et heure dans la barre d'outils en haut,
    6. +
    7. + dans la fenêtre Date et l'heure qui s'affiche, configurez les paramètres, comme suit: +
        +
      • Sélectionnez la langue visée.
      • +
      • Sélectionnez le format parmi ceux proposés.
      • +
      • + Cochez la case Mettre à jour automatiquement en tant que la date et l'heure sont automatiquement mis à jour. +

        + Remarque: Si vous préférez mettre à jour la date et l'heure manuellement, vous pouvez utiliser l'option de Mettre à jour dans le menu contextuel. +

        +
      • +
      • Sélectionnez l'option Définir par défaut pour utiliser ce format par défaut pour cette langue.
      • +
      +
    8. +
    9. Cliquez sur OK.
    10. +
    +

    La fenêtre Date et heure

    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDropCap.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDropCap.htm index a9df42c82..574a9ccd9 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDropCap.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertDropCap.htm @@ -11,54 +11,59 @@
    - +

    Insérer une lettrine

    -

    Une Lettrine est une lettre initiale du paragraphe, elle est plus grande que les autres lettres et occupe une hauteur supérieure à la ligne courante.

    +

    Une Lettrine est une lettre initiale majuscule placée au début d'un paragraphe ou d'une section. La taille d'une lettrine est généralement plusieurs lignes.

    Pour ajouter une lettrine,

    1. placez le curseur à l'intérieur du paragraphe dans lequel vous voulez insérer une lettrine,
    2. -
    3. passez à l'onglet Insérer de la barre d'outils supérieure,
    4. -
    5. cliquez sur l'icône Insérer une lettrine Insérer une lettrine sur la barre d'outils supérieure,
    6. -
    7. sélectionnez l'option nécessaire dans la liste déroulante :
        -
      • Dans le texte Insérer une lettrine - Dans le texte - pour insérer une lettrine dans le paragraphe.
      • -
      • Dans la marge Insérer une lettrine - Dans la marge - pour placer une lettrine dans la marge gauche.
      • +
      • passez à l'onglet Insérer de la barre d'outils supérieure,
      • +
      • cliquez sur l'icône L'icône Lettrine Lettrine sur la barre d'outils supérieure,
      • +
      • sélectionnez l'option nécessaire dans la liste déroulante: +
          +
        • Dans le texte Insérer une lettrine - Dans le texte - pour insérer une lettrine dans le paragraphe.
        • +
        • Dans la marge Insérer une lettrine - Dans la marge - pour placer une lettrine dans la marge gauche.
    -

    Exemple de la lettrineLa lettre initiale du paragraphe sélectionné sera transformée en une lettrine. Si vous avez besoin d'ajouter quelques lettres, vous pouvez le faire manuellement : sélectionnez la lettrine et tapez les lettres nécessaires.

    -

    Pour régler l'apparence de la lettrine (par exemple, taille de police, type, style de décoration ou couleur), sélectionnez la lettre et utilisez les icônes correspondantes sur la barre d'outils supérieure.

    -

    La lettrine sélectionnée est entourée par un cadre (un conteneur utilisé pour positionner la lettrine sur la page). Vous pouvez facilement changer la taille du cadre en faisant glisser ses bordures ou changer sa position en utilisant l'icône Flèche qui apparaît si vous positionnez le curseur sur le cadre.

    -

    Pour supprimer la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône Insérer une lettrine Insérer une lettrine de la barre d'outils supérieure et choisissez l'option Aucune Insérer une lettrine - Aucune dans la liste déroulante.

    +

    Exemple de la lettrineLa lettre initiale du paragraphe sélectionné sera transformée en une lettrine. Si vous avez besoin d'ajouter quelques lettres, vous pouvez le faire manuellement: sélectionnez la lettrine et tapez les lettres nécessaires.

    +

    Pour régler l'apparence de la lettrine (par exemple, taille de police, type, style de décoration ou couleur), sélectionnez la lettre et utilisez les icônes correspondantes sous l'onglet Accueil sur la barre d'outils supérieure.

    +

    La lettrine sélectionnée est entourée par un cadre (un conteneur utilisé pour positionner la lettrine sur la page). Vous pouvez facilement changer la taille du cadre en faisant glisser ses bordures ou changer sa position en utilisant l'icône Flèche qui apparaît si vous positionnez le curseur sur le cadre.

    +

    Pour supprimer la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône L'icône Lettrine Lettrine sous l'onglet Insérer sur la barre d'outils supérieure et choisissez l'option Aucune Insérer une lettrine - Aucune dans la liste déroulante.


    -

    Pour modifier les paramètres de la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône de la barre d'outils supérieure Insérer une lettrine Insérer une lettrine et choisissez l'option Paramètres de la lettrine dans la liste déroulante. La fenêtre Lettrine - Paramètres avancés s'ouvre :

    +

    Pour modifier les paramètres de la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône L'icône Lettrine Lettrine sous l'onglet Insérer sur la barre d'outils supérieure et choisissez l'option Paramètres de la lettrine dans la liste déroulante. La fenêtre Lettrine - Paramètres avancés s'ouvre:

    Lettrine - Paramètres avancés

    -

    L'onglet Lettrine vous permet de régler les paramètres suivants :

    +

    L'onglet Lettrine vous permet de régler les paramètres suivants:

      -
    • Position sert à changer l'emplacement de la lettrine. Sélectionnez l'option Dans le texte ou Dans la marge, ou cliquez sur Aucune pour supprimer la lettrine.
    • -
    • Police sert à sélectionner la police dans la liste des polices disponibles.
    • -
    • Hauteur des lignes sert à spécifier le nombre des lignes occupées par la lettrine. Il est possible de sélectionner de 1 à 10 lignes.
    • -
    • Distance du texte sert à spécifier l'espace entre le texte du paragraphe et la bordure droite du cadre qui entoure la lettrine.
    • +
    • Position sert à changer l'emplacement de la lettrine. Sélectionnez l'option Dans le texte ou Dans la marge, ou cliquez sur Aucune pour supprimer la lettrine.
    • +
    • Police sert à sélectionner la police dans la liste des polices disponibles.
    • +
    • Hauteur des lignes sert à spécifier le nombre des lignes occupées par la lettrine. Il est possible de sélectionner de 1 à 10 lignes.
    • +
    • Distance du texte sert à spécifier l'espace entre le texte du paragraphe et la bordure droite du cadre qui entoure la lettrine.

    Lettrine - Paramètres avancés

    -

    L'onglet Bordures et remplissage vous permet d'ajouter une bordure autour de la lettrine et de régler ses paramètres. Ils sont les suivants :

    +

    L'onglet Bordures et remplissage vous permet d'ajouter une bordure autour de la lettrine et de régler ses paramètres. Ils sont les suivants:

      -
    • Paramètres de la Bordure (taille, couleur, sa présence ou absence) - définissez la taille des bordures, sélectionnez leur couleur et choisissez les bordures auxquelles (en haut, en bas, à gauche, à droite ou quelques unes à la fois) vous voulez appliquer ces paramètres.
    • -
    • Couleur d'arrère-plan - choisissez la couleur pour l'arrère-plan de la lettrine.
    • +
    • Paramètres de la Bordure (taille, couleur, sa présence ou absence) - définissez la taille des bordures, sélectionnez leur couleur et choisissez les bordures auxquelles (en haut, en bas, à gauche, à droite ou quelques unes à la fois) vous voulez appliquer ces paramètres.
    • +
    • Couleur d'arrière-plan - choisissez la couleur pour l'arrère-plan de la lettrine.

    Lettrine - Paramètres avancés

    -

    L'onglet Marges vous permet de définir la distance entre la lettrine et les bordures En haut, En bas, A gauche et A droite autour d'elle (si les bordures ont été préalablement ajoutées).

    +

    L'onglet Marges vous permet de définir la distance entre la lettrine et les bordures En haut, En bas, A gauche et A droite autour d'elle (si les bordures ont été préalablement ajoutées).


    -

    Après avoir ajouté la lettrine vous pouvez également changer les paramètres du Cadre. Pour y accéder, cliquez droit à l'intérieur du cadre et sélectionnez l'option Paramètres avancées du cadre du menu contextuel. La fenêtre Cadre - Paramètres avancés s'ouvre :

    +

    Après avoir ajouté la lettrine vous pouvez également changer les paramètres du Cadre. Pour y accéder, cliquez droit à l'intérieur du cadre et sélectionnez l'option Paramètres avancées du cadre du menu contextuel. La fenêtre Cadre - Paramètres avancés s'ouvre:

    Cadre - Paramètres avancés

    -

    L'onglet Cadre vous permet de régler les paramètres suivants :

    +

    L'onglet Cadre vous permet de régler les paramètres suivants:

      -
    • Position sert à sélectionner une des styles d'habillage Aligné ou Flottant. Ou vous pouvez cliquer sur Aucune pour supprimer le cadre.
    • -
    • Largeur et Hauteur servent à changer la taille du cadre. L'option Auto vous permet de régler la taille du cadre automatiquement en l'ajustant à la lettrine à l'intérieur. L'option Exactement vous permet de spécifier les valeurs fixes. L'option Au moins est utilisée pour définir la hauteur minimale (si vous changez la taille du cadre, la hauteur du cadre change en conséquence, mais elle ne peut pas être inférieure à la valeur spécifiée).
    • -
    • Horizontal sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou la colonne, ou à aligner le cadre (à gauche, au centre ou à droite) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte horizontale c'est-à-dire l'espace entre les bordures verticales du cadre et le texte du paragraphe.
    • -
    • Vertical sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou le paragraphe, ou à aligner le cadre (en haut, au centre ou en bas) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte verticale c'est-à-dire l'espace entre les bordures horizontales et le texte du paragraphe.
    • -
    • Déplacer avec le texte contrôle si la litterine se déplace comme le paragraphe auquel elle est liée.
    • -

    Les onglets Bordures et remplissage et Marges permettent de définir les mêmes paramètres que dans les onglets de la fenêtre Lettrine - Paramètres avancés.

    +
  • Position sert à sélectionner une des styles d'habillage Aligné ou Flottant. Ou vous pouvez cliquer sur Aucune pour supprimer le cadre.
  • +
  • Largeur et Hauteur servent à changer la taille du cadre. L'option Auto vous permet de régler la taille du cadre automatiquement en l'ajustant à la lettrine à l'intérieur. L'option Exactement vous permet de spécifier les valeurs fixes. L'option Au moins est utilisée pour définir la hauteur minimale (si vous changez la taille du cadre, la hauteur du cadre change en conséquence, mais elle ne peut pas être inférieure à la valeur spécifiée).
  • +
  • Horizontal sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou la colonne, ou à aligner le cadre (à gauche, au centre ou à droite) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte horizontale c'est-à-dire l'espace entre les bordures verticales du cadre et le texte du paragraphe.
  • +
  • Vertical sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou le paragraphe, ou à aligner le cadre (en haut, au centre ou en bas) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte verticale c'est-à-dire l'espace entre les bordures horizontales et le texte du paragraphe.
  • +
  • Déplacer avec le texte contrôle si la lettrine se déplace comme le paragraphe auquel elle est liée.
  • + + +

    Les onglets Bordures et remplissage et Marges permettent de définir les mêmes paramètres que dans les onglets de la fenêtre Lettrine - Paramètres avancés.

    + +
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEndnotes.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEndnotes.htm new file mode 100644 index 000000000..c248f9561 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEndnotes.htm @@ -0,0 +1,91 @@ + + + + Insérer des notes de fin + + + + + + + +
    +
    + +
    +

    Insérer des notes de fin

    +

    Utilisez les notes de fin pour donner des explications ou ajouter des commentaires à un terme ou une proposition et citer une source à la fin du document.

    +

    Insertion de notes de fin

    +

    Pour insérer la note de fin dans votre document,

    +
      +
    1. placez un point d'insertion à la fin du texte ou du mot concerné,
    2. +
    3. passez à l'onglet Références dans la barre d'outils en haut,
    4. +
    5. + cliquez sur l'icône L'icône Note de bas de page Note de bas de page dans la barre d'outils en haut et sélectionnez dans la liste Insérer une note de fin.
      +

      Le symbole de la note de fin est alors ajouté dans le corps de texte (symbole en exposant qui indique la note de fin), et le point d'insertion se déplace à la fin de document.

      +
    6. +
    7. Vous pouvez saisir votre texte.
    8. +
    +

    Il faut suivre la même procédure pour insérer une note de fin suivante sur un autre fragment du texte. La numérotation des notes de fin est appliquée automatiquement. i, ii, iii, etc. par défaut.

    +

    Notes de fin

    +

    Affichage des notes de fin dans le document

    +

    Faites glisser le curseur au symbole de la note de fin dans le texte du document, la note de fin s'affiche dans une petite fenêtre contextuelle.

    +

    Texte d'une note de fin

    +

    Parcourir les notes de fin

    +

    Vous pouvez facilement passer d'une note de fin à une autre dans votre document,

    +
      +
    1. cliquez sur la flèche à côté de l'icône L'icône Note de bas de page Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
    2. +
    3. dans la section Passer aux notes de fin utilisez la flèche gauche L'icône Note de fin précédente pour se déplacer à la note de fin suivante ou la flèche droite L'icône Note de fin suivante pour se déplacer à la note de fin précédente.
    4. +
    +

    Modification des notes de fin

    +

    Pour particulariser les notes de fin,

    +
      +
    1. cliquez sur la flèche à côté de l'icône L'icône Note de bas de page Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
    2. +
    3. appuyez sur Paramètres des notes dans le menu,
    4. +
    5. + modifiez les paramètres dans la boîte de dialogue Paramètres des notes qui va apparaître: +

      Le fenêtre Paramètres des notes de fin

      +
        +
      • + Spécifiez l'Emplacement des notes de fin et sélectionnez l'une des options dans la liste déroulante à droite: +
          +
        • Fin de section - les notes de fin son placées à la fin de la section.
        • +
        • Fin de document - les notes de fin son placées à la fin du document.
        • +
        +
      • +
      • + Modifiez le Format des notes de fin: +
          +
        • Format de nombre - sélectionnez le format de nombre disponible dans la liste: 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,....
        • +
        • Début - utilisez les flèches pour spécifier le nombre ou la lettre à utiliser pour la première note de fin.
        • +
        • + Numérotation - sélectionnez les options de numérotation: +
            +
          • Continue - numérotation de manière séquentielle dans le document,
          • +
          • À chaque section - numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque section du document,
          • +
          • À chaque page - numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque page du document.
          • +
          +
        • +
        • Marque particularisée - séquence de symboles ou mots spéciaux à utiliser comme symbole de note de fin (Exemple: * ou Note1). Tapez le symbole/mot dans le champ et cliquez sur Insérer en bas de la boîte dialogue Paramètres des notes.
        • +
        +
      • +
      • + Dans la liste déroulante Appliquer les modifications à sélectionnez si vous voulez appliquer les modifications À tout le document ou seulement À cette section. +

        Remarque: pour définir un format différent pour les notes de fin sur différentes sections du document, il faut tout d'abord utiliser les sauts de sections .

        +
      • +
      +
    6. +
    7. Une fois que vous avez terminé, cliquez sur Appliquer.
    8. +
    + +

    Supprimer le notes de fin

    +

    Pour supprimer une note de fin, placez un point d'insertion devant le symbole de note de fin dans le texte et cliquez sur la touche Suppr. Toutes les autres notes de fin sont renumérotées.

    +

    Pour supprimer toutes les notes de fin du document,

    +
      +
    1. cliquez sur la flèche à côté de l'icône L'icône Note de bas de page Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
    2. +
    3. sélectionnez Supprimer les notes dans le menu.
    4. +
    5. dans la boîte de dialogue sélectionnez Supprimer toutes les notes de fin et cliquez sur OK.
    6. +
    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm index c23e4aa2d..436dde77a 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertEquation.htm @@ -3,7 +3,7 @@ Insérer des équations - + @@ -11,75 +11,91 @@
    - +
    -

    Insérer des équations

    -

    Document Editor vous permet de créer des équations à l'aide des modèles intégrés, de les modifier, d'insérer des caractères spéciaux (à savoir des opérateurs mathématiques, des lettres grecques, des accents, etc.).

    +

    Insertion des équations

    +

    Document Editor vous permet de créer des équations à l'aide des modèles intégrés, de les modifier, d'insérer des caractères spéciaux (à savoir des opérateurs mathématiques, des lettres grecques, des accents, etc.).

    Ajouter une nouvelle équation

    Pour insérer une équation depuis la galerie,

    1. placez le curseur à l'intérieur de la ligne choisie,
    2. -
    3. passez à l'onglet Insérer de la barre d'outils supérieure,
    4. -
    5. cliquez sur la flèche vers le bas à côté de l'icône icône Équation Équation sur la barre d'outils supérieure,
    6. -
    7. sélectionnez la catégorie d'équation souhaitée 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,
    8. +
    9. passez à l'onglet Insérer de la barre d'outils supérieure,
    10. +
    11. cliquez sur la flèche vers le bas à côté de l'icône L'icône Équation Équation sur la barre d'outils supérieure,
    12. +
    13. sélectionnez la catégorie d'équation souhaitée 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,
    14. cliquez sur le symbole/l'équation voulu(e) dans l'ensemble de modèles correspondant.
    -

    La boîte de symbole/équation sélectionnée sera insérée à la position du curseur. Si la ligne sélectionnée est vide, l'équation sera centrée. Pour aligner une telle équation à gauche ou à droite, cliquez sur la boîte d'équation et utilisez l'icône icône Aligner à gauche ou icône Aligner à droite dans l'onglet Accueil de la barre d'outils supérieure.

    Équation Insérée

    Chaque modèle d'équation comporte un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé un espace réservé) a un contour en pointillé Espace Réservé. Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires.

    -

    Remarque : pour commencer à créer une équation, vous pouvez également utiliser le raccourci clavier Alt + =.

    +

    La boîte de symbole/équation sélectionnée sera insérée à la position du curseur. Si la ligne sélectionnée est vide, l'équation sera centrée. Pour aligner une telle équation à gauche ou à droite, cliquez sur la boîte d'équation et utilisez l'icône L'icône Aligner à gauche ou l'icône L'icône Aligner à droite sous l'onglet Accueil dans la barre d'outils supérieure.

    + Équation Insérée +

    Chaque modèle d'équation comporte un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé un espace réservé) a un contour en pointillé Espace Réservé. Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires.

    +

    Remarque: pour commencer à créer une équation, vous pouvez également utiliser le raccourci clavier Alt + =.

    +

    On peut aussi ajouter une légende à l'équation. Veuillez consulter cet article pour en savoir plus sur utilisation des légendes.

    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/la droite ou d'une ligne vers le haut/bas.

    -

    Si vous devez créer un espace réservé sous l'emplacement avec le point d'insertion dans le modèle sélectionné, appuyez sur Entrée.

    Équation éditée

    Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé :

      +

      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/la droite ou d'une ligne vers le haut/bas.

      +

      Si vous devez créer un espace réservé sous l'emplacement avec le point d'insertion dans le modèle sélectionné, appuyez sur Entrée.

      + Équation éditée +

      Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé: +

      • entrez 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 icône Équation Équation de l'onglet Insertion de la barre d'outils supérieure,
      • +
      • insérer un caractère spécial à l'aide de la palette Symboles dans le menu L'icône Équation Équation sous l'onglet Insérer 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.

      Équation éditée

      -

      Pour ajouter de nouveaux éléments d'équation, vous pouvez également utiliser les options du menu contextuel :

      +

      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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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.
      • +
      • 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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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. Une fois le saut de ligne manuel ajouté, vous pouvez appuyer sur la touche Tab pour aligner la nouvelle ligne avec n'importe quel opérateur mathématique de la ligne précédente. 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.

      +

      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. Une fois le saut de ligne manuel ajouté, vous pouvez appuyer sur la touche Tab pour aligner la nouvelle ligne avec n'importe quel opérateur mathématique de la ligne précédente. 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

      -

      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 Incrémenter la taille de la police et Décrémenter la taille de la police 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.

      Équation éditée

      Pour modifier certains é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. 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 réservé de limite 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 le radical et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu.
      • +

        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 Incrémenter la taille de la police et Décrémenter la taille de la police sous 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.

        + Équation éditée +

        Pour modifier certains é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électionner 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 réservé de limite 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 le radical et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu.
        -

        Pour aligner certains éléments d'équation, vous pouvez utiliser les options du menu contextuel :

        +

        Pour aligner certains é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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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 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.
        • +
        • Pour aligner des équations dans les Cas avec plusieurs conditions du groupe Crochets (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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 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.

        +

        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, sélectionnez-la complètement en faisant glisser la souris ou en double-cliquant sur la boîte d'équation et en appuyant sur la touche Suppr du clavier.

        Supprimer l'équation

        Pour supprimer certains éléments d'équation, vous pouvez également utiliser les options du menu contextuel :

        +

        Pour supprimer toute l'équation, sélectionnez-la complètement en faisant glisser la souris ou en double-cliquant sur la boîte d'équation et en appuyant sur la touche Suppr du clavier.

        + Supprimer l'équation +

        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 et séparateurs englobants 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. Cette option est également disponible pour les équations d'autres types si vous avez déjà ajouté de nouveaux espaces réservés en appuyant sur Entrée.
        • -
        • 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.
        • +
        • 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 et séparateurs englobants 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. Cette option est également disponible pour les équations d'autres types si vous avez déjà ajouté de nouveaux espaces réservés en appuyant sur Entrée.
        • +
        • 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:

        +

        Conversion des équations

        +

        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.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertFootnotes.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertFootnotes.htm index 28a899537..849525259 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertFootnotes.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertFootnotes.htm @@ -1,75 +1,92 @@  - - Insérer les notes de bas de page - - - - - - - -
    + + Insérer des notes de bas de page + + + + + + + +
    - +
    -

    Insérer les notes de bas de page

    -

    Vous pouvez ajouter des notes de bas de page pour fournir des explications ou des commentaires sur certaines phrases ou termes utilisés dans votre texte, faire des références aux sources, etc.

    -

    Pour insérer une note de bas de page dans votre document,

    -
      -
    1. positionnez le point d'insertion à la fin du passage de texte auquel vous souhaitez ajouter une note de bas de page,
    2. -
    3. passez à l'onglet Références de la barre d'outils supérieure,
    4. -
    5. cliquez sur l'icône Icône note de bas de page Note de bas de page dans la barre d'outils supérieure ou
      cliquez sur la flèche en regard de l'icône et sélectionnez l'option dans le menu,

      La marque de note de bas de page (c'est-à-dire le caractère en exposant qui indique une note de bas de page) apparaît dans le texte du document et le point d'insertion se déplace vers le bas de la page actuelle.

      -
    6. -
    7. tapez le texte de la note de bas de page.
    8. -
    -

    Répétez les opérations mentionnées ci-dessus pour ajouter les notes de bas de page suivantes à d'autres passages de texte dans le document. Les notes de bas de page sont numérotées automatiquement.

    -

    Notes de bas de page

    -

    Si vous placez le pointeur de la souris sur la marque de la note de bas de page dans le texte du document, une petite fenêtre contextuelle avec le texte de la note apparaît.

    -

    Texte de la note

    -

    Pour naviguer facilement entre les notes de bas de page ajoutées dans le texte du document,

    -
      -
    1. cliquez sur la flèche à côté de l'icône Icône Note de bas de page Note de bas de page dans l'onglet Références de la barre d'outils supérieure,
    2. -
    3. dans la section Aller aux notes de bas de page, utilisez la flèche icône note de bas de page suivante pour accéder à la note de bas de page précédente ou la flèche icône note de bas de page précédente pour accéder à la note de bas de page suivante.
    4. -
    -
    -

    Pour modifier les paramètres des notes de bas de page,

    -
      -
    1. cliquez sur la flèche à côté de l'icône Icône Note de bas de page Note de bas de page dans l'onglet Références de la barre d'outils supérieure,
    2. -
    3. sélectionnez l'option Paramètres des notes du menu contextuel,
    4. -
    5. changez les paramètres actuels dans la fenêtre Paramètres de Notes qui s'ouvre :

      Fenêtre Paramètres d'impression

      -
        -
      • Définissez l'Emplacement des notes de bas de page sur la page en sélectionnant l'une des options disponibles :
          -
        • Bas de la page - pour positionner les notes de bas de page au bas de la page (cette option est sélectionnée par défaut).
        • -
        • Sous le texte - pour positionner les notes de bas de page plus près du texte. Cette option peut être utile dans les cas où la page contient un court texte.
        • -
        -
      • -
      • Ajuster le Format des notes de bas de page :
          -
        • Format de numérotation - sélectionnez le format de numérotation voulu parmi ceux disponibles : 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,....
        • -
        • Commencer par - utilisez les flèches pour définir le numéro ou la lettre par laquelle vous voulez commencer à numéroter.
        • -
        • Numérotation - sélectionnez un moyen de numéroter vos notes de bas de page :
            -
          • Continu - pour numéroter les notes de bas de page de manière séquentielle dans tout le document,
          • -
          • Redémarrer à chaque section - pour commencer la numérotation des notes de bas de page avec le numéro 1 (ou un autre caractère spécifié) au début de chaque section,
          • -
          • Redémarrer à chaque page - pour commencer la numérotation des notes de bas de page avec le numéro 1 (ou un autre caractère spécifié) au début de chaque page.
          • +

            Insérer des notes de bas de page

            +

            Utilisez les notes de bas de page pour donner des explications ou ajouter des commentaires à un terme ou une proposition et citer une source.

            +

            Insérer des notes de bas de page

            +

            Pour insérer une note de bas de page dans votre document,

            +
              +
            1. placez un point d'insertion à la fin du texte ou du mot concerné,
            2. +
            3. passez à l'onglet Références dans la barre d'outils en haut,
            4. +
            5. + cliquez sur l'icône les L'icône Note de bas de page Notes de bas de page dans la barre d'outils en haut ou
              appuyez sur la flèche à côté de l'icône L'icône Note de bas de page Notes de bas de page et sélectionnez l'option Insérer une note de bas de page du menu, +

              Le symbole de la note de bas de page est alors ajouté dans le corps de texte (symbole en exposant qui indique la note de bas de page), et le point d'insertion se déplace à la fin de document.

              +
            6. +
            7. Vous pouvez saisir votre texte.
            8. +
            +

            Il faut suivre la même procédure pour insérer une note de bas de page suivante sur un autre fragment du texte. La numérotation des notes de fin est appliquée automatiquement.

            +

            Notes de bas de page

            +

            Affichage des notes de fin dans le document

            +

            Faites glisser le curseur au symbole de la note de bas de page dans le texte du document, la note de bas de page s'affiche dans une petite fenêtre contextuelle.

            +

            Le texte de la note de bas de page

            +

            Parcourir les notes de bas de page

            +

            Vous pouvez facilement passer d'une note de bas de page à une autre dans votre document,

            +
              +
            1. cliquez sur la flèche à côté de l'icône L'icône Note de bas de page Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
            2. +
            3. dans la section Accéder aux notes de bas de page utilisez la flèche gauche L'icône Note de bas de page précédente pour se déplacer à la note de bas de page suivante ou la flèche droite L'icône Note de bas de page suivante pour se déplacer à la note de bas de page précédente.
            4. +
            +

            Modification des notes de bas de page

            +

            Pour particulariser les notes de bas de page,

            +
              +
            1. cliquez sur la flèche à côté de l'icône L'icône Note de bas de page Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
            2. +
            3. appuyez sur Paramètres des notes dans le menu,
            4. +
            5. + modifiez les paramètres dans la boîte de dialogue Paramètres des notes qui va apparaître: +

              Le fenêtre Paramètres des notes de bas de page

              +
                +
              • Cochez la casse Note de bas de page pour modifier seulement les notes de bas de page.
              • +
              • + Spécifiez l'Emplacement des notes de bas de page et sélectionnez l'une des options dans la liste déroulante à droite: +
                  +
                • Bas de page - les notes de bas de page sont placées au bas de la page (cette option est activée par défaut).
                • +
                • Sous le texte - les notes de bas de page sont placées près du texte. Cette fonction est utile si le texte sur une page est court.
                -
              • -
              • Marque personnalisée - définissez un caractère spécial ou un mot que vous souhaitez utiliser comme marque de note de bas de page (par exemple, * ou Note1). Entrez le caractère/mot choisie dans le champ de saisie de texte et cliquez sur le bouton Insérer en bas de la fenêtre Paramètres de Notes.
              • -
              -
            6. -
            7. Utilisez la liste déroulante Appliquer les modifications à pour sélectionner si vous souhaitez appliquer les paramètres de notes spécifiés au Document entier ou à la Section en cours uniquement.

              Remarque : pour utiliser différentes mises en forme de notes de bas de page dans des parties distinctes du document, vous devez d'abord ajouter des sauts de section.

              -
            8. -
          -
        • -
        • Lorsque vous êtes prêt, cliquez sur le bouton Appliquer.
        • -
    - -
    -

    Pour supprimer une seule note de bas de page, positionnez le point d'insertion directement avant le repère de note de bas de page dans le texte du document et appuyez sur Suppr. Les autres notes de bas de page seront automatiquement renumérotées.

    -

    Pour supprimer toutes les notes de bas de page du document,

    -
      -
    1. cliquez sur la flèche à côté de l'icône Icône Note de bas de page Note de bas de page dans l'onglet Références de la barre d'outils supérieure,
    2. -
    3. sélectionnez l'option Supprimer toutes les notes du menu contextuel,
    4. -
    -
    - + +
  • + Modifiez le Format des notes de bas de page: +
      +
    • Format de nombre- sélectionnez le format de nombre disponible dans la liste: 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,....
    • +
    • Début- utilisez les flèches pour spécifier le nombre ou la lettre à utiliser pour la première note de fin.
    • +
    • + Numérotation- sélectionnez les options de numérotation des notes de bas de page: +
        +
      • Continue- numérotation de manière séquentielle dans le document,
      • +
      • À chaque section- numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque section du document,
      • +
      • À chaque page- numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque page du document.
      • +
      +
    • +
    • Marque personalisée - séquence de symboles ou mots spéciaux à utiliser comme symbole de note de bas de page (Exemple: * ou Note1). Tapez le symbole/mot dans le champ et cliquez sur Insérer en bas de la boîte dialogue Paramètres des notes.
    • +
    +
  • +
  • + Dans la liste déroulante Appliquer les modifications à sélectionnez si vous voulez appliquer les modifications À tout le document ou seulement À cette section. +

    Remarque: pour définir un format différent pour les notes de fin sur différentes sections du document, il faut tout d'abord utiliser les sauts de sections .

    +
  • + + +
  • Une fois que vous avez terminé, cliquez sur Appliquer.
  • + + +

    Supprimer les notes de bas de page

    +

    Pour supprimer une note de bas de page, placez un point d'insertion devant le symbole de note de bas de page dans le texte et cliquez sur la touche Supprimer. Toutes les autres notes de bas de page sont renumérotées.

    +

    Pour supprimer toutes les notes de bas de page du document,

    +
      +
    1. cliquez sur la flèche à côté de l'icône L'icône Note de bas de page Note de bas de page dans l'onglet Références dans la barre d'outils en haut,
    2. +
    3. sélectionnez Supprimer les notes dans le menu.
    4. +
    5. dans la boîte de dialogue sélectionnez Supprimer les notes de bas de page et cliquez sur OK.
    6. +
    +
    + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertHeadersFooters.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertHeadersFooters.htm index d65a1c65f..65a92bc20 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertHeadersFooters.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertHeadersFooters.htm @@ -3,7 +3,7 @@ Insérer les en-têtes et pieds de page - + @@ -11,31 +11,33 @@
    - +
    -

    Insérer les en-têtes et pieds de page

    -

    Pour ajouter un en-tête ou un pied de page à votre document ou modifier ceux qui déjà existent ,

    +

    Insérer les en-têtes et les pieds de page

    +

    Pour ajouter un en-tête ou un pied de page à votre document ou modifier ceux qui déjà existent,

      -
    1. passez à l'onglet Insérer de la barre d'outils supérieure,
    2. -
    3. cliquez sur l'icône icône Modifier l'en-tête ou le pied de page Modifier l'en-tête ou le pied de page sur la barre d'outils supérieure,
    4. -
    5. sélectionnez l'une des options suivantes :
        -
      • Modifier l'en-tête pour insérer ou modifier le texte d'en-tête.
      • -
      • Modifier le pied de page pour insérer ou modifier le texte de pied de page.
      • +
      • passez à l'onglet Insérer de la barre d'outils supérieure,
      • +
      • cliquez sur l'icône L'icône En-tête/Pied de page En-tête/Pied de page sur la barre d'outils supérieure,
      • +
      • sélectionnez l'une des options suivantes: +
          +
        • Modifier l'en-tête pour insérer ou modifier le texte d'en-tête.
        • +
        • Modifier le pied de page pour insérer ou modifier le texte de pied de page.
      • -
      • modifiez les paramètres actuels pour les en-têtes ou pieds de page sur la barre latérale droite

        Barre latérale droite - Paramètres de l'en-tête ou du pied de page

        -
          -
        • Définissez la Position du texte par rapport à la partie supérieure (en-têtes) ou inférieure (pour pieds) de la page.
        • -
        • Cochez la case Première page différente pour appliquer un en-tête ou un pied de page différent pour la première page ou si vous ne voulez pas ajouter un en-tête / un pied de page.
        • -
        • Utilisez la case Pages paires et impaires différentes pour ajouter de différents en-têtes ou pieds de page pour les pages paires et impaires.
        • -
        • L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, alors que les mêmes en-têtes/pieds de page sont appliqués à toutes les sections. Si vous sélectionnez une zone d’en-tête ou de pied de page, vous verrez que сette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lien vers Préсédent pour utiliser de différents en-têtes et pieds de page pour chaque section du document. L'étiquette Identique au précédent sera indisponible.
        • -
        -

        Same as previous label

        +
      • modifiez les paramètres actuels pour les en-têtes ou les pieds de page sur la barre latérale droite: +

        Barre latérale droite - Paramètres de l'en-tête ou du pied de page

        +
          +
        • Définissez la Position du texte par rapport à la partie supérieure pour les en-têtes ou à la partie inférieure pour pieds de la page.
        • +
        • Cochez la case Première page différente pour appliquer un en-tête ou un pied de page différent pour la première page ou si vous ne voulez pas ajouter un en-tête / un pied de page.
        • +
        • Utilisez la case Pages paires et impaires différentes pour ajouter de différents en-têtes ou pieds de page pour les pages paires et impaires.
        • +
        • L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, alors que les mêmes en-têtes/pieds de page sont appliqués à toutes les sections. Si vous sélectionnez une zone d'en-tête ou de pied de page, vous verrez que cette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lien vers précédent pour utiliser de différents en-têtes et pieds de page pour chaque section du document. L'étiquette Identique au précédent ne sera plus affichée.
        • +
        +

        L'étiquette Identique au précédent

    -

    Pour saisir un texte ou modifier le texte déjà saisi et régler les paramètres de l'en-tête ou le pied de page, vous pouvez également double-cliquer sur la partie supérieure ou inférieure de la page ou cliquer avec le bouton droit de la souris et sélectionner l'option - Modifier l'en-tête ou Modifier le pied de page du menu contextuel.

    +

    Pour saisir un texte ou modifier le texte déjà saisi et régler les paramètres de l'en-tête ou du pied de page, vous pouvez également double-cliquer sur la partie supérieure ou inférieure de la page ou cliquer avec le bouton droit de la souris et sélectionner l'option - Modifier l'en-tête ou Modifier le pied de page du menu contextuel.

    Pour passer au corps du document, double-cliquez sur la zone de travail. Le texte que vous utilisez dans l'en-tête ou dans le pied de page sera affiché en gris.

    -

    Remarque : consultez la section Insérer les numéros de page pour apprendre à ajouter des numéros de page à votre document.

    +

    Remarque: consultez la section Insérer les numéros de page pour apprendre à ajouter des numéros de page à votre document.

    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm index 6ae8c01bb..98f401e10 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertImages.htm @@ -3,7 +3,7 @@ Insérer des images - + @@ -11,121 +11,135 @@
    - +

    Insérer des images

    -

    Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG.

    +

    Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants: BMP, GIF, JPEG, JPG, PNG.

    Insérer une image

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

    1. placez le curseur là où vous voulez insérer l'image,
    2. -
    3. passez à l'onglet Insertion de la barre d'outils supérieure,
    4. -
    5. cliquez sur l'icône icône Image Imagede la barre d'outils supérieure,
    6. -
    7. sélectionnez l'une des options suivantes pour charger l'image :
        -
      • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir
      • -
      • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK
      • -
      • 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
      • +
      • passez à l'onglet Insérer de la barre d'outils supérieure,
      • +
      • cliquez sur l'icône L'icône Image Image de la barre d'outils supérieure,
      • +
      • sélectionnez l'une des options suivantes pour charger l'image: +
          +
        • l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir
        • +
        • l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK
        • +
        • l'option Image de 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 avoir ajouté l'image, vous pouvez modifier sa taille, ses propriétés et sa position.
      • +
      • après avoir ajouté l'image, vous pouvez modifier sa taille, ses paramètres et sa position.
    +

    On peut aussi ajouter une légende à l'image. Veuillez consulter cet article pour en savoir plus sur utilisation des légendes.

    Déplacer et redimensionner des images

    -

    Image en mouvement Pour changer la taille de l'image, faites glisser les petits carreaux Icône Carreaux situés sur ses bords. Pour garder les proportions de l'image sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin.

    -

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

    -

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

    -

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

    -

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

    +

    Déplacement de l'imagePour changer la taille de l'image, faites glisser les petits carreaux L'icône Carreaux situés sur ses bords. Pour garder les proportions de l'image sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin.

    +

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

    +

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

    +

    Pour faire pivoter une image, déplacer le curseur vers la poignée de rotation Poignée de rotation et faites la glisser dans le sens horaire ou antihoraire. Pour faire pivoter par incréments de 15 degrés, maintenez enfoncée la touche Maj tout en faisant pivoter.

    +

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


    Ajuster les paramètres de l'image

    -

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

    +

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

      -
    • Taille est utilisée pour afficher la Largeur et la Hauteur de l'image actuelle. Si nécessaire, vous pouvez restaurer la taille d'image par défaut en cliquant sur le bouton Taille par défaut. Le bouton Ajuster à la marge permet de redimensionner l'image, de sorte qu'elle occupe tout l'espace entre les marges gauche et droite de la page.

      Le bouton Rogner permet de 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 Flèche 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 Remplir et 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 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.
      • -
      +
    • Taille est utilisée pour afficher la Largeur et la Hauteur de l'image actuel. Si nécessaire, vous pouvez restaurer la taille d'origine de l'image en cliquant sur le bouton Taille actuelle. Le bouton Ajuster aux marges permet de redimensionner l'image et de l'ajuster dans les marges gauche et droite. +

      Le bouton Rogner sert à recadrer l'image. Cliquez sur le bouton Rogner pour activer les poignées de recadrage qui appairaient par chaque coin et sur les côtés. Faites glisser manuellement les pognées pour définir la zone de recadrage. Vous pouvez positionner le curseur sur la bordure de la zone de recadrage lorsque il se transforme en Flèche et faites la glisser.

      +
        +
      • 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 Remplissage et 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 Remplissage, 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.
      • +
    • -
    • Rotation permet de faire pivoter l’image 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 :
        -
      • icône Pivoter dans le sens inverse des aiguilles d'une montre pour faire pivoter l’image de 90 degrés dans le sens inverse des aiguilles d'une montre
      • -
      • icône Pivoter dans le sens des aiguilles d'une montre pour faire pivoter l’image de 90 degrés dans le sens des aiguilles d'une montre
      • -
      • icône Retourner horizontalement pour retourner l’image horizontalement (de gauche à droite)
      • -
      • icône Retourner verticalement pour retourner l’image verticalement (à l'envers)
      • +
      • Rotation permet de faire pivoter l'image 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: +
          +
        • Icône Pivoter dans le sens inverse des aiguilles d'une montre pour faire pivoter l'image de 90 degrés dans le sens inverse des aiguilles d'une montre
        • +
        • Icône Pivoter dans le sens des aiguilles d'une montre pour faire pivoter l'image de 90 degrés dans le sens des aiguilles d'une montre
        • +
        • Icône Retourner horizontalement pour retourner l'image horizontalement (de gauche à droite)
        • +
        • Icône Retourner verticalement pour retourner l'image verticalement (à l'envers)
      • -
      • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous).
      • -
      • Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL.
      • +
      • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous).
      • +
      • Remplacer l'image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL.
      -

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

      +

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

        -
      • Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur.
      • -
      • Organiser sert à placer l'image sélectionnée au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper des images pour effectuer des opérations avec plusieurs images à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page.
      • -
      • Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page.
      • -
      • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier les limites du renvoi à la ligne
      • -
      • Faire pivoter permet de faire pivoter l’image 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.
      • -
      • Rogner est utilisé pour appliquer l'une des options de rognage : Rogner, Remplir ou Ajuster. Sélectionnez l'option Rogner dans le sous-menu, puis faites glisser les poignées de recadrage pour définir la zone de rognage, puis cliquez à nouveau sur l'une de ces trois options dans le sous-menu pour appliquer les modifications.
      • -
      • Taille par défaut sert à changer la taille actuelle de l'image ou rétablir la taille par défaut.
      • -
      • Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL.
      • -
      • Paramètres avancés sert à ouvrir la fenêtre 'Image - Paramètres avancés'.
      • +
      • Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précédemment coupé / copié ou un objet à la position actuelle du curseur.
      • +
      • Organiser sert à placer l'image sélectionnée au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper des images pour effectuer des opérations avec plusieurs images à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page.
      • +
      • Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page.
      • +
      • Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier les limites du renvoi à la ligne
      • +
      • Faire pivoter permet de faire pivoter l'image 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.
      • +
      • Rogner est utilisé pour appliquer l'une des options de rognage: Rogner, Remplir ou Ajuster. Sélectionnez l'option Rogner dans le sous-menu, puis faites glisser les poignées de recadrage pour définir la zone de rognage, puis cliquez à nouveau sur l'une de ces trois options dans le sous-menu pour appliquer les modifications.
      • +
      • Taille actuelle sert à changer la taille actuelle de l'image et rétablir la taille d'origine.
      • +
      • Remplacer l'image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL.
      • +
      • Paramètres avancés de l'image sert à ouvrir la fenêtre "Image - Paramètres avancés".
      -

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

      +

      L'onglet Paramètres de la forme Lorsque l'image est sélectionnée, l'icône Paramètres de la forme 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 Trait a taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence.

      +

      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.


      -

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

      -

      Image - Paramètres avancés : Taille

      -

      L'onglet Taille comporte les paramètres suivants :

      +

      Ajuster les paramètres 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:

      +

      La fenêtre Image - Paramètres avancés Taille

      +

      L'onglet Taille comporte les paramètres suivants:

        -
      • Largeur et Hauteur - utilisez ces options pour modifier langeur / hauteur de l'image. Si le bouton Proportions constantes Icône Proportions constantes est cliqué(auquel cas il ressemble à ceci Icône Proportions constantes activée), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut.
      • +
      • Largeur et Hauteur - utilisez ces options pour changer la largeur et/ou la hauteur. Lorsque le bouton Proportions constantes L'icône Proportions constantes est activé (Ajouter un ombre) L'icône Proportions constantes activée), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Taille actuelle.
      -

      Image - Paramètres avancés : Rotation

      -

      L'onglet Rotation comporte les paramètres suivants :

      +

      La fenêtre Image - Paramètres avancés Rotation

      +

      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).
      • +
      • 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).
      -

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

      -

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

      +

      La fenêtre Image - Paramètres avancés Habillage du texte

      +

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

        -
      • Style d'habillage - utilisez cette option pour changer la manière dont l'image est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles).
          -
        • Style d'habillage - Aligné sur le texte Aligné sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, l'image est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles.

          -

          Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte :

          +
        • Style d'habillage - utilisez cette option pour changer la manière dont l'image est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). +
            +
          • Style d'habillage - Aligné sur le texte Aligné sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, le graphique est déplacé lui aussi. Dans ce cas-là les options de position ne sont pas accessibles.

            +

            Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte:

          • -
          • Style d'habillage - Carré Carré - le texte est ajusté autour des bords de l'image.

          • -
          • Style d'habillage - Rapproché Rapproché - le texte est ajusté sur le contour de l' image.

          • -
          • Style d'habillage - Au travers Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur d'elle. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel.

          • -
          • Style d'habillage - Haut et bas Haut et bas - le texte est ajusté en haut et en bas de l'image.

          • -
          • Style d'habillage - Devant le texte Devant le texte - l'image est affichée sur le texte.

          • -
          • Style d'habillage - Derrière le texte Derrière le texte - le texte est affiché sur l'image.

          • +
          • Style d'habillage - Carré Carré - le texte est ajusté autour des bords de l'image.

          • +
          • Style d'habillage - Rapproché Rapproché - le texte est ajusté sur le contour de l'image.

          • +
          • Style d'habillage - Au travers Au travers - le texte est ajusté autour des bords du graphique et occupe l'espace vide à l'intérieur de celui-ci. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel.

          • +
          • Style d'habillage - Haut et bas Haut et bas - le texte est ajusté en haut et en bas de l'image.

          • +
          • Style d'habillage - Devant le texte Devant le texte - l'image est affichée sur le texte

          • +
          • Style d'habillage - Derrière le texte Derrière le texte - le texte est affiché sur l'image.

        -

        Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche).

        -

        Image - Paramètres avancés : Position

        -

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

        +

        Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, gauche, droit).

        +

        La fenêtre Image - Paramètres avancés Position

        +

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

          -
        • La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants :
            -
          • Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite,
          • -
          • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite,
          • -
          • Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite.
          • +
          • + La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants: +
              +
            • Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite,
            • +
            • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite,
            • +
            • Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite.
          • -
          • La section Vertical vous permet de sélectionner l'un des trois types de positionnement d'image suivants :
              -
            • Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure,
            • -
            • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure,
            • -
            • Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure.
            • +
            • + La section Vertical vous permet de sélectionner l'un des trois types de positionnement d'image suivants: +
                +
              • Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure,
              • +
              • Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) au-dessous de la ligne, de la marge, de la marge inférieure, du paragraphe, de la page ou la marge supérieure,
              • +
              • Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure.
            • -
            • Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel elle est alignée.
            • -
            • Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page.
            • +
            • Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel il est aligné.
            • +
            • Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page.
            -

            Image - Paramètres avancés

            -

            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.

            +

            La fenêtre Image - Paramètres avancés

            +

            L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertLineNumbers.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertLineNumbers.htm new file mode 100644 index 000000000..af0bdaae7 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertLineNumbers.htm @@ -0,0 +1,53 @@ + + + + Insérer des numéros de ligne + + + + + + + +
    +
    + +
    +

    Insérer des numéros de ligne

    +

    ONLYOFFICE Document Editor peut automatiquement compter les lignes dans votre document. Cette fonction est utile lorsque vous devez faire référence à des lignes spécifiques dans un document, comme un contrat juridique ou un code de script. Pour ajouter la numérotation de ligne dans un document, utiliser la fonction L'icône Numéros de ligne Numéros de ligne. Veuillez noter que le texte ajouté aux objets tels que les tableaux, les zones de texte, les graphiques, les en-têtes/pieds de page etc n'est pas inclus dans la numérotation consécutive. Tous ces objets comptent pour une ligne.

    +

    Ajouter des numéros de ligne

    +
      +
    1. Accédez à l'onglet Disposition dans la barre d'outils en haut et appuyez sur l'icône L'icône Numéros de ligneNuméros de ligne.
    2. +
    3. + Pour une configuration rapide, sélectionnez les paramètres appropriés dans la liste déroulante: +
        +
      • Continue - pour une numérotation consécutive dans l'ensemble du document.
      • +
      • Restaurer chaque page - pour commencer la numérotation consécutive sur chaque page.
      • +
      • Restaurer chaque section - pour commencer la numérotation consécutive sur chaque section du document. Veuillez consulter ce guide pour en savoir plus sur le sauts de sections.
      • +
      • Supprimer pour le paragraphe actif - pour supprimer la numérotation de ligne du paragraphe actuel. Cliquez avec le bouton gauche de la souris et sélectionnez les paragraphes pour lesquels on veut supprimer les numéros de ligne avant d'opter pour cette option.
      • +
      +
    4. +
    5. + Configurez les paramètres avancés si vous en avez besoin. Cliquez sur Paramètres de la numérotation de ligne dans le menu déroulant Numéros de ligne. Cochez la case Ajouter la numérotation des lignes pour ajouter des numéros de ligne au document et pour accéder aux paramètres avancées: +

      La fenêtre Numéros de lignes.

      +
        +
      • Commencer par - spécifiez à quelle ligne la numérotation doit commencer. Par défaut, il démarre à 1.
      • +
      • À partir du texte - saisissez les valeurs de l'espace situé entre le texte et le numéro de ligne. Les unités de distance sont affichées en cm. Le paramètre par défaut est Auto.
      • +
      • Compter par - spécifiez la valeur de variable si celle-ci n' augmente pas à 1, c'est-à-dire numéroter chaque ligne ou seulement une sur deux, une sur 3, une sur 4, une sur 5 etc. Saisissez une valeur numérique. Par défaut, il démarre à 1.
      • +
      • Restaurer chaque page - pour commencer la numérotation consécutive sur chaque page.
      • +
      • Restaurer chaque section - pour commencer la numérotation consécutive sur chaque section du document.
      • +
      • Continue - pour une numérotation consécutive dans l'ensemble du document.
      • +
      • Dans la liste déroulante Appliquer les modifications à sélectionnez la partie du document à laquelle vous souhaitez ajouter des numéros de lignes. Choisissez parmi les options suivantes: À cette section pour ajouter des numéros de ligne à la section du document spécifiée; A partir de ce point pour ajouter des numéros de ligne à partir du point où votre curseur est placé; A tout le document pour ajouter des numéros de ligne à tout ce document. Par défaut, le paramètre est A tout le document.
      • +
      • Cliquez sur OK pour appliquer les modifications.
      • +
      +
    6. +
    +

    Supprimer les numéros de ligne

    +

    Pour supprimer les numéros de ligne,

    +
      +
    1. accédez à l'onglet Disposition dans la barre d'outils en haut et appuyez sur l'icône L'icône Numéros de ligne Numéros de ligne.
    2. +
    3. sélectionnez l'option Aucune dans le menu déroulant ou appuyez sur Paramètres de numérotation des lignes et décochez la case Ajouter la numérotation de ligne dans la boîte de dialogue Numéros de ligne.
    4. +
    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertPageNumbers.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertPageNumbers.htm index 825ce78ce..b11f00f40 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertPageNumbers.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertPageNumbers.htm @@ -1,48 +1,56 @@  - - Insérer les numéros de page - - - - - - + + Insérer les numéros de page + + + + + +
    - +

    Insérer les numéros de page

    Pour insérer des numéros de page dans votre document,

      -
    1. passez à l'onglet Insérer de la barre d'outils supérieure,
    2. -
    3. cliquez sur l'icône icône Modifier l'en-tête ou le pied de page Modifier l'en-tête ou le pied de page de la barre d'outils supérieure,
    4. -
    5. sélectionnez l'option Insérer le numéro de page du sous-menu,
    6. -
    7. sélectionnez l'une des options suivantes :
        +
      • passez à l'onglet Insérer de la barre d'outils supérieure,
      • +
      • cliquez sur l'icône L'icône En-tête/Pied de page En-tête/Pied de page sur la barre d'outils supérieure,
      • +
      • sélectionnez l'option Insérer le numéro de page du sous-menu,
      • +
      • sélectionnez l'une des options suivantes: +
        • Pour mettre un numéro de page à chaque page de votre document, sélectionnez la position de numéro de page sur la page.
        • -
        • Pour insérer un numéro de page à la position actuelle du curseur, sélectionnez l'option À la position actuelle.
        • +
        • Pour insérer un numéro de page à la position actuelle du curseur, sélectionnez l'option À la position actuelle. +

          + Remarque: pour insérer le numéro de page courante à la position actuelle du curseur vous pouvez aussi utiliser des raccourcis clavier Ctrl+Maj+P. +

          +
    -

    Pour insérer le nombre total de pages dans votre document (par ex. si vous souhaitez créer une saisie Page X de Y):

    +

    Pour insérer le nombre total de pages dans votre document (par ex. si vous souhaitez créer une saisie Page X de Y):

    1. placez le curseur où vous souhaitez insérer le nombre total de pages,
    2. -
    3. cliquez sur l'icône icône Modifier l'en-tête ou le pied de page Modifier l'en-tête ou le pied de page de la barre d'outils supérieure,
    4. -
    5. sélectionnez l'option Insérer le nombre de pages.
    6. +
    7. cliquez sur l'icône L'icône En-tête/Pied de page En-tête/Pied de page sur la barre d'outils supérieure,
    8. +
    9. sélectionnez l'option Insérer le nombre de pages.

    Pour modifier les paramètres de la numérotation des pages,

    1. double-cliquez sur le numéro de page ajouté,
    2. -
    3. modifiez les paramètres actuels en utilisant la barre latérale droite :

      Barre latérale droite - Paramètres de l'en-tête ou du pied de page

      +
    4. modifiez les paramètres actuels en utilisant la barre latérale droite: +

      Barre latérale droite - Paramètres de l'en-tête ou du pied de page

        -
      • Définissez la Position des numéros de page ainsi que la position par rapport à la partie supérieure et inférieure de la page.
      • -
      • Cochez la case Première page différente pour appliquer un numéro différent à la première page ou si vous ne voulez pas du tout ajouter le numéro.
      • -
      • Utilisez la case Pages paires et impaires différentes pour insérer des numéros de page différents pour les pages paires et impaires.
      • -
      • L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, de sorte que la numérotation unifiée est appliquée à toutes les sections. Si vous sélectionnez une zone d’en-tête ou de pied de page, vous verrez que сette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lier au précédent pour utiliser la numérotation des pages différente pour chaque section du document, par exemple, pour commencer la numérotation de chaque section à 1. L'étiquette Identique au précédent sera indisponible.
      • +
      • Définissez la Position des numéros de page ainsi que la position par rapport à la partie supérieure et inférieure de la page.
      • +
      • Cochez la case Première page différente pour appliquer un numéro différent à la première page ou si vous ne voulez pas du tout ajouter le numéro.
      • +
      • Utilisez la case Pages paires et impaires différentes pour insérer des numéros de page différents pour les pages paires et impaires.
      • +
      • L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, de sorte que la numérotation unifiée est appliquée à toutes les sections. Si vous sélectionnez une zone d'en-tête ou de pied de page, vous verrez que cette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lier au précédent pour utiliser la numérotation des pages différente pour chaque section du document. L'étiquette Identique au précédent ne sera plus affichée. +

        L'étiquette Identique au précédent

      • +
      • La section Numérotation des pages sert à configurer les paramètres de numérotation des pages de à travers des différentes sections du document. L' option Continuer à partir de la section précédente est active par défaut pour maintenir la numérotation séquentielle après un saut de section. Si vous voulez que la numérotation commence avec un chiffre ou nombre spécifique sur cette section du document, activez le bouton radio Début et saisissez la valeur initiale dans le champ à droite. +
      -

      Same as previous label

    Pour retourner à l'édition du document, double-cliquez sur la zone de travail.

    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertReferences.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertReferences.htm new file mode 100644 index 000000000..446e23b46 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertReferences.htm @@ -0,0 +1,79 @@ + + + + Insérer les références + + + + + + + +
    +
    + +
    +

    Insérer les références

    +

    ONLYOFFICE supporte les logiciels de gestion de références bibliographiques Mendeley, Zotero et EasyBib pour insérer des références dans votre document.

    + +

    Mendeley

    +

    Intégrer Mendeley à ONLYOFFICE

    +
      +
    1. Connectez vous à votre compte personnel Mendeley.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Mendeley Mendeley, le panneau de gauche s'ouvre dans votre document. +
    4. + Appuyez sur Copier le lien et ouvrir la fiche.
      Le navigateur ouvre la fiche du site Mendeley. Complétez la fiche et notez l'identifiant de l'application ONLYOFFICE. +
    5. +
    6. Revenez à votre document.
    7. +
    8. Entrez l'identifiant de l'application et cliquez sur le bouton Enregistrer.
    9. +
    10. Appuyez sur Me connecter.
    11. +
    12. Appuyez sur Continuer.
    13. +
    +

    Or, ONLYOFFICE s'est connecté à votre compte Mendeley.

    +

    Insertion des références

    +
      +
    1. Accédez à votre document et placez le curseur à l'endroit où la référence doit être insérée.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Mendeley Mendeley.
    4. +
    5. Tapez le texte à chercher et appuyez sur la touche Entrée du clavier.
    6. +
    7. Activez une ou plusieurs cases à cocher.
    8. +
    9. [Facultatif] Tapez le texte nouveau à chercher et activez une ou plusieurs cases à cocher.
    10. +
    11. Sélectionnez le style pour référence de la liste déroulante Style.
    12. +
    13. Cliquez sur le bouton Insérer la bibliographie.
    14. +
    + +

    Zotero

    +

    Intégrer Zotero à ONLYOFFICE

    +
      +
    1. Connectez-vous à votre compte personnel Zotero.
    2. +
    3. Passez à l'onglet Modules complémentaires de votre document ouvert et choisissez L'icône de l'extension Zotero Zotero, le panneau de gauche s'ouvre dans votre document.
    4. +
    5. Cliquez sur le lien Configuration Zotero API.
    6. +
    7. Il faut obtenir une clé sur le site Zotéro, la copier et la conserver en vue d'une utilisation ultérieure.
    8. +
    9. Revenez à votre document et coller la clé API.
    10. +
    11. Appuyez sur Enregistrer.
    12. +
    +

    Or, ONLYOFFICE s'est connecté à votre compte Zotero.

    +

    Insertion des références

    +
      +
    1. Accédez à votre document et placez le curseur à l'endroit où la référence doit être insérée.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Zotero Zotero.
    4. +
    5. Tapez le texte à chercher et appuyez sur la touche Entrée du clavier.
    6. +
    7. Activez une ou plusieurs cases à cocher.
    8. +
    9. [Facultatif] Tapez le texte nouveau à chercher et activez une ou plusieurs cases à cocher.
    10. +
    11. Sélectionnez le style pour référence de la liste déroulante Style.
    12. +
    13. Cliquez sur le bouton Insérer la bibliographie.
    14. +
    + +

    EasyBib

    +
      +
    1. Accédez à votre document et placez le curseur à l'endroit où la référence doit être insérée.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension EasyBib EasyBib.
    4. +
    5. Sélectionnez le type de source à trouver.
    6. +
    7. Tapez le texte à chercher et appuyez sur la touche Entrée du clavier.
    8. +
    9. Cliquez sur '+' de la partie droite du Livre/Journal, de l'article/site Web. Cette source sera ajoutée dans la Bibliographie.
    10. +
    11. Sélectionnez le style de référence.
    12. +
    13. Appuyez sur Ajouter la bibliographie dans le document pour insérer les références.
    14. +
    + Gif de l'extension Easybib +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertSymbols.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertSymbols.htm index 306a67bb9..0520d38df 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertSymbols.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertSymbols.htm @@ -3,7 +3,7 @@ Insérer des symboles et des caractères - + @@ -14,40 +14,42 @@

    Insérer des symboles et des caractères

    -

    Que faire si vous avez besoin de symboles ou de caractères spéciaux qui ne sont pas sur votre clavier? Pour insérer de tels symboles dans votre documents, utilisez l’option Insert symbol icon Insérer un symbole et suivez ces étapes simples:

    +

    Pour insérer des symboles qui ne sont pas sur votre clavier, utilisez l'option L'icône Tableau des symboles Insérer un symbole option et suivez ces étapes simples:

      -
    • Placez le curseur là où vous voulez insérer un symbole spécial,
    • -
    • Basculez vers l’onglet Insérer de la barre d’outils supérieure.
    • +
    • placez le curseur là où vous souhaitez ajouter un symbole spécifique,
    • +
    • passez à l'onglet Insertion de la barre d'outils supérieure,
    • - Cliquez sur Symbole Symbole, -

      Symbole

      + cliquez sur L'icône Tableau des symboles Symbole, +

      La barre latérale Insérer des symboles

    • -
    • De la fenêtre Symbole qui apparaît sélectionnez le symbole approprié.
    • +
    • De la fenêtre 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.

      -

      Les symboles précédemment utilisés sont également affichés dans le champ des Caractères spéciaux récemment utilisés.

      +

      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.

      +

      La barre latérale Insérer des symboles

      +

      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.
    • +
    • 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.

    +

    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:

    +

    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 Rechercher, tapez « table de caractères » et ouvrez –la,
    • +
    • Dans le champ Rechercher, tapez 'Table de caractères' et ouvrez-la,
    • - Appuyez simultanément sur Win+R, puis dans la fenêtre ouverte tapez charmap.exe et cliquez sur OK. -

      Caractères

      + Appuyez simultanément sur Win+R, puis dans la fenêtre ouverte tapez charmap.exe et cliquez sur OK. +

      La fenêtre Insérer des symboles

    -

    Dans la Table des Caractères ouverte, sélectionnez l’un des Jeux de caractères, Groupes et Polices. Ensuite, cliquez sur le caractère nécessaire, copiéz-les dans le presse-papier et collez-les au bon endroit du document.

    +

    Dans la Table des caractères ouverte, sélectionnez l'un des Jeux de caractères, Groupes et Polices. Ensuite, cliquez sur le caractère nécessaire, copiez-les dans le presse-papier et collez-les au bon endroit du document.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTables.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTables.htm index c801bc8fc..78012b98d 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTables.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTables.htm @@ -3,7 +3,7 @@ Insérer des tableaux - + @@ -11,146 +11,179 @@
    - +

    Insérer des tableaux

    Insérer un tableau

    Pour insérer un tableau dans le texte de votre document,

      -
    1. placez le curseur à l'endroit où vous voulez insérer le tableau,
    2. -
    3. passez à l'onglet Insertion de la barre d'outils supérieure,
    4. -
    5. cliquez sur l'icône Insérer un tableau icône Insérer un tableau sur la la barre d'outils supérieure,
    6. -
    7. sélectionnez une des options pour créer le tableau :
        +
      • placez le curseur à l'endroit où vous voulez insérer le tableau,
      • +
      • passez à l'onglet Insertion de la barre d'outils supérieure,
      • +
      • cliquez sur l'icône L'icône Tableau Tableau sur la la barre d'outils supérieure,
      • +
      • sélectionnez une des options pour créer le tableau: +
        • soit un tableau avec le nombre prédéfini de cellules (10 par 8 cellules maximum)

          Si vous voulez ajouter rapidement un tableau, il vous suffit de sélectionner le nombre de lignes (8 au maximum) et de colonnes (10 au maximum).

        • soit un tableau personnalisé

          -

          Si vous avez besoin d'un tableau de plus de 10 par 8 cellules, sélectionnez l'option Insérer un tableau personnalisé pour ouvrir la fenêtre et spécifiez le nombre nécessaire de lignes et de colonnes, ensuite cliquez sur le bouton OK.

          +

          Si vous avez besoin d'un tableau de plus de 10 par 8 cellules, sélectionnez l'option Insérer un tableau personnalisé pour ouvrir la fenêtre et spécifiez le nombre nécessaire de lignes et de colonnes, ensuite cliquez sur le bouton OK.

          Tableau personnalisé

        • +
        • Sélectionnez l'option Dessiner un tableau, si vous souhaitez dessiner un tableau à la souris. Cette option est utile lorsque vous devez créer un tableau et délimiter des lignes et des colonnes de tailles différentes. Le pointeur de la souris se transforme en crayon Le pointeur de la souris en dessinant le tableau.. Tracez le contour du tableau où vous souhaitez l'ajouter, puis tracez les traits horizontaux pour délimiter des lignes et les traits verticaux pour délimiter des colonnes à l'intérieur du contour.
      • -
      • après avoir ajouté le tableau, vous pouvez modifier ses propriétés, sa taille et sa position.
      • +
      • après avoir ajouté le tableau, vous pouvez modifier sa taille, ses paramètres et sa position.
    -

    Pour redimensionner un tableau, placez le curseur de la souris sur la poignée Icône Carreaux dans son coin inférieur droit et faites-la glisser jusqu'à ce que la taille du tableau soit atteinte.

    +

    Pour redimensionner un tableau, placez le curseur de la souris sur la poignée L'icône Carreaux dans son coin inférieur droit et faites-la glisser jusqu'à ce que la taille du tableau soit atteinte.

    Redimensionner le tableau

    Vous pouvez également modifier manuellement la largeur d'une certaine colonne ou la hauteur d'une ligne. Déplacez le curseur de la souris sur la bordure droite de la colonne de sorte que le curseur se transforme en flèche bidirectionnelle Curseur de la souris lors de la modification de la largeur d'une colonne et faites glisser la bordure vers la gauche ou la droite pour définir la largeur nécessaire. Pour modifier manuellement la hauteur d'une seule ligne, déplacez le curseur de la souris sur la bordure inférieure de la ligne afin que le curseur devienne la flèche bidirectionnelle Curseur de la souris lors de la modification de la hauteur d'une ligne et déplacez la bordure vers le haut ou le bas.

    Pour déplacer une table, maintenez la poignée Poignée Sélectionner un tableau dans son coin supérieur gauche et faites-la glisser à l'endroit voulu dans le document.

    +

    On peut aussi ajouter une légende au tableau. Veuillez consulter cet article pour en savoir plus sur utilisation des légendes avec les tableaux.


    Sélectionnez un tableau ou une portion de tableau

    Pour sélectionner un tableau entier, cliquez sur la poignée Poignée Sélectionner un tableau dans son coin supérieur gauche.

    Pour sélectionner une certaine cellule, déplacez le curseur de la souris sur le côté gauche de la cellule nécessaire pour que le curseur devienne la flèche noire Sélectionner la cellule, puis cliquez avec le bouton gauche de la souris.

    Pour sélectionner une certaine ligne, déplacez le curseur de la souris sur la bordure gauche du tableau à côté de la ligne voulue pour que le curseur devienne la flèche noire horizontale Sélectionner une ligne, puis cliquez avec le bouton gauche de la souris.

    Pour sélectionner une certaine colonne, déplacez le curseur de la souris sur la bordure supérieure de la colonne voulue pour que le curseur se transforme en flèche noire dirigée vers le bas Sélectionner une colonne, puis cliquez avec le bouton gauche de la souris.

    -

    Il est également possible de sélectionner une cellule, une ligne, une colonne ou un tableau à l'aide des options du menu contextuel ou de la section Lignes et colonnes de la barre latérale droite.

    -

    Remarque : pour vous déplacer dans un tableau, vous pouvez utiliser des raccourcis clavier.

    +

    Il est également possible de sélectionner une cellule, une ligne, une colonne ou un tableau à l'aide des options du menu contextuel ou de la section Lignes et colonnes de la barre latérale droite.

    +

    + Remarque: pour vous déplacer dans un tableau, vous pouvez utiliser des raccourcis clavier. +


    Ajuster les paramètres du tableau

    -

    Certaines paramètres du tableau ainsi que sa structure peuvent être modifiés à l'aide du menu contextuel. Les options du menu sont les suivantes :

    +

    Certaines paramètres du tableau ainsi que sa structure peuvent être modifiés à l'aide du menu contextuel. Les options du menu sont les suivantes:

      -
    • Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur.
    • -
    • Sélectionner sert à sélectionner une ligne, une colonne, une cellule ou un tableau.
    • -
    • Insérer sert à insérer une ligne au-dessus ou en dessous de la ligne où le curseur est placé ainsi qu'insérer une colonne à gauche ou à droite de la сolonne à la position actuelle du curseur.
    • -
    • Supprimer sert à supprimer une ligne, une colonne ou un tableau.
    • -
    • Fusionner les cellules est disponible si deux ou plusieurs cellules sont sélectionnées et est utilisé pour les fusionner.
    • -
    • Fractionner la cellule... sert à ouvrir la fenêtre où vous pouvez sélectionner le nombre nécessaire de colonnes et de lignes de la cellule qui doit être divisée.
    • -
    • Distribuer les lignes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même hauteur sans changer la hauteur globale du tableau.
    • -
    • Distribuer les colonnes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même largeur sans modifier la largeur globale du tableau.
    • -
    • Alignement vertical de cellule sert à aligner le texte en haut, au centre ou en bas de la cellule sélectionnée.
    • -
    • Orientation du texte - sert à modifier l'orientation du texte dans une cellule. Vous pouvez placer le texte horizontalement, verticalement de haut en bas (Rotation du texte vers le bas), ou verticalement de bas en haut (Rotation du texte vers le haut).
    • -
    • Paramètres avancés du tableau sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'.
    • -
    • Lien hypertexte sert à insérer un lien hypertexte.
    • -
    • Paramètres avancés du paragraphe- sert à ouvrir la fenêtre 'Paragraphe - Paramètres avancés'.
    • +
    • Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précédemment coupé / copié ou un objet à la position actuelle du curseur.
    • +
    • Sélectionner sert à sélectionner une ligne, une colonne, une cellule ou un tableau.
    • +
    • Insérer sert à insérer une ligne au-dessus ou en dessous de la ligne où le curseur est placé ainsi qu'insérer une colonne à gauche ou à droite de la colonne à la position actuelle du curseur. +

      Il est possible d'insérer plusieurs lignes ou colonnes. Lorsque l'option Plusieurs lignes/colonnes est sélectionnée, la fenêtre Insérer plusieurs apparaît. Sélectionnez Lignes ou Colonnes dans la liste, spécifiez le nombre de colonnes/lignes que vous souhaitez insérer et spécifiez l'endroit où les insérer: Au-dessus du curseur ou Au-dessous du curseur et cliquez sur OK.

      +
    • +
    • Supprimer sert à supprimer une ligne, une colonne ou un tableau. Lorsque l'option Cellule est sélectionnée, la fenêtre Supprimer les cellules apparaît où on peut choisir parmi les options: Décaler les cellules vers la gauche, Supprimer la ligne entière ou Supprimer la colonne entière.
    • +
    • Fusionner les cellules est disponible si deux ou plusieurs cellules sont sélectionnées et est utilisé pour les fusionner. +

      + Il est aussi possible de fusionner les cellules en effaçant la bordure à l'aide de l'outil gomme. Pour le faire, cliquez sur l'icône L'icône Tableau Tableau dans la barre d'outils supérieure et sélectionnez l'option Supprimer un tableau. Le pointeur de la souris se transforme en gomme Le pointeur de la souris effaçant les bordures. Faites glisser le pointeur de la souris vers la bordure séparant les cellules que vous souhaitez fusionner et effacez-la. +

      +
    • +
    • Fractionner la cellule... sert à ouvrir la fenêtre où vous pouvez sélectionner le nombre nécessaire de colonnes et de lignes de la cellule qui doit être divisée. +

      + Il est aussi possible de fractionner la cellule en dessinant les lignes et les colonnes à l'aide de l'outil crayon. Pour le faire, cliquez sur l'icône L'icône Tableau Tableau dans la barre d'outils supérieure et sélectionnez l'option Dessiner un tableau. Le pointeur de la souris se transforme en crayon Le pointeur de la souris en dessinant le tableau.. Tracez un trait horizontal pour délimiter une ligne ou un trait vertical pour délimiter une colonne. +

      +
    • +
    • Distribuer les lignes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même hauteur sans changer la hauteur globale du tableau.
    • +
    • Distribuer les colonnes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même largeur sans modifier la largeur globale du tableau.
    • +
    • Alignement vertical de cellule sert à aligner le texte en haut, au centre ou en bas de la cellule sélectionnée.
    • +
    • Orientation du texte sert à modifier l'orientation du texte dans une cellule. Vous pouvez placer le texte horizontalement, verticalement de haut en bas (Rotation du texte vers le bas), ou verticalement de bas en haut (Rotation du texte vers le haut).
    • +
    • Paramètres avancés du tableau sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'.
    • +
    • Lien hypertexte sert à insérer un lien hypertexte.
    • +
    • Paramètres avancés du paragraphe sert à ouvrir la fenêtre 'Paragraphe - Paramètres avancés'.

    -

    Barre latérale droite - Paramètres du tableau

    -

    Vous pouvez également modifier les propriétés du tableau en utilisant la barre latérale droite :

    +

    Right Sidebar - Table Settings

    +

    Vous pouvez également modifier les propriétés du tableau en utilisant la barre latérale droite:

      -
    • Lignes et Colonnes servent à sélectionner les parties du tableau à souligner.

      -

      Pour les lignes :

      +
    • Lignes et Colonnes servent à sélectionner les parties du tableau à mettre en surbrillance.

      +

      Pour les lignes:

        -
      • En-tête - pour souligner la première ligne
      • -
      • Total - pour souligner la dernière ligne
      • -
      • À bandes - pour souligner chaque deuxième ligne
      • +
      • En-tête - pour souligner la première ligne
      • +
      • Total - pour souligner la dernière ligne
      • +
      • À bandes - pour souligner chaque deuxième ligne
      -

      Pour les colonnes :

      +

      Pour les colonnes:

        -
      • Premier - pour souligner la première colonne
      • -
      • Dernier - pour souligner la dernière colonne
      • -
      • À bandes - pour souligner chaque deuxième colonne
      • +
      • Premier - pour souligner la première colonne
      • +
      • Dernier - pour souligner la dernière colonne
      • +
      • À bandes - pour souligner chaque deuxième colonne
    • -
    • Sélectionner à partir d'un modèle sert à choisir un modèle de tableau à partir de ceux qui sont disponibles.

    • -
    • Style des bordures sert à sélectionner la taille de la bordure, la couleur, le style ainsi que la couleur d'arrière-plan.

    • -
    • Lignes & colonnes sert à effectuer certaines opérations avec le tableau : sélectionner, supprimer, insérer des lignes et des colonnes, fusionner des cellules, fractionner une cellule.

    • -
    • Taille de cellule est utilisée pour ajuster la largeur et la hauteur de la cellule actuellement sélectionnée. Dans cette section, vous pouvez également Distribuer les lignes afin que toutes les cellules sélectionnées aient la même hauteur ou Distribuer les colonnes de sorte que toutes les cellules sélectionnées aient la même largeur.

    • -
    • Ajouter une formule permet d'insérer une formule dans la cellule de tableau sélectionnée.

    • -
    • Répéter en haut de chaque page en tant que ligne d'en-tête sert à insérer la même rangée d'en-tête en haut de chaque page dans les tableaux longs.

    • -
    • Afficher les paramètres avancés sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'.

    • +
    • Sélectionner à partir d'un modèle sert à choisir un modèle de tableau à partir de ceux qui sont disponibles.

    • +
    • Style des bordures sert à sélectionner la taille de la bordure, la couleur, le style ainsi que la couleur d'arrière-plan.

    • +
    • Lignes et colonnes sert à effectuer certaines opérations avec le tableau : sélectionner, supprimer, insérer des lignes et des colonnes, fusionner des cellules, fractionner une cellule.

    • +
    • Taille des lignes et des colonnes est utilisée pour ajuster la largeur et la hauteur de la cellule actuellement sélectionnée. Dans cette section, vous pouvez également Distribuer les lignes afin que toutes les cellules sélectionnées aient la même hauteur ou Distribuer les colonnes de sorte que toutes les cellules sélectionnées aient la même largeur.

    • +
    • Ajouter une formule permet d'insérer une formule dans la cellule de tableau sélectionnée.

    • +
    • Répéter en haut de chaque page en tant que ligne d'en-tête sert à insérer la même rangée d'en-tête en haut de chaque page dans les tableaux longs.

    • +
    • Afficher les paramètres avancés sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'.


    -

    Pour modifier les paramètres du tableau avancés, cliquez sur le tableau avec le clic droit de la souris et sélectionnez l'option Paramètres avancés du tableau du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Propriétés du tableau s'ouvre :

    +

    Configurer les paramètres avancés du tableau

    +

    Pour modifier les paramètres du tableau avancés, cliquez sur le tableau avec le clic droit de la souris et sélectionnez l'option Paramètres avancés du tableau du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre des paramètres du tableau s'ouvre:

    Tableau - Paramètres avancés

    -

    L'onglet Tableau permet de modifier les paramètres de tout le tableau.

    +

    L'onglet Tableau permet de modifier les paramètres de tout le tableau.

      -
    • La section Taille du tableau contient les paramètres suivants :
        -
      • Largeur - par défaut, la largeur du tableau est ajustée automatiquement à la largeur de la page, c-à-d le tableau occupe tout l'espace entre la marge gauche et la marge droite de la page. Vous pouvez cocher cette case et spécifier la largeur du tableau manuellement.
      • -
      • Mesure en - permet de définir la largeur du tableau en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option choisie dans l'onglet Fichier -> Paramètres avancés... tab) ou en Pour cent de la largeur totale de la page.

        Remarque: vous pouvez aussi ajuster la taille du tableau manuellement en changeant la hauteur des lignes et la largeur des colonnes. Déplacez le curseur de la souris sur la bordure de la ligne/ de la colonne jusqu'à ce qu'elle se transforme en flèche bidirectionnelle et faites glisser la bordure. Vous pouvez aussi utiliser les marqueurs sur la règle horizontale pour changer la largeur de la colonne et les marqueurs sur la règle verticale pour modifier la hauteur de la ligne.

        +
      • La section Taille du tableau contient les paramètres suivants: +
          +
        • + Largeur - par défaut, la largeur du tableau est ajustée automatiquement à la largeur de la page, c-à-d le tableau occupe tout l'espace entre la marge gauche et la marge droite de la page. Vous pouvez cocher cette case et spécifier la largeur du tableau manuellement.
        • -
        • Redimensionner automatiquement pour ajuster au contenu - permet de changer automatiquement la largeur de chaque colonne selon le texte dans ses cellules.
        • +
        • Mesure en permet de définir la largeur du tableau en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option choisie dans l'onglet Fichier -> Paramètres avancés... tab) ou en Pour cent de la largeur totale de la page. +

          Remarque: vous pouvez aussi ajuster la taille du tableau manuellement en changeant la hauteur des lignes et la largeur des colonnes. Déplacez le curseur de la souris sur la bordure de la ligne/ de la colonne jusqu'à ce qu'elle se transforme en flèche bidirectionnelle et faites glisser la bordure. Vous pouvez aussi utiliser les marqueurs Tableau - Marqueur de largeur de la colonne sur la règle horizontale pour changer la largeur de la colonne et les marqueurs Tableau - Marqueur de hauteur de la ligne sur la règle verticale pour modifier la hauteur de la ligne.

          +
        • +
        • Redimensionner automatiquement pour ajuster au contenu - permet de changer automatiquement la largeur de chaque colonne selon le texte dans ses cellules.
      • -
      • La section Marges des cellules par défaut permet de changer l'espace entre le texte dans les cellules et la bordure de la cellule utilisé par défaut.
      • -
      • La section Options permet de modifier les paramètres suivants :
          -
        • Espacement entre les cellules - l'espacement des cellules qui sera rempli par la couleur de l'Arrière-plan de tableau.
        • -
        +
      • La section Marges des cellules par défaut permet de changer l'espace entre le texte dans les cellules et la bordure de la cellule utilisé par défaut.
      • +
      • La section Options permet de modifier les paramètres suivants: +
          +
        • Espacement entre les cellules - l'espacement des cellules qui sera rempli par la couleur de l'Arrière-plan de tableau.
        • +

      Tableau - Paramètres avancés

      -

      L'onglet Cellule permet de modifier les paramètres des cellules individuelles. D'abord vous devez sélectionner la cellule à appliquer les modifications ou sélectionner le tableau à modifier les propriétés de toutes ses cellules.

      +

      L'onglet Cellule permet de modifier les paramètres des cellules individuelles. D'abord vous devez sélectionner la cellule à appliquer les modifications ou sélectionner le tableau à modifier les propriétés de toutes ses cellules.

        -
      • La section Taille de la cellule contient les paramètres suivants :
          -
        • Largeur préférée - permet de définir la largeur de la cellule par défaut. C'est la taille à laquelle la cellule essaie de correspondre, mais dans certains cas ce n'est pas possible se s'adapter à cette valeur exacte. Par exemple, si le texte dans une cellule dépasse la largeur spécifiée, il sera rompu par la ligne suivante de sorte que la largeur de cellule préférée reste intacte, mais si vous insérez une nouvelle colonne, la largeur préférée sera réduite.
        • -
        • Mesure en - permet de définir la largeur de la cellule en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) ou en Pour cent de la largeur totale du tableau.

          Remarque : vous pouvez aussi définir la largeur de la cellule manuellement. Pour rendre une cellule plus large ou plus étroite dans une colonne, sélectionnez la cellule nécessaire et déplacez le curseur de la souris sur sa bordure droite jusqu'à ce qu'elle se transforme en flèche bidirectionnelle, puis faites glisser la bordure. Pour modifier la largeur de toutes les cellules d'une colonne, utilisez les marqueurs sur la règle horizontale pour modifier la largeur de la colonne.

          +
        • + La section Taille de la cellule contient les paramètres suivants: +
            +
          • Largeur préférée - permet de définir la largeur de la cellule par défaut. C'est la taille à laquelle la cellule essaie de correspondre, mais dans certains cas ce n'est pas possible se s'adapter à cette valeur exacte. Par exemple, si le texte dans une cellule dépasse la largeur spécifiée, il sera rompu par la ligne suivante de sorte que la largeur de cellule préférée reste intacte, mais si vous insérez une nouvelle colonne, la largeur préférée sera réduite.
          • +
          • Mesure en - permet de définir la largeur de la cellule en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) ou en Pour cent de la largeur totale du tableau. +

            Remarque: vous pouvez aussi définir la largeur de la cellule manuellement. Pour rendre une cellule plus large ou plus étroite dans une colonne, sélectionnez la cellule nécessaire et déplacez le curseur de la souris sur sa bordure droite jusqu'à ce qu'elle se transforme en flèche bidirectionnelle, puis faites glisser la bordure. Pour modifier la largeur de toutes les cellules d'une colonne, utilisez les marqueurs Tableau - Marqueur de largeur de la colonne sur la règle horizontale pour modifier la largeur de la colonne.

        • -
        • La section Marges de la cellule permet d'ajuster l'espace entre le texte dans les cellules et la bordure de la cellule. Par défaut, les valeurs standard sont utilisées (les valeurs par défaut peuvent être modifiées également en utilisant l'onglet Tableau), mais vous pouvez désactiver l'option Utiliser marges par défaut et entrer les valeurs nécessaires manuellement.
        • -
        • La section Option de la cellule permet de modifier le paramètre suivant :
            -
          • L'option Envelopper le texte est activée par défaut. Il permet d'envelopper le texte dans une cellule qui dépasse sa largeur sur la ligne suivante en agrandissant la hauteur de la rangée et en gardant la largeur de la colonne inchangée.
          • +
          • La section Marges de la cellule permet d'ajuster l'espace entre le texte dans les cellules et la bordure de la cellule. Par défaut, les valeurs standard sont utilisées (les valeurs par défaut peuvent être modifiées également en utilisant l'onglet Tableau), mais vous pouvez désactiver l'option Utiliser marges par défaut et entrer les valeurs nécessaires manuellement.
          • +
          • + La section Option de la cellule permet de modifier le paramètre suivant: +
              +
            • L'option Envelopper le texte est activée par défaut. Il permet d'envelopper le texte dans une cellule qui dépasse sa largeur sur la ligne suivante en agrandissant la hauteur de la rangée et en gardant la largeur de la colonne inchangée.

          Tableau - Paramètres avancés

          -

          L'onglet Bordures & arrière-plan contient les paramètres suivants:

          +

          L'onglet Bordures et arrière-plan contient les paramètres suivants:

            -
          • Les paramètres de la Bordure (taille, couleur, présence ou absence) - définissez la taille de la bordure, sélectionnez sa couleur et choisissez la façon d'affichage dans les cellules.

            Remarque : si vous choisissez de ne pas afficher les bordures du tableau en cliquant sur le bouton Pas de bordures ou en désélectionnant toutes les bordures manuellement sur le diagramme, les bordures seront indiquées par une ligne pointillée. Pour les faire disparaître, cliquez sur l'icône Caractères non imprimables Caractères non imprimables sur la barre d'outils supérieure et sélectionnez l'option Bordures du tableau cachées.

            +
          • + Les paramètres de la Bordure (taille, couleur, présence ou absence) - définissez la taille de la bordure, sélectionnez sa couleur et choisissez la façon d'affichage dans les cellules. +

            + Remarque: si vous choisissez de ne pas afficher les bordures du tableau en cliquant sur le bouton Pas de bordures ou en désélectionnant toutes les bordures manuellement sur le diagramme, les bordures seront indiquées par une ligne pointillée. Pour les faire disparaître, cliquez sur l'icône Caractères non imprimables Caractères non imprimables sur la barre d'outils supérieure et sélectionnez l'option Bordures du tableau cachées. +

          • -
          • Fond de la cellule - la couleur d'arrière plan dans les cellules (disponible uniquement si une ou plusieurs cellules sont sélectionnées ou l'option Espacement entre les cellules est sélectionnée dans l'onglet Tableau ).
          • -
          • Fond du tableau - la couleur d'arrière plan du tableau ou le fond de l'espacement entre les cellules dans le cas où l'option Espacement entre les cellules est chosie dans l'onglet Tableau.
          • +
          • Fond de la cellule - la couleur d'arrière plan dans les cellules (disponible uniquement si une ou plusieurs cellules sont sélectionnées ou l'option Espacement entre les cellules est sélectionnée dans l'onglet Tableau).
          • +
          • Fond du tableau - la couleur d'arrière plan du tableau ou le fond de l'espacement entre les cellules dans le cas où l'option Espacement entre les cellules est choisie dans l'onglet Tableau.

          Tableau - Paramètres avancés

          -

          L'onglet Position du tableau est disponible uniquement si l'option Flottant de l'onglet Habillage du texte est sélectionnée et contient les paramètres suivants :

          +

          L'onglet Position du tableau est disponible uniquement si l'option Tableau flottant sous l'onglet Habillage du texte est sélectionnée et contient les paramètres suivants:

            -
          • Horizontal sert à régler l'alignment du tableau (à gauche, au centre, à droite) par rapport à la marge, la page ou le texte aussi bien que la position à droite de la marge, la page ou le texte.
          • -
          • Vertical sert à régler l'alignment du tableau (à gauche, au centre, à droite) par rapport à la marge, la page ou le texte aussi bien que la position en dessous de la marge, la page ou le texte.
          • -
          • La section Options permet de modifier les paramètres suivants :
              -
            • Déplacer avec le texte contrôle si la tableau se déplace comme le texte dans lequel il est inséré.
            • -
            • Autoriser le chevauchement sert à déterminer si deux tableaux sont fusionnés en un seul grand tableau ou se chevauchent si vous les faites glisser les uns près des autres sur la page.
            • +
            • Horizontal sert à régler l'alignement du tableau par rapport à la marge (à gauche, au centre, à droite), la page ou le texte aussi bien que la position à droite de la marge, la page ou le texte.
            • +
            • Vertical sert à régler l'alignement du tableau par rapport à la marge (à gauche, au centre, à droite), la page ou le texte aussi bien que la position en dessous de la marge, la page ou le texte.
            • +
            • La section Options permet de modifier les paramètres suivants: +
                +
              • Déplacer avec le texte contrôle si la tableau se déplace comme le texte dans lequel il est inséré.
              • +
              • Autoriser le chevauchement sert à déterminer si deux tableaux sont fusionnés en un seul grand tableau ou se chevauchent si vous les faites glisser les uns près des autres sur la page.

            Tableau - Paramètres avancés

            -

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

            +

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

              -
            • Style d'habillage du texte - Tableau aligné ou Tableau flottant. Utilisez l'option voulue pour changer la façon de positionner le tableau par rapport au texte : soit il sera une partie du texte ( si vous avez choisi le style aligné), soit il sera entouré par le texte de tous les côtés (si vous avez choisi le style flottant).
            • -
            • Après avoir sélectionné le style d'habillage, les paramètres d'habillage supplémentaires peuvent être définis pour les tableaux alignés et flottants :
                -
              • Pour les tableaux alignés, vous pouvez spécifier l'Alignement du tableau et le Retrait à gauche.
              • -
              • Pour les tableaux flottants, vous pouvez spécifier la distance du texte et la position du tableau dans l'onglet Position du tableau.
              • +
              • Style d'habillage du texte - Tableau aligné ou Tableau flottant. Utilisez l'option voulue pour changer la façon de positionner le tableau par rapport au texte : soit il sera une partie du texte ( si vous avez choisi le style aligné), soit il sera entouré par le texte de tous les côtés (si vous avez choisi le style flottant).
              • +
              • + Après avoir sélectionné le style d'habillage, les paramètres d'habillage supplémentaires peuvent être définis pour les tableaux alignés et flottants: +
                  +
                • Pour les tableaux alignés, vous pouvez spécifier l'Alignement du tableau et le Retrait à gauche.
                • +
                • Pour les tableaux flottants, vous pouvez spécifier la distance du texte et la position du tableau sous l'onglet Position du tableau.

              Tableau - Paramètres avancés

              -

              L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau.

              +

              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.

    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTextObjects.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTextObjects.htm index caaee2a3f..fe5559611 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTextObjects.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/InsertTextObjects.htm @@ -3,7 +3,7 @@ Insérer des objets textuels - + @@ -11,73 +11,81 @@
    - +

    Insérer des objets textuels

    Pour rendre votre texte plus explicite et attirer l'attention sur une partie spécifique du document, 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 prédéfini et couleur qui permet d'appliquer certains effets de texte).

    Ajouter un objet textuel

    -

    Vous pouvez ajouter un objet texte n'importe où sur la page. Pour le faire :

    +

    Vous pouvez ajouter un objet texte n'importe où sur la page. Pour le faire:

      -
    1. passez à l'onglet Insertion de la barre d'outils supérieure,
    2. -
    3. sélectionnez le type d'objet textuel voulu :
        -
      • Pour ajouter une zone de texte, cliquez sur l'icône Icône Zone de texte 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 Insérer une forme automatique Forme dans la barre d'outils supérieure et en sélectionnant la forme Insérer une forme automatique textuelle dans le groupe Formes de base.

        +
      • passez à l'onglet Insérer 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 L'icône Zone de texte 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 L'icône Forme Forme dans la barre d'outils supérieure et en sélectionnant la forme Insérer une forme automatique textuelle dans le groupe Formes de base.

        • -
        • Pour ajouter un objet Text Art, cliquez sur l'icône Icône Text Art Text Art dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte.
        • +
        • Pour ajouter un objet Text Art, cliquez sur l'icône L'icône Text Art Text Art dans la barre d'outils supérieure, puis cliquez sur le modèle de style souhaité - l'objet Text Art sera ajouté à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte.
      • cliquez en dehors de l'objet texte pour appliquer les modifications et revenir au document.
    -

    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).

    +

    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é.

    +

    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).

    Zone de texte sélectionnée

    • Pour redimensionner, déplacer, faire pivoter la zone de texte, utilisez les poignées spéciales sur les bords de la forme.
    • -
    • Pour modifier le remplissage, le contour, le style d'habillage de la zone de texte ou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramètres de forme Paramètres de la forme dans la barre latérale de droite et utilisez les options correspondantes.
    • -
    • pour aligner la zone de texte sur la page, organiser les zones de texte en fonction d'autres objets, pivoter ou retourner une zone de texte, modifier un style d'habillage ou accéder aux paramètres avancés de forme, cliquez avec le bouton droit sur la bordure de zone de texte et utilisez 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 modifier le remplissage, le contour, le style d'habillage de la zone de texte ou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramètres de forme L'icône Paramètres de la forme dans la barre latérale de droite et utilisez les options correspondantes.
    • +
    • Pour aligner la zone de texte sur la page, organiser les zones de texte en fonction d'autres objets, pivoter ou retourner une zone de texte, modifier un style d'habillage ou accéder aux paramètres avancés de forme, cliquez avec le bouton droit sur la bordure de zone de texte et utilisez 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.

    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.

    Texte sélectionné

    -

    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.

    -

    Pour faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles : Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut).

    -

    Pour aligner le texte verticalement dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Alignement vertical, puis choisissez l'une des options disponibles : Aligner en haut, Aligner au centre ou Aligner en bas.

    -

    Les autres options de mise en forme que vous pouvez appliquer sont les mêmes que celles du texte standard. Veuillez vous reporter aux sections d'aide correspondantes pour en savoir plus sur l'opération concernée. Vous pouvez :

    +

    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.

    +

    Pour faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut).

    +

    Pour aligner le texte verticalement dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Alignement vertical, puis choisissez l'une des options disponibles: Aligner en haut, Aligner au centre ou Aligner en bas.

    +

    Les autres options de mise en forme que vous pouvez appliquer sont les mêmes que celles du texte standard. Veuillez vous reporter aux sections d'aide correspondantes pour en savoir plus sur l'opération concernée. Vous pouvez:

    -

    Vous pouvez également cliquer sur l'icône des Paramètres du Text Art Icône Paramètres Text Art dans la barre latérale droite et modifier certains paramètres de style.

    +

    Vous pouvez également cliquer sur l'icône des Paramètres de Text Art L'icône Paramètres de Text Art dans la barre latérale droite et modifier certains paramètres de style.

    Modifier un style Text Art

    -

    Sélectionnez un objet texte et cliquez sur l'icône des Paramètres Text Art Icône Paramètres Text Art dans la barre latérale de droite.

    -

    Onglet Paramètres Text Art

    -

    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.

    -

    Changer le Remplissage de la police. Les options disponibles sont les suivantes :

    +

    Sélectionnez un objet texte et cliquez sur l'icône des Paramètres de Text Art L'icône Paramètres de Text Art dans la barre latérale de droite.

    +

    Onglet Paramètres de Text Art

    +

    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.

    +

    Changer le Remplissage de la police. Les options disponibles sont les suivantes:

      -
    • Couleur - sélectionnez cette option pour spécifier la couleur unie pour le remplissage de l'espace intérieur de la forme automatique sélectionnée.

      Couleur

      -

      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 :

      +
    • + Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie pour le remplissage de l'espace intérieur des lettres. +

      Couleur de remplissage

      +

      Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix:

    • -
    • Dégradé - sélectionnez cette option pour sélectionner deux couleurs et remplir les lettres d'une transition douce entre elles.

      Dégradé

      +
    • + Remplissage en dégradé - sélectionnez cette option pour sélectionner deux couleurs et remplir les lettres d'une transition douce entre elles. +

      Remplissage en dégradé

        -
      • Style - choisissez une des options disponibles : Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle).
      • -
      • Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes : du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle.
      • -
      • Dégradé - cliquez sur le curseur de dégradé gauche Curseur au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé.
      • +
      • Style - choisissez une des options disponibles: Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle).
      • +
      • Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes: du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle.
      • +
      • Dégradé - cliquez sur le curseur de dégradé gauche Curseur au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé.
      -

      Remarque : si une de ces deux options est sélectionnée, vous pouvez toujours régler le niveau d'Opacité en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale.

      +

      Remarque: si une de ces deux options est sélectionnée, vous pouvez toujours régler le niveau d'Opacité en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale.

    • -
    • Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage.
    • +
    • Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage.
    -

    Ajustez la largeur, la couleur et le type du Contour de la police.

    +

    Ajustez la largeur, la couleur et le type du Contour de la police.

      -
    • Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de trait.
    • -
    • 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).
    • +
    • Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de trait.
    • +
    • 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).
    -

    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.

    +

    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.

    Transformation de Text Art

    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/LineSpacing.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/LineSpacing.htm index da76e1468..2d8cc35ab 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/LineSpacing.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/LineSpacing.htm @@ -1,36 +1,42 @@  - - Régler l'interligne du paragraphe - - - - - - + + Régler l'interligne du paragraphe + + + + + +
    - +

    Régler l'interligne du paragraphe

    En utilisant Document Editor, vous pouvez définir la hauteur de la ligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et précédent ou suivant.

    -

    Pour le faire,

    +

    Pour ce faire,

      -
    1. placez le curseur dans le paragraphe choisi, ou sélectionnez plusieurs paragraphes avec la souris ou tout le texte en utilisant la combinaison de touches Ctrl+A,
    2. -
    3. utilisez les champs correspondants de la barre latérale droite pour obtenir les résultats nécessaires :
        -
      • Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options : Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite.
      • -
      • Espacement de paragraphe - définissez l'espace entre les paragraphes.
          -
        • Avant - réglez la taille de l'espace avant le paragraphe.
        • -
        • Après - réglez la taille de l'espace après le paragraphe.
        • -
        • N'ajoutez pas l'intervalle entre les paragraphes du même style - cochez cette case si vous n'avez pas besoin d'espace entre les paragraphes du même style.

          Barre latérale droite - Paramètres du paragraphe

          -
        • -
        -
      • +
      • placez le curseur dans le paragraphe choisi, ou sélectionnez plusieurs paragraphes avec la souris ou tout le texte en utilisant la combinaison de touches Ctrl+A,
      • +
      • utilisez les champs correspondants de la barre latérale droite pour obtenir les résultats nécessaires: +
          +
        • Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options: Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite.
        • +
        • Espacement de paragraphe - définissez l'espace entre les paragraphes. +
            +
          • Avant - réglez la taille de l'espace avant le paragraphe.
          • +
          • Après - réglez la taille de l'espace après le paragraphe.
          • +
          • + N'ajoutez pas l'intervalle entre les paragraphes du même style - cochez cette case si vous n'avez pas besoin d'espace entre les paragraphes du même style. +

            Barre latérale droite - Paramètres du paragraphe

            +
          • +
          +
    -

    Pour modifier rapidement l'interligne du paragraphe actuel, vous cliquez sur l'icône Interligne du paragraphe de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste : 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes.

    +

    On peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés. Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du paragraphe dans le menu ou utilisez l'option Afficher les paramètres avancés sur la barre latérale droite. Passez à l'onglet Retraits et espacement, section Espacement.

    +

    Paragraphe - Paramètres avancés - Retraits et espacement

    +

    Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne du paragraphe Interligne du paragraphe sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm new file mode 100644 index 000000000..a9f05592f --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/MathAutoCorrect.htm @@ -0,0 +1,2552 @@ +; + + + Fonctionnalités de correction automatique + + + + + + + +
    +
    + +
    +

    Fonctionnalités de correction automatique

    +

    Les fonctionnalités de correction automatique ONLYOFFICE Docs 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-> Options de 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-> Options de 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.

    +

    Remplacer le texte au cours de la frappe

    +

    Le tableau ci-dessous affiche tous le codes disponibles dans Document Editor à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique -> AutoMaths.

    +
    Les codes disponibles + + + + + + + + + + + + + + + + + + + + + + + + + + + + ; + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    CodeSymboleCatégorie
    !!Double factorielleSymboles
    ...Horizontal ellipsisDots
    ::Double colonOpérateurs
    :=Colon equalOpérateurs
    /<Not less thanOpérateurs relationnels
    />Not greater thanOpérateurs relationnels
    /=Not equalOpérateurs relationnels
    \aboveSymboleIndices et exposants
    \acuteSymboleAccentuation
    \alephSymboleLettres hébraïques
    \alphaSymboleLettres grecques
    \AlphaSymboleLettres grecques
    \amalgSymboleOpérateurs binaires
    \angleSymboleNotation de géométrie
    \aointSymboleIntégrales
    \approxSymboleOpérateurs relationnels
    \asmashSymboleFlèches
    \astAsteriskOpérateurs binaires
    \asympSymboleOpérateurs relationnels
    \atopSymboleOpérateurs
    \barSymboleTrait suscrit/souscrit
    \BarSymboleAccentuation
    \becauseSymboleOpérateurs relationnels
    \beginSymboleSéparateurs
    \belowSymboleIndices et exposants
    \betSymboleLettres hébraïques
    \betaSymboleLettres grecques
    \BetaSymboleLettres grecques
    \bethSymboleLettres hébraïques
    \bigcapSymboleGrands opérateurs
    \bigcupSymboleGrands opérateurs
    \bigodotSymboleGrands opérateurs
    \bigoplusSymboleGrands opérateurs
    \bigotimesSymboleGrands opérateurs
    \bigsqcupSymboleGrands opérateurs
    \biguplusSymboleGrands opérateurs
    \bigveeSymboleGrands opérateurs
    \bigwedgeSymboleGrands opérateurs
    \binomialSymboleÉquations
    \botSymboleNotations logiques
    \bowtieSymboleOpérateurs relationnels
    \boxSymboleSymboles
    \boxdotSymboleOpérateurs binaires
    \boxminusSymboleOpérateurs binaires
    \boxplusSymboleOpérateurs binaires
    \braSymboleSéparateurs
    \breakSymboleSymboles
    \breveSymboleAccentuation
    \bulletSymboleOpérateurs binaires
    \capSymboleOpérateurs binaires
    \cbrtSymboleRacine carrée et radicaux
    \casesSymboleSymboles
    \cdotSymboleOpérateurs binaires
    \cdotsSymboleDots
    \checkSymboleAccentuation
    \chiSymboleLettres grecques
    \ChiSymboleLettres grecques
    \circSymboleOpérateurs binaires
    \closeSymboleSéparateurs
    \clubsuitSymboleSymboles
    \cointSymboleIntégrales
    \congSymboleOpérateurs relationnels
    \coprodSymboleOpérateurs mathématiques
    \cupSymboleOpérateurs binaires
    \daletSymboleLettres hébraïques
    \dalethSymboleLettres hébraïques
    \dashvSymboleOpérateurs relationnels
    \ddSymboleLettres avec double barres
    \DdSymboleLettres avec double barres
    \ddddotSymboleAccentuation
    \dddotSymboleAccentuation
    \ddotSymboleAccentuation
    \ddotsSymboleDots
    \defeqSymboleOpérateurs relationnels
    \degcSymboleSymboles
    \degfSymboleSymboles
    \degreeSymboleSymboles
    \deltaSymboleLettres grecques
    \DeltaSymboleLettres grecques
    \DeltaeqSymboleOperateurs
    \diamondSymboleOpérateurs binaires
    \diamondsuitSymboleSymboles
    \divSymboleOpérateurs binaires
    \dotSymboleAccentuation
    \doteqSymboleOpérateurs relationnels
    \dotsSymboleDots
    \doubleaSymboleLettres avec double barres
    \doubleASymboleLettres avec double barres
    \doublebSymboleLettres avec double barres
    \doubleBSymboleLettres avec double barres
    \doublecSymboleLettres avec double barres
    \doubleCSymboleLettres avec double barres
    \doubledSymboleLettres avec double barres
    \doubleDSymboleLettres avec double barres
    \doubleeSymboleLettres avec double barres
    \doubleESymboleLettres avec double barres
    \doublefSymboleLettres avec double barres
    \doubleFSymboleLettres avec double barres
    \doublegSymboleLettres avec double barres
    \doubleGSymboleLettres avec double barres
    \doublehSymboleLettres avec double barres
    \doubleHSymboleLettres avec double barres
    \doubleiSymboleLettres avec double barres
    \doubleISymboleLettres avec double barres
    \doublejSymboleLettres avec double barres
    \doubleJSymboleLettres avec double barres
    \doublekSymboleLettres avec double barres
    \doubleKSymboleLettres avec double barres
    \doublelSymboleLettres avec double barres
    \doubleLSymboleLettres avec double barres
    \doublemSymboleLettres avec double barres
    \doubleMSymboleLettres avec double barres
    \doublenSymboleLettres avec double barres
    \doubleNSymboleLettres avec double barres
    \doubleoSymboleLettres avec double barres
    \doubleOSymboleLettres avec double barres
    \doublepSymboleLettres avec double barres
    \doublePSymboleLettres avec double barres
    \doubleqSymboleLettres avec double barres
    \doubleQSymboleLettres avec double barres
    \doublerSymboleLettres avec double barres
    \doubleRSymboleLettres avec double barres
    \doublesSymboleLettres avec double barres
    \doubleSSymboleLettres avec double barres
    \doubletSymboleLettres avec double barres
    \doubleTSymboleLettres avec double barres
    \doubleuSymboleLettres avec double barres
    \doubleUSymboleLettres avec double barres
    \doublevSymboleLettres avec double barres
    \doubleVSymboleLettres avec double barres
    \doublewSymboleLettres avec double barres
    \doubleWSymboleLettres avec double barres
    \doublexSymboleLettres avec double barres
    \doubleXSymboleLettres avec double barres
    \doubleySymboleLettres avec double barres
    \doubleYSymboleLettres avec double barres
    \doublezSymboleLettres avec double barres
    \doubleZSymboleLettres avec double barres
    \downarrowSymboleFlèches
    \DownarrowSymboleFlèches
    \dsmashSymboleFlèches
    \eeSymboleLettres avec double barres
    \ellSymboleSymboles
    \emptysetSymboleEnsemble de notations
    \emspCaractères d'espace
    \endSymboleSéparateurs
    \enspCaractères d'espace
    \epsilonSymboleLettres grecques
    \EpsilonSymboleLettres grecques
    \eqarraySymboleSymboles
    \equivSymboleOpérateurs relationnels
    \etaSymboleLettres grecques
    \EtaSymboleLettres grecques
    \existsSymboleNotations logiques
    \forallSymboleNotations logiques
    \frakturaSymboleFraktur
    \frakturASymboleFraktur
    \frakturbSymboleFraktur
    \frakturBSymboleFraktur
    \frakturcSymboleFraktur
    \frakturCSymboleFraktur
    \frakturdSymboleFraktur
    \frakturDSymboleFraktur
    \fraktureSymboleFraktur
    \frakturESymboleFraktur
    \frakturfSymboleFraktur
    \frakturFSymboleFraktur
    \frakturgSymboleFraktur
    \frakturGSymboleFraktur
    \frakturhSymboleFraktur
    \frakturHSymboleFraktur
    \frakturiSymboleFraktur
    \frakturISymboleFraktur
    \frakturkSymboleFraktur
    \frakturKSymboleFraktur
    \frakturlSymboleFraktur
    \frakturLSymboleFraktur
    \frakturmSymboleFraktur
    \frakturMSymboleFraktur
    \frakturnSymboleFraktur
    \frakturNSymboleFraktur
    \frakturoSymboleFraktur
    \frakturOSymboleFraktur
    \frakturpSymboleFraktur
    \frakturPSymboleFraktur
    \frakturqSymboleFraktur
    \frakturQSymboleFraktur
    \frakturrSymboleFraktur
    \frakturRSymboleFraktur
    \fraktursSymboleFraktur
    \frakturSSymboleFraktur
    \frakturtSymboleFraktur
    \frakturTSymboleFraktur
    \frakturuSymboleFraktur
    \frakturUSymboleFraktur
    \frakturvSymboleFraktur
    \frakturVSymboleFraktur
    \frakturwSymboleFraktur
    \frakturWSymboleFraktur
    \frakturxSymboleFraktur
    \frakturXSymboleFraktur
    \frakturySymboleFraktur
    \frakturYSymboleFraktur
    \frakturzSymboleFraktur
    \frakturZSymboleFraktur
    \frownSymboleOpérateurs relationnels
    \funcapplyOpérateurs binaires
    \GSymboleLettres grecques
    \gammaSymboleLettres grecques
    \GammaSymboleLettres grecques
    \geSymboleOpérateurs relationnels
    \geqSymboleOpérateurs relationnels
    \getsSymboleFlèches
    \ggSymboleOpérateurs relationnels
    \gimelSymboleLettres hébraïques
    \graveSymboleAccentuation
    \hairspCaractères d'espace
    \hatSymboleAccentuation
    \hbarSymboleSymboles
    \heartsuitSymboleSymboles
    \hookleftarrowSymboleFlèches
    \hookrightarrowSymboleFlèches
    \hphantomSymboleFlèches
    \hsmashSymboleFlèches
    \hvecSymboleAccentuation
    \identitymatrixSymboleMatrices
    \iiSymboleLettres avec double barres
    \iiintSymboleIntégrales
    \iintSymboleIntégrales
    \iiiintSymboleIntégrales
    \ImSymboleSymboles
    \imathSymboleSymboles
    \inSymboleOpérateurs relationnels
    \incSymboleSymboles
    \inftySymboleSymboles
    \intSymboleIntégrales
    \integralSymboleIntégrales
    \iotaSymboleLettres grecques
    \IotaSymboleLettres grecques
    \itimesOpérateurs mathématiques
    \jSymboleSymboles
    \jjSymboleLettres avec double barres
    \jmathSymboleSymboles
    \kappaSymboleLettres grecques
    \KappaSymboleLettres grecques
    \ketSymboleSéparateurs
    \lambdaSymboleLettres grecques
    \LambdaSymboleLettres grecques
    \langleSymboleSéparateurs
    \lbbrackSymboleSéparateurs
    \lbraceSymboleSéparateurs
    \lbrackSymboleSéparateurs
    \lceilSymboleSéparateurs
    \ldivSymboleBarres obliques
    \ldivideSymboleBarres obliques
    \ldotsSymboleDots
    \leSymboleOpérateurs relationnels
    \leftSymboleSéparateurs
    \leftarrowSymboleFlèches
    \LeftarrowSymboleFlèches
    \leftharpoondownSymboleFlèches
    \leftharpoonupSymboleFlèches
    \leftrightarrowSymboleFlèches
    \LeftrightarrowSymboleFlèches
    \leqSymboleOpérateurs relationnels
    \lfloorSymboleSéparateurs
    \lhvecSymboleAccentuation
    \limitSymboleLimites
    \llSymboleOpérateurs relationnels
    \lmoustSymboleSéparateurs
    \LongleftarrowSymboleFlèches
    \LongleftrightarrowSymboleFlèches
    \LongrightarrowSymboleFlèches
    \lrharSymboleFlèches
    \lvecSymboleAccentuation
    \mapstoSymboleFlèches
    \matrixSymboleMatrices
    \medspCaractères d'espace
    \midSymboleOpérateurs relationnels
    \middleSymboleSymboles
    \modelsSymboleOpérateurs relationnels
    \mpSymboleOpérateurs binaires
    \muSymboleLettres grecques
    \MuSymboleLettres grecques
    \nablaSymboleSymboles
    \naryandSymboleOpérateurs
    \nbspCaractères d'espace
    \neSymboleOpérateurs relationnels
    \nearrowSymboleFlèches
    \neqSymboleOpérateurs relationnels
    \niSymboleOpérateurs relationnels
    \normSymboleSéparateurs
    \notcontainSymboleOpérateurs relationnels
    \notelementSymboleOpérateurs relationnels
    \notinSymboleOpérateurs relationnels
    \nuSymboleLettres grecques
    \NuSymboleLettres grecques
    \nwarrowSymboleFlèches
    \oSymboleLettres grecques
    \OSymboleLettres grecques
    \odotSymboleOpérateurs binaires
    \ofSymboleOpérateurs
    \oiiintSymboleIntégrales
    \oiintSymboleIntégrales
    \ointSymboleIntégrales
    \omegaSymboleLettres grecques
    \OmegaSymboleLettres grecques
    \ominusSymboleOpérateurs binaires
    \openSymboleSéparateurs
    \oplusSymboleOpérateurs binaires
    \otimesSymboleOpérateurs binaires
    \overSymboleSéparateurs
    \overbarSymboleAccentuation
    \overbraceSymboleAccentuation
    \overbracketSymboleAccentuation
    \overlineSymboleAccentuation
    \overparenSymboleAccentuation
    \overshellSymboleAccentuation
    \parallelSymboleNotation de géométrie
    \partialSymboleSymboles
    \pmatrixSymboleMatrices
    \perpSymboleNotation de géométrie
    \phantomSymboleSymboles
    \phiSymboleLettres grecques
    \PhiSymboleLettres grecques
    \piSymboleLettres grecques
    \PiSymboleLettres grecques
    \pmSymboleOpérateurs binaires
    \pppprimeSymboleNombres premiers
    \ppprimeSymboleNombres premiers
    \pprimeSymboleNombres premiers
    \precSymboleOpérateurs relationnels
    \preceqSymboleOpérateurs relationnels
    \primeSymboleNombres premiers
    \prodSymboleOpérateurs mathématiques
    \proptoSymboleOpérateurs relationnels
    \psiSymboleLettres grecques
    \PsiSymboleLettres grecques
    \qdrtSymboleRacine carrée et radicaux
    \quadraticSymboleRacine carrée et radicaux
    \rangleSymboleSéparateurs
    \RangleSymboleSéparateurs
    \ratioSymboleOpérateurs relationnels
    \rbraceSymboleSéparateurs
    \rbrackSymboleSéparateurs
    \RbrackSymboleSéparateurs
    \rceilSymboleSéparateurs
    \rddotsSymboleDots
    \ReSymboleSymboles
    \rectSymboleSymboles
    \rfloorSymboleSéparateurs
    \rhoSymboleLettres grecques
    \RhoSymboleLettres grecques
    \rhvecSymboleAccentuation
    \rightSymboleSéparateurs
    \rightarrowSymboleFlèches
    \RightarrowSymboleFlèches
    \rightharpoondownSymboleFlèches
    \rightharpoonupSymboleFlèches
    \rmoustSymboleSéparateurs
    \rootSymboleSymboles
    \scriptaSymboleScripts
    \scriptASymboleScripts
    \scriptbSymboleScripts
    \scriptBSymboleScripts
    \scriptcSymboleScripts
    \scriptCSymboleScripts
    \scriptdSymboleScripts
    \scriptDSymboleScripts
    \scripteSymboleScripts
    \scriptESymboleScripts
    \scriptfSymboleScripts
    \scriptFSymboleScripts
    \scriptgSymboleScripts
    \scriptGSymboleScripts
    \scripthSymboleScripts
    \scriptHSymboleScripts
    \scriptiSymboleScripts
    \scriptISymboleScripts
    \scriptkSymboleScripts
    \scriptKSymboleScripts
    \scriptlSymboleScripts
    \scriptLSymboleScripts
    \scriptmSymboleScripts
    \scriptMSymboleScripts
    \scriptnSymboleScripts
    \scriptNSymboleScripts
    \scriptoSymboleScripts
    \scriptOSymboleScripts
    \scriptpSymboleScripts
    \scriptPSymboleScripts
    \scriptqSymboleScripts
    \scriptQSymboleScripts
    \scriptrSymboleScripts
    \scriptRSymboleScripts
    \scriptsSymboleScripts
    \scriptSSymboleScripts
    \scripttSymboleScripts
    \scriptTSymboleScripts
    \scriptuSymboleScripts
    \scriptUSymboleScripts
    \scriptvSymboleScripts
    \scriptVSymboleScripts
    \scriptwSymboleScripts
    \scriptWSymboleScripts
    \scriptxSymboleScripts
    \scriptXSymboleScripts
    \scriptySymboleScripts
    \scriptYSymboleScripts
    \scriptzSymboleScripts
    \scriptZSymboleScripts
    \sdivSymboleBarres obliques
    \sdivideSymboleBarres obliques
    \searrowSymboleFlèches
    \setminusSymboleOpérateurs binaires
    \sigmaSymboleLettres grecques
    \SigmaSymboleLettres grecques
    \simSymboleOpérateurs relationnels
    \simeqSymboleOpérateurs relationnels
    \smashSymboleFlèches
    \smileSymboleOpérateurs relationnels
    \spadesuitSymboleSymboles
    \sqcapSymboleOpérateurs binaires
    \sqcupSymboleOpérateurs binaires
    \sqrtSymboleRacine carrée et radicaux
    \sqsubseteqSymboleEnsemble de notations
    \sqsuperseteqSymboleEnsemble de notations
    \starSymboleOpérateurs binaires
    \subsetSymboleEnsemble de notations
    \subseteqSymboleEnsemble de notations
    \succSymboleOpérateurs relationnels
    \succeqSymboleOpérateurs relationnels
    \sumSymboleOpérateurs mathématiques
    \supersetSymboleEnsemble de notations
    \superseteqSymboleEnsemble de notations
    \swarrowSymboleFlèches
    \tauSymboleLettres grecques
    \TauSymboleLettres grecques
    \thereforeSymboleOpérateurs relationnels
    \thetaSymboleLettres grecques
    \ThetaSymboleLettres grecques
    \thickspCaractères d'espace
    \thinspCaractères d'espace
    \tildeSymboleAccentuation
    \timesSymboleOpérateurs binaires
    \toSymboleFlèches
    \topSymboleNotations logiques
    \tvecSymboleFlèches
    \ubarSymboleAccentuation
    \UbarSymboleAccentuation
    \underbarSymboleAccentuation
    \underbraceSymboleAccentuation
    \underbracketSymboleAccentuation
    \underlineSymboleAccentuation
    \underparenSymboleAccentuation
    \uparrowSymboleFlèches
    \UparrowSymboleFlèches
    \updownarrowSymboleFlèches
    \UpdownarrowSymboleFlèches
    \uplusSymboleOpérateurs binaires
    \upsilonSymboleLettres grecques
    \UpsilonSymboleLettres grecques
    \varepsilonSymboleLettres grecques
    \varphiSymboleLettres grecques
    \varpiSymboleLettres grecques
    \varrhoSymboleLettres grecques
    \varsigmaSymboleLettres grecques
    \varthetaSymboleLettres grecques
    \vbarSymboleSéparateurs
    \vdashSymboleOpérateurs relationnels
    \vdotsSymboleDots
    \vecSymboleAccentuation
    \veeSymboleOpérateurs binaires
    \vertSymboleSéparateurs
    \VertSymboleSéparateurs
    \VmatrixSymboleMatrices
    \vphantomSymboleFlèches
    \vthickspCaractères d'espace
    \wedgeSymboleOpérateurs binaires
    \wpSymboleSymboles
    \wrSymboleOpérateurs binaires
    \xiSymboleLettres grecques
    \XiSymboleLettres grecques
    \zetaSymboleLettres grecques
    \ZetaSymboleLettres grecques
    \zwnjCaractères d'espace
    \zwspCaractères d'espace
    ~=Is congruent toOpérateurs relationnels
    -+Minus or plusOpérateurs binaires
    +-Plus or minusOpérateurs binaires
    <<SymboleOpérateurs relationnels
    <=Less than or equal toOpérateurs relationnels
    ->SymboleFlèches
    >=Greater than or equal toOpérateurs relationnels
    >>SymboleOpé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-> Options de 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.

    +

    Fonctions reconnues

    +

    Mise en forme automatique au cours de la frappe

    +

    Par défaut, l'éditeur met en forme automatiquement lors de la saisie selon les paramètres de format automatique, comme par exemple appliquer une liste à puces ou une liste numérotée lorsqu'il détecte que vous tapez une liste, remplacer les guillemets ou les traits d'union par un tiret demi-cadratin.

    +

    Si vous souhaitez désactiver une des options de mise en forme automatique, désactivez la case à coche 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-> Options de correction automatique -> Mise en forme automatique au cours de la frappe

    +

    Mise en forme automatique au cours de la frappe

    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/NonprintingCharacters.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/NonprintingCharacters.htm index d948321df..914013fe5 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/NonprintingCharacters.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/NonprintingCharacters.htm @@ -3,7 +3,7 @@ Afficher/masquer les caractères non imprimables - + @@ -11,7 +11,7 @@
    - +

    Afficher/masquer les caractères non imprimables

    Les caractères non imprimables aident à éditer le document. Ils indiquent la présence de différents types de mises en forme, mais ils ne sont pas imprimés, même quand ils sont affichés à l'écran.

    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/OCR.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/OCR.htm new file mode 100644 index 000000000..9aea76773 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/OCR.htm @@ -0,0 +1,30 @@ + + + + Extraction du texte incrusté dans l'image + + + + + + + +
    +
    + +
    +

    Extraction du texte incrusté dans l'image

    +

    En utilisant ONLYOFFICE vous pouvez extraire du texte incrusté dans des images (.png .jpg) et l'insérer dans votre document.

    +
      +
    1. Accédez à votre document et placez le curseur à l'endroit où le texte doit être inséré.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension OCR OCR dans le menu.
    4. +
    5. Appuyez sur Charger fichier et choisissez l'image.
    6. +
    7. Sélectionnez la langue à reconnaître de la liste déroulante Choisir la langue.
    8. +
    9. Appuyez sur Reconnaître.
    10. +
    11. Appuyez sur Insérer le texte.
    12. +
    +

    Vérifiez les erreurs et la mise en page.

    + Gif de l'extension OCR +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/OpenCreateNew.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/OpenCreateNew.htm index ba64ea2dd..441321803 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/OpenCreateNew.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/OpenCreateNew.htm @@ -14,7 +14,7 @@

    Créer un nouveau document ou ouvrir un document existant

    -
    Pour créer un nouveau document
    +

    Pour créer un nouveau document

    Dans la version en ligne

      @@ -32,7 +32,7 @@
    -
    Pour ouvrir un document existant
    +

    Pour ouvrir un document existant

    Dans l’éditeur de bureau

    1. dans la fenêtre principale du programme, sélectionnez l'élément de menu Ouvrir fichier local dans la barre latérale gauche,
    2. @@ -42,7 +42,7 @@

      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 un document récemment édité
    +

    Pour ouvrir un document récemment édité

    Dans la version en ligne

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/PageBreaks.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/PageBreaks.htm index ff6d7ecbb..6cae470a1 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/PageBreaks.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/PageBreaks.htm @@ -3,7 +3,7 @@ Insérer des sauts de page - + @@ -11,28 +11,29 @@
      - +

      Insérer des sauts de page

      Dans Document Editor, vous pouvez ajouter un saut de page pour commencer une nouvelle page, insérer une page blanche et régler les options de pagination.

      -

      Pour insérer un saut de page à la position actuelle du curseur, cliquez sur l'icône icône Saut de section Sauts de page de l'onglet Insertion ou Mise en page de la barre d'outils supérieure ou cliquez sur la flèche en regard de cette icône et sélectionnez l'option Insérer un saut de page dans le menu. Vous pouvez également utiliser la combinaison de touches Ctrl+Entrée.

      -

      Pour insérer une page blanche à la position actuelle du curseur, cliquez sur l'icône Icône de page blanche Page vierge dans l'onglet Insérer de la barre d'outils supérieure. Cela insère deux sauts de page qui créent une page blanche.

      -

      Pour insérer un saut de page avant le paragraphe sélectionné c'est-à-dire pour commencer ce paragraphe en haut d'une nouvelle page :

      +

      Pour insérer un saut de page à la position actuelle du curseur, cliquez sur l'icône L'icône de Sauts Sauts de page sous l'onglet Insérer ou Disposition de la barre d'outils supérieure ou cliquez sur la flèche en regard de cette icône et sélectionnez l'option Insérer un saut de page dans le menu. Vous pouvez également utiliser la combinaison de touches Ctrl+Entrée.

      +

      Pour insérer une page blanche à la position actuelle du curseur, cliquez sur l'icône L'icône de page blanche Page vierge sous l'onglet Insérer de la barre d'outils supérieure. Cela insère deux sauts de page qui créent une page blanche.

      +

      Pour insérer un saut de page avant le paragraphe sélectionné c'est-à-dire pour commencer ce paragraphe en haut d'une nouvelle page:

        -
      • cliquez avec le bouton droit de la souris et sélectionnez l'option Saut de page avant du menu contextuel, ou
      • -
      • cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite et cochez la case Saut de page avant dans la fenêtre Paragraphe - Paramètres avancés ouverte.
      • +
      • cliquez avec le bouton droit de la souris et sélectionnez l'option Saut de page avant du menu contextuel, ou
      • +
      • cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite et cochez la case Saut de page avant sous l'onglet Enchaînements dans la fenêtre Paragraphe - Paramètres avancés ouverte. +
      -

      Pour garder les lignes solidaires de sorte que seuleument des paragraphes entiers seront placés sur la nouvelle page (c'est-à-dire il n'y aura aucun saut de page entre les lignes dans un seul paragraphe),

      +

      Pour garder les lignes solidaires de sorte que seulement des paragraphes entiers seront placés sur la nouvelle page (c'est-à-dire il n'y aura aucun saut de page entre les lignes dans un seul paragraphe),

        -
      • cliquez avec le bouton droit de la souris et sélectionnez l'option Lignes solidaires du menu contextuel, ou
      • -
      • cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite et cochez la case Lignes solidaires dans la fenêtre Paragraphe - Paramètres avancés ouverte.
      • +
      • cliquez avec le bouton droit de la souris et sélectionnez l'option Lignes solidaires du menu contextuel, ou
      • +
      • cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite et cochez la case Lignes solidaires sous l'onglet Enchaînements dans la fenêtre Paragraphe - Paramètres avancés ouverte.
      -

      La fenêtre Paragraphe - Paramètres avancés vous permet de définir deux autres options de pagination :

      +

      L'onglet Enchaînements dans la fenêtre Paragraphe - Paramètres avancés vous permet de définir deux autres options de pagination:

        -
      • Paragraphes solidaires sert à empêcher l’application du saut de page entre le paragraphe sélectionné et celui-ci qui le suit.
      • -
      • Éviter orphelines est sélectionné par défaut et sert à empêcher l’application d'une ligne (première ou dernière) d'un paragraphe en haut ou en bas d'une page.
      • +
      • Paragraphes solidaires sert à empêcher l'application du saut de page entre le paragraphe sélectionné et celui-ci qui le suit.
      • +
      • Éviter orphelines est sélectionné par défaut et sert à empêcher l'application d'une ligne (première ou dernière) d'un paragraphe en haut ou en bas d'une page.
      -

      Paramètres du paragraphe avancés - Retraits et emplacement

      +

      Paramètres avancés du paragraphe  - Enchaînements

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ParagraphIndents.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ParagraphIndents.htm index 4848a208e..8d93b1eb1 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ParagraphIndents.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ParagraphIndents.htm @@ -3,7 +3,7 @@ Changer les retraits de paragraphe - + @@ -11,7 +11,7 @@
      - +

      Changer les retraits de paragraphe

      En utilisant Document Editor, vous pouvez changer le premier décalage de la ligne sur la partie gauche de la page aussi bien que le décalage du paragraphe du côté gauche et du côté droit de la page.

      diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/PhotoEditor.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/PhotoEditor.htm new file mode 100644 index 000000000..2a969ddab --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/PhotoEditor.htm @@ -0,0 +1,55 @@ + + + + Modification d'une image + + + + + + + +
      +
      + +
      +

      Modification d'une image

      +

      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.

      +
        +
      1. Sélectionnez une image incorporée dans votre document.
      2. +
      3. + Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Photo Editor 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.
        +
      4. + Une fois que vous avez terminé, cliquez sur OK. +
      5. +
      +

      Maintenant l'image modifiée est insérée dans votre document.

      + Gif de l'extension Images +
      + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm index 005e5977b..13465e6e9 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SavePrintDownload.htm @@ -3,7 +3,7 @@ Enregistrer / télécharger / imprimer votre document - + @@ -11,51 +11,52 @@
      - -
      -

      Enregistrer / télécharger / imprimer votre document

      + +
      +

      Enregistrer /télécharger /imprimer votre document

      Enregistrement

      -

      Par défaut, en ligne Document Editor 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.

      +

      Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés .

      Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels,

        -
      • cliquez sur l'icône Enregistrer 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.
      • +
      • cliquez sur l'icône Enregistrer 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.
      -

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

      +

      Remarque: dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés .

      -

      Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format,

      +

      Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format,

        -
      1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      2. -
      3. sélectionnez l'option Enregistrer sous...,
      4. -
      5. sélectionnez l'un des formats disponibles selon vos besoins : DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option Modèle de document (DOTX ou OTT).
      6. +
      7. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      8. +
      9. sélectionnez l'option Enregistrer sous...,
      10. +
      11. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option Modèle de document (DOTX ou OTT).

      Téléchargement en cours

      -

      Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur,

      +

      Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur,

        -
      1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      2. -
      3. sélectionnez l'option Télécharger comme,
      4. -
      5. sélectionnez l'un des formats disponibles selon vos besoins : DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.
      6. +
      7. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      8. +
      9. sélectionnez l'option Télécharger comme...,
      10. +
      11. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML.

      Enregistrer une copie

      -

      Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail,

      +

      Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail,

        -
      1. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      2. -
      3. sélectionnez l'option Enregistrer la copie sous...,
      4. -
      5. sélectionnez l'un des formats disponibles selon vos besoins : DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML,
      6. -
      7. sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer.
      8. +
      9. cliquez sur l'onglet Fichier de la barre d'outils supérieure,
      10. +
      11. sélectionnez l'option Enregistrer la copie sous...,
      12. +
      13. sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML,
      14. +
      15. sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer.

      Impression

      Pour imprimer le document actif,

        -
      • cliquez sur l'icône Imprimer 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.
      • +
      • cliquez sur l'icône Imprimer 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.
      -

      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.

      +

      Il est aussi possible d'imprimer un passage de texte en utilisant l'option Imprimer la sélection dans le menu contextuel aussi bien dans la mode Édition que dans la mode Affichage (cliquez avec le bouton droit de la souris et sélectionnez l'option Imprimer la sélection).

      +

      Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe.

      \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SectionBreaks.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SectionBreaks.htm index bc91c2018..fd5a7f6fd 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SectionBreaks.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SectionBreaks.htm @@ -3,7 +3,7 @@ Insérer les sauts de section - + @@ -30,7 +30,7 @@

    Des sauts d'une section ajoutés sont indiqués dans votre document par un double trait pointillé: Section break

    Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône icône Caractères non imprimables de l'onglet Accueil sur la barre d'outils supérieure pour les afficher.

    -

    Pour supprimer un saut de section, sélectionnez-le avec le souris et appuyez sur la touche Supprimer. Lorsque vous supprimez un saut de section, la mise en forme de cette section sera également supprimée, car un saut de section définit la mise en forme de la section précédente. La partie du document qui précède le saut de section supprimé acquiert la mise en forme de la partie qui la suive.

    +

    Pour supprimer un saut de section, sélectionnez-le avec le souris et appuyez sur la touche Suppr. Lorsque vous supprimez un saut de section, la mise en forme de cette section sera également supprimée, car un saut de section définit la mise en forme de la section précédente. La partie du document qui précède le saut de section supprimé acquiert la mise en forme de la partie qui la suive.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm index 1048e3a97..b05057b01 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetPageParameters.htm @@ -3,23 +3,23 @@ Régler les paramètres de page - + -
    -
    - -
    -

    Régler les paramètres de page

    -

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

    -

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

    -

    Orientation de page

    -

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

    +
    +
    + +
    +

    Régler les paramètres de page

    +

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

    +

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

    +

    Orientation de page

    +

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

    Taille de la page

    -

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

    +

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

    • US Letter (21,59cm x 27,94cm)
    • US Legal (21,59cm x 35,56cm)
    • @@ -35,28 +35,34 @@
    • Envelope Choukei 3 (11,99cm x 23,49cm)
    • Super B/A3 (33,02cm x 48,25cm)
    -

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

    -

    Custom Page Size

    +

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

    +

    Taille personnalisée de page

    Marges de la page

    -

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

    +

    Modifiez les marges par défaut, c-à-d l'espace entre les bords de la page et le texte du paragraphe, en cliquant sur l'icône Marges L'icône Marge et sélectionnez un des paramètres prédéfinis: Normal, US Normal, Étroit, Modérer, Large. Vous pouvez aussi utiliser l'option Marges personnalisées pour définir les valeurs nécessaires dans la fenêtre Marges qui s'ouvre. Entrez les valeurs des marges Haut, Bas, Gauche et Droite de la page dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction.

    Marges personnalisées

    +

    Position de la reliure permet de définir l'espace supplémentaire à la marge latérale gauche ou supérieure du document. La Position de reliure assure que la reliure n'empiète pas sur le texte. Dans la fenêtre Marges spécifiez la talle de marge et la position de la reliure appropriée.

    +

    Remarque: ce n'est pas possible de définir la Position de reliure lorsque l'option des Pages en vis-à-vis est active.

    +

    Dans le menu déroulante Plusieurs pages, choisissez l'option des Pages en vis-à-vis pour configurer des pages en regard dans des documents recto verso. Lorsque cette option est activée, les marges Gauche et Droite se transforment en marges A l'intérieur et A l'extérieur respectivement.

    +

    Dans le menu déroulante Orientation choisissez Portrait ou Paysage.

    +

    Toutes les modifications apportées s'affichent dans la fenêtre Aperçu.

    +

    Lorsque tout est prêt, cliquez sur OK. Les marges personnalisées seront appliquées au document actuel et l'option Dernière mesure avec les paramètres spécifiés apparaît dans la liste des Marges de la page L'icône Marge pour que vous puissiez les appliquer à d'autres documents.

    Vous pouvez également modifier les marges manuellement en faisant glisser la bordure entre les zones grises et blanches sur les règles (les zones grises des règles indiquent les marges de page):

    Ajustement des marges

    Colonnes

    -

    Pour appliquez une mise en page multicolonne, cliquez sur l'icône Insérer des colonnes icône Insérer des colonnes et sélectionnez le type de la colonne nécessaire dans la liste déroulante. Les options suivantes sont disponibles :

    +

    Pour appliquez une mise en page multicolonne, cliquez sur l'icône Colonnes L'icône Colonnes et sélectionnez le type de la colonne nécessaire dans la liste déroulante. Les options suivantes sont disponibles:

      -
    • Deux icône deux colonnes - pour ajouter deux colonnes de la même largeur,
    • -
    • Trois icône trois colonnes - pour ajouter trois colonnes de la même largeur,
    • -
    • A gauche icône colonne gauche - pour ajouter deux colonnes: une étroite colonne à gauche et une large colonne à droite,
    • -
    • A droite icône colonne droite - pour ajouter deux colonnes: une étroite colonne à droite et une large colonne à gauche.
    • +
    • Deux L'icône deux colonnes - pour ajouter deux colonnes de la même largeur,
    • +
    • Trois L'icône trois colonnes - pour ajouter trois colonnes de la même largeur,
    • +
    • A gauche L'icône colonne gauche - pour ajouter deux colonnes: une étroite colonne à gauche et une large colonne à droite,
    • +
    • A droite L'icône colonne droite - pour ajouter deux colonnes: une étroite colonne à droite et une large colonne à gauche.
    -

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

    +

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

    Colonnes personnalisées

    -

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

    -

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

    +

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

    +

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

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

    -

    Espacemment entre les colonnes

    -

    Pour annuler les colonnes et revenir à la disposition en une seule colonne, cliquez sur l'icône Insérer des colonnes icône Insérer des colonnes de la barre d'outils supérieure et sélectionnez l'option Une icône Une colonne dans la liste.

    -
    +

    L'espacement entre les colonnes

    +

    Pour annuler les colonnes et revenir à la disposition en une seule colonne, cliquez sur l'icône Colonnes L'icône Colonnes de la barre d'outils supérieure et sélectionnez l'option Une L'icône Une colonne dans la liste.

    +
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetTabStops.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetTabStops.htm index 8edda4958..e8016d95e 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetTabStops.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/SetTabStops.htm @@ -3,7 +3,7 @@ Définir des taquets de tabulation - + @@ -11,29 +11,35 @@
    - +

    Définir des taquets de tabulation

    -

    Document Editor 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.

    -

    Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale :

    +

    Document Editor vous permet de changer des taquets de tabulation. Taquet de tabulation est l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier.

    +

    Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale:

      -
    1. Sélectionnez le type du taquet de tabulation en cliquant sur le bouton Taquet de tabulation de gauche dans le coin supérieur gauche de la zone de travail. Trois types de taquets de tabulationsont disponibles :
        -
      • De gauche Taquet de tabulation de gauche - sert à aligner le texte sur le côté gauche du taquet de tabulation ; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur Marqueur du taquet de tabulation de gauche.
      • -
      • Du centre Taquet de tabulation du centre - sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur Marqueur du taquet de tabulation du centre.
      • -
      • De droite Taquet de tabulation de droite - sert à aligner le texte sur le côté droit du taquet de tabulation ; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur Marqueur du taquet de tabulation de droite.
      • +
      • Sélectionnez le type du taquet de tabulation en cliquant sur le bouton Bouton de Taquet de tabulation de gauche dans le coin supérieur gauche de la zone de travail. Trois types de taquets de tabulation sont disponibles: +
          +
        • De gauche Bouton de Taquet de tabulation de gauche sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de Taquet de tabulation de gauche Marqueur de Taquet de tabulation de gauche .
        • +
        • Du centre Bouton de Taquet de tabulation centré sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de Taquet de tabulation centré Marqueur de Taquet de tabulation centré .
        • +
        • De droite Bouton de taquet de tabulation de droite sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de Taquet de tabulation de droite Marqueur de taquet de tabulation de droite .
      • -
      • Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle.

        Règle horizontale avec les taquets de tabulation ajoutés

        +
      • Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. +

        Règle horizontale avec les taquets de tabulation ajoutés


    -

    Vous pouvez également utiliser la fenêtre des paramètres avancés du paragraphe pour régler les taquets de tabulation. Cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite, et passez à l'onglet Tabulation de la fenêtre Paragraphe - Paramètres avancés.

    Paramètres du paragraphe - onglet Tabulation

    Vous y pouvez définir les paramètres suivants :

    +

    Vous pouvez également utiliser la fenêtre des paramètres avancés du paragraphe pour régler les taquets de tabulation. Cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite, et passez à l'onglet Tabulation de la fenêtre Paragraphe - Paramètres avancés.

    + Paramètres du paragraphe - onglet Tabulation +

    Vous y pouvez définir les paramètres suivants:

      -
    • 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. Si vous avez déjà ajouté qualques taquets de tabulation en utilisant la règle, tous ces taquets seront affichés dans cette liste.
    • -
    • La tabulation Par défaut est 1.25 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans le champ.
    • -
    • Alignement sert à définir le type d'alignment 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.
    • -
    • Points de suite - permet de choisir un caractère utilisé pour créer des points de suite pour chacune des positions de tabulation. Les points de suite sont une ligne de caractères (points ou traits d'union) qui remplissent l'espace entre les taquets. Sélectionnez le taquet voulu dans la liste, choisissez le type de points de suite dans la liste dans la liste déroulante et cliquez sur le bouton .

      Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste.

      -
    • +
    • La tabulation Par défaut est 1.25 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. Si vous avez déjà ajouté quelques taquets de tabulation en utilisant la règle, tous ces taquets seront affichés dans cette liste.
    • +
    • 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.
    • +
    • + Guide permet de choisir un caractère utilisé pour créer un guide pour chacune des positions de tabulation. Le guide est une ligne de caractères (points ou traits d'union) qui remplissent l'espace entre les taquets. Sélectionnez le taquet voulu dans la liste, choisissez le type de points de suite dans la liste dans la liste déroulante et cliquez sur le bouton Spécifier. +

      Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste.

      +
    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/Speech.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Speech.htm new file mode 100644 index 000000000..b38ea5337 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Speech.htm @@ -0,0 +1,25 @@ + + + + Lire un texte à haute voix + + + + + + + +
    +
    + +
    +

    Lire un texte à haute voix

    +

    ONLYOFFICE dispose d'une extension qui va lire un texte à voix haute.

    +
      +
    1. Sélectionnez le texte à lire à haute voix.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Parole Parole.
    4. +
    +

    Le texte sera lu à haute voix.

    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm new file mode 100644 index 000000000..c2a5aab09 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Thesaurus.htm @@ -0,0 +1,29 @@ + + + + Remplacer un mot par synonyme + + + + + + + +
    +
    + +
    +

    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 vous permet de trouver les synonymes. Retrouvez les antonymes du mot affiché aussi. +

    +
      +
    1. Sélectionnez le mot dans votre document.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Thésaurus Thésaurus.
    4. +
    5. Le panneau gauche liste les synonymes et les antonymes.
    6. +
    7. Cliquez sur le mot à remplacer dans votre document.
    8. +
    + Gif de l'extension Thésaurus +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/Translator.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Translator.htm new file mode 100644 index 000000000..39fce6925 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Translator.htm @@ -0,0 +1,38 @@ + + + + Traduire un texte + + + + + + + +
    +
    + +
    +

    Traduire un texte

    +

    Vous pouvez traduire votre document dans de nombreuses langues disponibles.

    +
      +
    1. Sélectionnez le texte à traduire.
    2. +
    3. Passez à l'onglet Modules complémentaires et choisissez L'icône de l'extension Traducteur Traducteur, l'application de traduction fait son apparition dans le panneau de gauche.
    4. +
    +

    La langue du texte choisie est détectée automatiquement et le texte est traduit dans la langue par défaut.

    + Gif de l'extension Traducteur + +

    Changez la langue cible:

    +
      +
    1. Cliquer sur la liste déroulante en bas du panneau et sélectionnez la langue préférée.
    2. +
    +

    La traduction va changer tout de suite.

    + +

    Détection erronée de la langue source

    +

    Lorsqu'une détection erronée se produit, il faut modifier les paramètres de l'application:

    +
      +
    1. Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée.
    2. +
    +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/UseMailMerge.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/UseMailMerge.htm index 25ed67ac6..f9cb7fa8d 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/UseMailMerge.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/UseMailMerge.htm @@ -3,7 +3,7 @@ Utiliser le Publipostage - + @@ -11,7 +11,7 @@
    - +

    Utiliser le Publipostage

    Remarque : cette option n'est disponible que dans la version en ligne.

    @@ -62,7 +62,7 @@
    • PDF - pour créer un document unique au format PDF qui inclut toutes les copies fusionnées afin que vous puissiez les imprimer plus tard
    • Docx - pour créer un document unique au format Docx qui inclut toutes les copies fusionnées afin que vous puissiez éditer les copies individuelles plus tard
    • -
    • Email - pour envoyer les résultats aux destinataires par email

      Remarque : les adresses e-mail des destinataires doivent être spécifiées dans la source de données chargée et vous devez disposer d'au moins un compte de messagerie connecté dans le module Courrier de votre portail.

      +
    • Email - pour envoyer les résultats aux destinataires par email

      Remarque : les adresses e-mail des destinataires doivent être spécifiées dans la source de données chargée et vous devez disposer d'au moins un compte de messagerie connecté dans le module Mail de votre portail.

    diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm index 4c654ef2d..5fa0c2198 100644 --- a/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/ViewDocInfo.htm @@ -3,7 +3,7 @@ Afficher les informations sur le document - + @@ -11,29 +11,39 @@
    - +

    Afficher les informations sur le document

    -

    Pour accéder aux informations détaillées sur le document actuellement édité, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations sur le document....

    +

    Pour accéder aux informations détaillées sur le document actuellement édité, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Descriptif du document....

    Informations générales

    -

    Les informations du document comprennent le titre du document, l'application avec laquelle le document a été créé et les statistiques : le nombre de pages, paragraphes, mots, symboles, symboles avec espaces. Dans la version en ligne, les informations suivantes sont également affichées : auteur, lieu, date de création.

    +

    Le descriptif du document comprend l'ensemble des propriétés d'un document. 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.
    • +
    • Statistiques - le nombre de pages, paragraphes, mots, symboles, symboles avec des espaces.
    • +
    • 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 document. Cette option est disponible pour édition collaborative du document quand plusieurs utilisateurs travaillent sur un même document.
    • +
    • Application - l'application dans laquelle on a créé le document.
    • +
    • 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 document 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 document 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 document, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche.

    -

    Si vous avez l'accès complet à cette présentation, 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.

    +

    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 disponible que pour les utilisateurs disposant des autorisations en Lecture seule.

    +

    Pour savoir qui a le droit d'afficher ou de modifier le document, 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 à ce document, sélectionnez l'option Historique des versions dans la barre latérale de gauche. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Icône Historique des versions Historique des versions de l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce document (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 document, 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. 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. 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 disponible que pour les utilisateurs disposant des autorisations en Lecture seule.

    +

    Pour afficher toutes les modifications apportées à ce document, sélectionnez l'option Historique des versions dans la barre latérale de gauche. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône L'icône Historique des versions Historique des versions de l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce document (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 document, 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. 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. 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 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 document, sélectionnez l'option Retour au document.

    +

    Pour fermer l'onglet Fichier et reprendre le travail sur votre document, sélectionnez l'option Retour au document.

    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/Wordpress.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Wordpress.htm new file mode 100644 index 000000000..178b18266 --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/Wordpress.htm @@ -0,0 +1,29 @@ + + + + Télécharger un document sur Wordpress + + + + + + + +
    +
    + +
    +

    Télécharger un document sur Wordpress

    +

    Vous pouvez écrire vos articles dans l'environnement ONLYOFFICE et les télécharger sur Wordpress.

    +

    Se connecter à Wordpress

    +
      +
    1. Ouvrez un document.
    2. +
    3. Passez à l'onglet Module complémentaires et choisissez L'icône de l'extension Wordpress Wordpress.
    4. +
    5. Connectez-vous à votre compte Wordpress et choisissez la page web à laquelle vous souhaitez ajouter votre document.
    6. +
    7. Tapez le titre de votre article.
    8. +
    9. Cliquer sur Publier pour le publier tout de suite ou sur Enregistrer comme brouillon pour le publier plus tard de votre site ou application Wordpress.
    10. +
    + Gif de l'extension Wordpress +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/UsageInstructions/YouTube.htm b/apps/documenteditor/main/resources/help/fr/UsageInstructions/YouTube.htm new file mode 100644 index 000000000..1452bb44e --- /dev/null +++ b/apps/documenteditor/main/resources/help/fr/UsageInstructions/YouTube.htm @@ -0,0 +1,31 @@ + + + + Insérer une vidéo + + + + + + + +
    +
    + +
    +

    Insérer une vidéo

    +

    Vous pouvez insérer une vidéo dans votre document. 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. +
    3. Accédez à votre document et placez le curseur à l'endroit où la vidéo doit être insérée.
    4. +
    5. Passezà l'onglet Modules compléméntaires et choisissez L'icône de l'extension Youtube YouTube.
    6. +
    7. Collez l'URL et cliquez sur OK.
    8. +
    9. Vérifiez si la vidéo est vrai et cliquez sur OK au-dessous la vidéo.
    10. +
    +

    Maintenant la vidéo est insérée dans votre document

    + Gif de l'extension Youtube +
    + + \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/editor.css b/apps/documenteditor/main/resources/help/fr/editor.css index cbedb7bef..fbe1796a6 100644 --- a/apps/documenteditor/main/resources/help/fr/editor.css +++ b/apps/documenteditor/main/resources/help/fr/editor.css @@ -6,11 +6,21 @@ color: #444; background: #fff; } +.cross-reference th{ +text-align: center; +vertical-align: middle; +} + +.cross-reference td{ +text-align: center; +vertical-align: middle; +} + img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -186,4 +196,38 @@ kbd { box-shadow: 0 1px 3px rgba(85,85,85,.35); margin: 0.2em 0.1em; color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/fr/images/abouticon.png b/apps/documenteditor/main/resources/help/fr/images/abouticon.png new file mode 100644 index 000000000..29b5a244c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/abouticon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/addfootnote.png b/apps/documenteditor/main/resources/help/fr/images/addfootnote.png index b0baf66eb..309c55e5e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/addfootnote.png and b/apps/documenteditor/main/resources/help/fr/images/addfootnote.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/addgradientpoint.png b/apps/documenteditor/main/resources/help/fr/images/addgradientpoint.png new file mode 100644 index 000000000..6a4ca4cc4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/addgradientpoint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/align_toptoolbar.png b/apps/documenteditor/main/resources/help/fr/images/align_toptoolbar.png index 547bb0afa..1e454ee21 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/align_toptoolbar.png and b/apps/documenteditor/main/resources/help/fr/images/align_toptoolbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/alignobjectbottom.png b/apps/documenteditor/main/resources/help/fr/images/alignobjectbottom.png index 77c129b08..beb3b4079 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/alignobjectbottom.png and b/apps/documenteditor/main/resources/help/fr/images/alignobjectbottom.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/alignobjectcenter.png b/apps/documenteditor/main/resources/help/fr/images/alignobjectcenter.png index d5dfa006b..f7c1d6ea6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/alignobjectcenter.png and b/apps/documenteditor/main/resources/help/fr/images/alignobjectcenter.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/alignobjectleft.png b/apps/documenteditor/main/resources/help/fr/images/alignobjectleft.png index f517f1408..3ba7ab2d4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/alignobjectleft.png and b/apps/documenteditor/main/resources/help/fr/images/alignobjectleft.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/alignobjectmiddle.png b/apps/documenteditor/main/resources/help/fr/images/alignobjectmiddle.png index aeb9b0b60..848493cf1 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/alignobjectmiddle.png and b/apps/documenteditor/main/resources/help/fr/images/alignobjectmiddle.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/alignobjectright.png b/apps/documenteditor/main/resources/help/fr/images/alignobjectright.png index db5acf7f4..0b5a9d2c2 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/alignobjectright.png and b/apps/documenteditor/main/resources/help/fr/images/alignobjectright.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/alignobjecttop.png b/apps/documenteditor/main/resources/help/fr/images/alignobjecttop.png index 05c1957f6..1c00650c9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/alignobjecttop.png and b/apps/documenteditor/main/resources/help/fr/images/alignobjecttop.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png b/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png new file mode 100644 index 000000000..5276a4d2d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/autoformatasyoutype.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/axislabels.png b/apps/documenteditor/main/resources/help/fr/images/axislabels.png new file mode 100644 index 000000000..0489808df Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/axislabels.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/backgroundcolor.png b/apps/documenteditor/main/resources/help/fr/images/backgroundcolor.png index 5929239d6..d9d5a8c21 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/backgroundcolor.png and b/apps/documenteditor/main/resources/help/fr/images/backgroundcolor.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/bold.png b/apps/documenteditor/main/resources/help/fr/images/bold.png index 8b50580a0..ff78d284e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/bold.png and b/apps/documenteditor/main/resources/help/fr/images/bold.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/bookmark_window2.png b/apps/documenteditor/main/resources/help/fr/images/bookmark_window2.png new file mode 100644 index 000000000..66b5098b4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/bookmark_window2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/bulletedlistsettings.png b/apps/documenteditor/main/resources/help/fr/images/bulletedlistsettings.png new file mode 100644 index 000000000..451650f72 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/bulletedlistsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow.png b/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow.png index 3b05c425b..6daad088b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow.png and b/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow2.png b/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow2.png new file mode 100644 index 000000000..c4828d61e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/ccsettingswindow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/cellvalue.png b/apps/documenteditor/main/resources/help/fr/images/cellvalue.png new file mode 100644 index 000000000..f8ad1152a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/cellvalue.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/cellvalueformula.gif b/apps/documenteditor/main/resources/help/fr/images/cellvalueformula.gif new file mode 100644 index 000000000..c4e9643eb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/cellvalueformula.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/changecolorscheme.png b/apps/documenteditor/main/resources/help/fr/images/changecolorscheme.png index f9464e5f4..9ef44daaf 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/changecolorscheme.png and b/apps/documenteditor/main/resources/help/fr/images/changecolorscheme.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/changerange.png b/apps/documenteditor/main/resources/help/fr/images/changerange.png new file mode 100644 index 000000000..17df78932 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/changerange.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chart_settings_icon.png b/apps/documenteditor/main/resources/help/fr/images/chart_settings_icon.png index d479753b6..a490b12e0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/chart_settings_icon.png and b/apps/documenteditor/main/resources/help/fr/images/chart_settings_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartdata.png b/apps/documenteditor/main/resources/help/fr/images/chartdata.png new file mode 100644 index 000000000..c14dc1ae7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/chartdata.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartsettings.png b/apps/documenteditor/main/resources/help/fr/images/chartsettings.png index 0e5e126e7..c386a8388 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/chartsettings.png and b/apps/documenteditor/main/resources/help/fr/images/chartsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartsettings2.png b/apps/documenteditor/main/resources/help/fr/images/chartsettings2.png index 1488fa269..c276e3142 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/chartsettings2.png and b/apps/documenteditor/main/resources/help/fr/images/chartsettings2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartsettings3.png b/apps/documenteditor/main/resources/help/fr/images/chartsettings3.png index 4d523807b..362d702c6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/chartsettings3.png and b/apps/documenteditor/main/resources/help/fr/images/chartsettings3.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartsettings4.png b/apps/documenteditor/main/resources/help/fr/images/chartsettings4.png index d96d8961a..c35a7eeb4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/chartsettings4.png and b/apps/documenteditor/main/resources/help/fr/images/chartsettings4.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartsettings5.png b/apps/documenteditor/main/resources/help/fr/images/chartsettings5.png index 5b43a9184..25f26d8db 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/chartsettings5.png and b/apps/documenteditor/main/resources/help/fr/images/chartsettings5.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/chartsettings6.png b/apps/documenteditor/main/resources/help/fr/images/chartsettings6.png new file mode 100644 index 000000000..d604b1e35 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/chartsettings6.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkboxcontentcontrol.png b/apps/documenteditor/main/resources/help/fr/images/checkboxcontentcontrol.png new file mode 100644 index 000000000..4138e5af6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkboxcontentcontrol.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkboxcontentcontrol2.png b/apps/documenteditor/main/resources/help/fr/images/checkboxcontentcontrol2.png new file mode 100644 index 000000000..9dd74901c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkboxcontentcontrol2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/checkboxsettings.png b/apps/documenteditor/main/resources/help/fr/images/checkboxsettings.png new file mode 100644 index 000000000..ba629b9c9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/checkboxsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/close_icon.png b/apps/documenteditor/main/resources/help/fr/images/close_icon.png new file mode 100644 index 000000000..3ee2f1cb9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/close_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/comboboxaddvalue.png b/apps/documenteditor/main/resources/help/fr/images/comboboxaddvalue.png new file mode 100644 index 000000000..db9705b2a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/comboboxaddvalue.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/comboboxcontentcontrol.png b/apps/documenteditor/main/resources/help/fr/images/comboboxcontentcontrol.png new file mode 100644 index 000000000..31277bec6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/comboboxcontentcontrol.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/comboboxcontentcontrol2.png b/apps/documenteditor/main/resources/help/fr/images/comboboxcontentcontrol2.png new file mode 100644 index 000000000..8ed3dee1c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/comboboxcontentcontrol2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/comboboxsettings.png b/apps/documenteditor/main/resources/help/fr/images/comboboxsettings.png new file mode 100644 index 000000000..c4532c5be Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/comboboxsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/comparison.png b/apps/documenteditor/main/resources/help/fr/images/comparison.png new file mode 100644 index 000000000..20f2396d7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/comparison.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/convert_footnotes_endnotes.png b/apps/documenteditor/main/resources/help/fr/images/convert_footnotes_endnotes.png new file mode 100644 index 000000000..52c99187c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/convert_footnotes_endnotes.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/convertequation.png b/apps/documenteditor/main/resources/help/fr/images/convertequation.png new file mode 100644 index 000000000..fc17e9a56 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/convertequation.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/converttorange.png b/apps/documenteditor/main/resources/help/fr/images/converttorange.png new file mode 100644 index 000000000..5e07ac2e4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/converttorange.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/copystyle.png b/apps/documenteditor/main/resources/help/fr/images/copystyle.png index 45c836fa2..522438ec8 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/copystyle.png and b/apps/documenteditor/main/resources/help/fr/images/copystyle.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/copystyle_selected.png b/apps/documenteditor/main/resources/help/fr/images/copystyle_selected.png index c51b1a456..b865f76ce 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/copystyle_selected.png and b/apps/documenteditor/main/resources/help/fr/images/copystyle_selected.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/create_pivot.png b/apps/documenteditor/main/resources/help/fr/images/create_pivot.png new file mode 100644 index 000000000..f872b1a7d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/create_pivot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/cross_refference_window.png b/apps/documenteditor/main/resources/help/fr/images/cross_refference_window.png new file mode 100644 index 000000000..7ca65227f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/cross_refference_window.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/custommargins.png b/apps/documenteditor/main/resources/help/fr/images/custommargins.png index 4ae63136d..98e50a61d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/custommargins.png and b/apps/documenteditor/main/resources/help/fr/images/custommargins.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/customtable.png b/apps/documenteditor/main/resources/help/fr/images/customtable.png index fc46f500f..0db1118e8 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/customtable.png and b/apps/documenteditor/main/resources/help/fr/images/customtable.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/databars.png b/apps/documenteditor/main/resources/help/fr/images/databars.png new file mode 100644 index 000000000..ac2c4bdaa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/databars.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/date_time.png b/apps/documenteditor/main/resources/help/fr/images/date_time.png new file mode 100644 index 000000000..dc7e876c9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/date_time.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/date_time_icon.png b/apps/documenteditor/main/resources/help/fr/images/date_time_icon.png new file mode 100644 index 000000000..14748b290 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/date_time_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/datecontentcontrol.png b/apps/documenteditor/main/resources/help/fr/images/datecontentcontrol.png new file mode 100644 index 000000000..c5f8f5e63 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/datecontentcontrol.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/datecontentcontrol2.png b/apps/documenteditor/main/resources/help/fr/images/datecontentcontrol2.png new file mode 100644 index 000000000..680d8de39 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/datecontentcontrol2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/datesettings.png b/apps/documenteditor/main/resources/help/fr/images/datesettings.png new file mode 100644 index 000000000..43693eda4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/datesettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/distributehorizontally.png b/apps/documenteditor/main/resources/help/fr/images/distributehorizontally.png index 8e33a0c28..edf546273 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/distributehorizontally.png and b/apps/documenteditor/main/resources/help/fr/images/distributehorizontally.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/distributevertically.png b/apps/documenteditor/main/resources/help/fr/images/distributevertically.png index 1e5f39011..720dab074 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/distributevertically.png and b/apps/documenteditor/main/resources/help/fr/images/distributevertically.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropcap_example.png b/apps/documenteditor/main/resources/help/fr/images/dropcap_example.png index 0259039ce..5b1838829 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/dropcap_example.png and b/apps/documenteditor/main/resources/help/fr/images/dropcap_example.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropcap_margin.png b/apps/documenteditor/main/resources/help/fr/images/dropcap_margin.png index 4aee9c1d5..a3086bb10 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/dropcap_margin.png and b/apps/documenteditor/main/resources/help/fr/images/dropcap_margin.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropcap_properties_1.png b/apps/documenteditor/main/resources/help/fr/images/dropcap_properties_1.png index 2dbcc5e62..af08e4bb6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/dropcap_properties_1.png and b/apps/documenteditor/main/resources/help/fr/images/dropcap_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropcap_text.png b/apps/documenteditor/main/resources/help/fr/images/dropcap_text.png index a5722ed5d..2c4ffd1a5 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/dropcap_text.png and b/apps/documenteditor/main/resources/help/fr/images/dropcap_text.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/dropdownarrow.png b/apps/documenteditor/main/resources/help/fr/images/dropdownarrow.png new file mode 100644 index 000000000..3990baf2b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/dropdownarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/easybib.png b/apps/documenteditor/main/resources/help/fr/images/easybib.png new file mode 100644 index 000000000..661aaf3c1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/easybib.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/easybib_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/easybib_plugin.gif new file mode 100644 index 000000000..47d46ef1f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/easybib_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/editseries.png b/apps/documenteditor/main/resources/help/fr/images/editseries.png new file mode 100644 index 000000000..e6f1877e3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/editseries.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/endnotes_settings.png b/apps/documenteditor/main/resources/help/fr/images/endnotes_settings.png new file mode 100644 index 000000000..1823d4cfa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/endnotes_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/endnotesadded.png b/apps/documenteditor/main/resources/help/fr/images/endnotesadded.png new file mode 100644 index 000000000..e1fe7772f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/endnotesadded.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/endnotetext.png b/apps/documenteditor/main/resources/help/fr/images/endnotetext.png new file mode 100644 index 000000000..ff75baecd Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/endnotetext.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/eraser_tool.png b/apps/documenteditor/main/resources/help/fr/images/eraser_tool.png new file mode 100644 index 000000000..a626da579 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/eraser_tool.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/feedbackicon.png b/apps/documenteditor/main/resources/help/fr/images/feedbackicon.png new file mode 100644 index 000000000..1734e2336 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/feedbackicon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/fill_gradient.png b/apps/documenteditor/main/resources/help/fr/images/fill_gradient.png index c46b644d7..e4668d7ba 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/fill_gradient.png and b/apps/documenteditor/main/resources/help/fr/images/fill_gradient.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/fill_picture.png b/apps/documenteditor/main/resources/help/fr/images/fill_picture.png index edcfcc655..82dc472d3 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/fill_picture.png and b/apps/documenteditor/main/resources/help/fr/images/fill_picture.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/filterbutton.png b/apps/documenteditor/main/resources/help/fr/images/filterbutton.png new file mode 100644 index 000000000..02dd884b1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/filterbutton.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/follow_move.png b/apps/documenteditor/main/resources/help/fr/images/follow_move.png new file mode 100644 index 000000000..496d62547 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/follow_move.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/footnotes_settings.png b/apps/documenteditor/main/resources/help/fr/images/footnotes_settings.png index 41c891799..06a2414ad 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/footnotes_settings.png and b/apps/documenteditor/main/resources/help/fr/images/footnotes_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/gradient.png b/apps/documenteditor/main/resources/help/fr/images/gradient.png new file mode 100644 index 000000000..ead647421 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/gradient.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/group.png b/apps/documenteditor/main/resources/help/fr/images/group.png index 4c6c848ed..d1330ed44 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/group.png and b/apps/documenteditor/main/resources/help/fr/images/group.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/highlight.png b/apps/documenteditor/main/resources/help/fr/images/highlight.png new file mode 100644 index 000000000..06d524ef2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/highlight.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/highlight_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/highlight_plugin.gif new file mode 100644 index 000000000..fe3252c6f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/highlight_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/highlightcolor.png b/apps/documenteditor/main/resources/help/fr/images/highlightcolor.png index 85ef0822b..ba856daf1 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/highlightcolor.png and b/apps/documenteditor/main/resources/help/fr/images/highlightcolor.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/iconsetbikerating.png b/apps/documenteditor/main/resources/help/fr/images/iconsetbikerating.png new file mode 100644 index 000000000..7251111c2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/iconsetbikerating.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/iconsetrevenue.png b/apps/documenteditor/main/resources/help/fr/images/iconsetrevenue.png new file mode 100644 index 000000000..945ce676c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/iconsetrevenue.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/iconsettrafficlights.png b/apps/documenteditor/main/resources/help/fr/images/iconsettrafficlights.png new file mode 100644 index 000000000..b8750b92a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/iconsettrafficlights.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/iconsettrends.png b/apps/documenteditor/main/resources/help/fr/images/iconsettrends.png new file mode 100644 index 000000000..1099f2ef0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/iconsettrends.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/image.png b/apps/documenteditor/main/resources/help/fr/images/image.png index a94916449..c692a2074 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/image.png and b/apps/documenteditor/main/resources/help/fr/images/image.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/image_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/image_plugin.gif new file mode 100644 index 000000000..9f9c14cb1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/image_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/image_settings_icon.png b/apps/documenteditor/main/resources/help/fr/images/image_settings_icon.png index 7bcb03f2e..2693e9fc1 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/image_settings_icon.png and b/apps/documenteditor/main/resources/help/fr/images/image_settings_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insert_pivot.png b/apps/documenteditor/main/resources/help/fr/images/insert_pivot.png new file mode 100644 index 000000000..852443f44 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/insert_pivot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insert_symbol_window2.png b/apps/documenteditor/main/resources/help/fr/images/insert_symbol_window2.png new file mode 100644 index 000000000..077e15cac Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/insert_symbol_window2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insertccicon.png b/apps/documenteditor/main/resources/help/fr/images/insertccicon.png index 98b11b4c5..01255cd54 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/insertccicon.png and b/apps/documenteditor/main/resources/help/fr/images/insertccicon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insertchart.png b/apps/documenteditor/main/resources/help/fr/images/insertchart.png index 10d247f7b..b0b965c50 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/insertchart.png and b/apps/documenteditor/main/resources/help/fr/images/insertchart.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insertpivot.png b/apps/documenteditor/main/resources/help/fr/images/insertpivot.png new file mode 100644 index 000000000..6582b2c9b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/insertpivot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insertslicer.png b/apps/documenteditor/main/resources/help/fr/images/insertslicer.png new file mode 100644 index 000000000..099bc6907 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/insertslicer.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/insertslicer_window.png b/apps/documenteditor/main/resources/help/fr/images/insertslicer_window.png new file mode 100644 index 000000000..f3be65be9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/insertslicer_window.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/inserttab.png b/apps/documenteditor/main/resources/help/fr/images/interface/inserttab.png index e7bf4cfa2..5f51bbc03 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/inserttab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/inserttab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/layouttab.png b/apps/documenteditor/main/resources/help/fr/images/interface/layouttab.png index af261c945..e3b4eeabe 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/layouttab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/layouttab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/pluginstab.png b/apps/documenteditor/main/resources/help/fr/images/interface/pluginstab.png index 9d1d1c57b..f53a9371f 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/pluginstab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/referencestab.png b/apps/documenteditor/main/resources/help/fr/images/interface/referencestab.png index 18859633f..642baf0b4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/referencestab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/referencestab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/interface/reviewtab.png b/apps/documenteditor/main/resources/help/fr/images/interface/reviewtab.png index 57665761c..e53709f63 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/interface/reviewtab.png and b/apps/documenteditor/main/resources/help/fr/images/interface/reviewtab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/italic.png b/apps/documenteditor/main/resources/help/fr/images/italic.png index 08fd67a4d..7d5e6d062 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/italic.png and b/apps/documenteditor/main/resources/help/fr/images/italic.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/larger.png b/apps/documenteditor/main/resources/help/fr/images/larger.png index 1a461a817..39a51760e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/larger.png and b/apps/documenteditor/main/resources/help/fr/images/larger.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/linenumberinglinenumbers_window.png b/apps/documenteditor/main/resources/help/fr/images/linenumberinglinenumbers_window.png new file mode 100644 index 000000000..0b525072e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/linenumberinglinenumbers_window.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/linenumbers_icon.png b/apps/documenteditor/main/resources/help/fr/images/linenumbers_icon.png new file mode 100644 index 000000000..ee9cce34f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/linenumbers_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/linenumbers_window.png b/apps/documenteditor/main/resources/help/fr/images/linenumbers_window.png new file mode 100644 index 000000000..699e5fed8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/linenumbers_window.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/linespacing.png b/apps/documenteditor/main/resources/help/fr/images/linespacing.png index d9324fbfe..b9ef8a37a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/linespacing.png and b/apps/documenteditor/main/resources/help/fr/images/linespacing.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/mendeley.png b/apps/documenteditor/main/resources/help/fr/images/mendeley.png new file mode 100644 index 000000000..14d112510 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/mendeley.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/moveelement.png b/apps/documenteditor/main/resources/help/fr/images/moveelement.png new file mode 100644 index 000000000..74ead64a8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/moveelement.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/multilevellistsettings.png b/apps/documenteditor/main/resources/help/fr/images/multilevellistsettings.png new file mode 100644 index 000000000..eec3cb0e9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/multilevellistsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/multiselect.png b/apps/documenteditor/main/resources/help/fr/images/multiselect.png new file mode 100644 index 000000000..b9b75a987 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/multiselect.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/new_icon.png b/apps/documenteditor/main/resources/help/fr/images/new_icon.png new file mode 100644 index 000000000..6132de3e9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/new_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/nonetemplate.png b/apps/documenteditor/main/resources/help/fr/images/nonetemplate.png new file mode 100644 index 000000000..13b12015a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/nonetemplate.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/numbering.png b/apps/documenteditor/main/resources/help/fr/images/numbering.png index c637c9272..7975aee90 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/numbering.png and b/apps/documenteditor/main/resources/help/fr/images/numbering.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/ocr.png b/apps/documenteditor/main/resources/help/fr/images/ocr.png new file mode 100644 index 000000000..cd2c79988 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/ocr.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/ocr_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/ocr_plugin.gif new file mode 100644 index 000000000..928695b14 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/ocr_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/orderedlistsettings.png b/apps/documenteditor/main/resources/help/fr/images/orderedlistsettings.png new file mode 100644 index 000000000..1228076de Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/orderedlistsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/orientation.png b/apps/documenteditor/main/resources/help/fr/images/orientation.png index e800cc47b..6296a359a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/orientation.png and b/apps/documenteditor/main/resources/help/fr/images/orientation.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pagesize.png b/apps/documenteditor/main/resources/help/fr/images/pagesize.png index bffdbaaa0..d6b212540 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/pagesize.png and b/apps/documenteditor/main/resources/help/fr/images/pagesize.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_borders.png b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_borders.png index c897bbe92..952098be6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_borders.png and b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_borders.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_breaks.png b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_breaks.png new file mode 100644 index 000000000..3ca452275 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_breaks.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_font.png b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_font.png index ab0128e5f..7088b21a1 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_font.png and b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_font.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_indents.png b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_indents.png index 5e9e4ee93..c874e65e5 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_indents.png and b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_indents.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_margins.png b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_margins.png index 237347394..6a41389fd 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/paradvsettings_margins.png and b/apps/documenteditor/main/resources/help/fr/images/paradvsettings_margins.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pencil_tool.png b/apps/documenteditor/main/resources/help/fr/images/pencil_tool.png new file mode 100644 index 000000000..6e006637a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pencil_tool.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/photoeditor.png b/apps/documenteditor/main/resources/help/fr/images/photoeditor.png new file mode 100644 index 000000000..9e34d6996 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/photoeditor.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/picturecontentcontrol.png b/apps/documenteditor/main/resources/help/fr/images/picturecontentcontrol.png new file mode 100644 index 000000000..7082dcf03 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/picturecontentcontrol.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_advanced.png b/apps/documenteditor/main/resources/help/fr/images/pivot_advanced.png new file mode 100644 index 000000000..5495cbcb7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_advanced.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_advanced2.png b/apps/documenteditor/main/resources/help/fr/images/pivot_advanced2.png new file mode 100644 index 000000000..3cad756b8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_advanced2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_advanced3.png b/apps/documenteditor/main/resources/help/fr/images/pivot_advanced3.png new file mode 100644 index 000000000..7308dc606 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_advanced3.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_columns.png b/apps/documenteditor/main/resources/help/fr/images/pivot_columns.png new file mode 100644 index 000000000..ee95bf3a8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_columns.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_compact.png b/apps/documenteditor/main/resources/help/fr/images/pivot_compact.png new file mode 100644 index 000000000..c6d40af98 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_compact.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_filter.png b/apps/documenteditor/main/resources/help/fr/images/pivot_filter.png new file mode 100644 index 000000000..578e4a98c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_filter.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field.png b/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field.png new file mode 100644 index 000000000..e8adbe14d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field_layout.png b/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field_layout.png new file mode 100644 index 000000000..da54467fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field_layout.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field_subtotals.png b/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field_subtotals.png new file mode 100644 index 000000000..805760308 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_filter_field_subtotals.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_filterwindow.png b/apps/documenteditor/main/resources/help/fr/images/pivot_filterwindow.png new file mode 100644 index 000000000..8505950d1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_filterwindow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_menu.png b/apps/documenteditor/main/resources/help/fr/images/pivot_menu.png new file mode 100644 index 000000000..3ef0fc10f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_menu.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_outline.png b/apps/documenteditor/main/resources/help/fr/images/pivot_outline.png new file mode 100644 index 000000000..735056905 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_outline.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_refresh.png b/apps/documenteditor/main/resources/help/fr/images/pivot_refresh.png new file mode 100644 index 000000000..83d92f93f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_refresh.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_rows.png b/apps/documenteditor/main/resources/help/fr/images/pivot_rows.png new file mode 100644 index 000000000..ed4315b74 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_rows.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_selectdata.png b/apps/documenteditor/main/resources/help/fr/images/pivot_selectdata.png new file mode 100644 index 000000000..d57649bdb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_selectdata.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_selectdata2.png b/apps/documenteditor/main/resources/help/fr/images/pivot_selectdata2.png new file mode 100644 index 000000000..f1a4cd75b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_selectdata2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_selectfields.png b/apps/documenteditor/main/resources/help/fr/images/pivot_selectfields.png new file mode 100644 index 000000000..f4db81b52 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_selectfields.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_sort.png b/apps/documenteditor/main/resources/help/fr/images/pivot_sort.png new file mode 100644 index 000000000..752bada40 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_sort.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_tabular.png b/apps/documenteditor/main/resources/help/fr/images/pivot_tabular.png new file mode 100644 index 000000000..600d7d196 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_tabular.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_top.png b/apps/documenteditor/main/resources/help/fr/images/pivot_top.png new file mode 100644 index 000000000..58652419e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_top.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_topten.png b/apps/documenteditor/main/resources/help/fr/images/pivot_topten.png new file mode 100644 index 000000000..d75ef100b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_topten.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_values.png b/apps/documenteditor/main/resources/help/fr/images/pivot_values.png new file mode 100644 index 000000000..ddbca51aa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_values.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivot_values_field_settings.png b/apps/documenteditor/main/resources/help/fr/images/pivot_values_field_settings.png new file mode 100644 index 000000000..c736c9c15 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivot_values_field_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivotselecticon.png b/apps/documenteditor/main/resources/help/fr/images/pivotselecticon.png new file mode 100644 index 000000000..7f44d2efa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivotselecticon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/pivottoptoolbar.png b/apps/documenteditor/main/resources/help/fr/images/pivottoptoolbar.png new file mode 100644 index 000000000..febbc5157 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/pivottoptoolbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/recognizedfunctions.png b/apps/documenteditor/main/resources/help/fr/images/recognizedfunctions.png new file mode 100644 index 000000000..6bc9dfa41 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/recognizedfunctions.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/removecomment_toptoolbar.png b/apps/documenteditor/main/resources/help/fr/images/removecomment_toptoolbar.png new file mode 100644 index 000000000..2351f20be Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/removecomment_toptoolbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/removeduplicates.png b/apps/documenteditor/main/resources/help/fr/images/removeduplicates.png new file mode 100644 index 000000000..acdb32e0c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/removeduplicates.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/removeduplicates_result.png b/apps/documenteditor/main/resources/help/fr/images/removeduplicates_result.png new file mode 100644 index 000000000..4998cf4b4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/removeduplicates_result.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/removeduplicates_warning.png b/apps/documenteditor/main/resources/help/fr/images/removeduplicates_warning.png new file mode 100644 index 000000000..37efe33fa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/removeduplicates_warning.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/removeduplicates_window.png b/apps/documenteditor/main/resources/help/fr/images/removeduplicates_window.png new file mode 100644 index 000000000..f89e2cd73 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/removeduplicates_window.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/removegradientpoint.png b/apps/documenteditor/main/resources/help/fr/images/removegradientpoint.png new file mode 100644 index 000000000..e0675fbbb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/removegradientpoint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/replacetext.png b/apps/documenteditor/main/resources/help/fr/images/replacetext.png new file mode 100644 index 000000000..c5f942663 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/replacetext.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/replacetext.png.png b/apps/documenteditor/main/resources/help/fr/images/replacetext.png.png new file mode 100644 index 000000000..c58a1e115 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/replacetext.png.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/resizeelement.png b/apps/documenteditor/main/resources/help/fr/images/resizeelement.png new file mode 100644 index 000000000..206959166 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/resizeelement.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/review_popup.png b/apps/documenteditor/main/resources/help/fr/images/review_popup.png new file mode 100644 index 000000000..3a583a152 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/review_popup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/right_image.png b/apps/documenteditor/main/resources/help/fr/images/right_image.png index 899b8b528..d781a15dc 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/right_image.png and b/apps/documenteditor/main/resources/help/fr/images/right_image.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/right_image_shape.png b/apps/documenteditor/main/resources/help/fr/images/right_image_shape.png index 884ce4a43..36b4ca0d4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/right_image_shape.png and b/apps/documenteditor/main/resources/help/fr/images/right_image_shape.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/right_pivot.png b/apps/documenteditor/main/resources/help/fr/images/right_pivot.png new file mode 100644 index 000000000..4cd156634 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/right_pivot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/right_slicer.png b/apps/documenteditor/main/resources/help/fr/images/right_slicer.png new file mode 100644 index 000000000..abc9b8c92 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/right_slicer.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/right_table.png b/apps/documenteditor/main/resources/help/fr/images/right_table.png index 30dcd2d2a..515f768a8 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/right_table.png and b/apps/documenteditor/main/resources/help/fr/images/right_table.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/rowsandcolumns.png b/apps/documenteditor/main/resources/help/fr/images/rowsandcolumns.png new file mode 100644 index 000000000..57b0c7834 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/rowsandcolumns.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/selectcolumn.png b/apps/documenteditor/main/resources/help/fr/images/selectcolumn.png new file mode 100644 index 000000000..bf2e03387 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/selectcolumn.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/selectdata.png b/apps/documenteditor/main/resources/help/fr/images/selectdata.png new file mode 100644 index 000000000..29e756dee Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/selectdata.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/selectrow.png b/apps/documenteditor/main/resources/help/fr/images/selectrow.png new file mode 100644 index 000000000..dd67f664c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/selectrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/selecttable.png b/apps/documenteditor/main/resources/help/fr/images/selecttable.png new file mode 100644 index 000000000..9ccfe3731 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/selecttable.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sendbackward.png b/apps/documenteditor/main/resources/help/fr/images/sendbackward.png index 1387bf2bf..d3fd940b9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/sendbackward.png and b/apps/documenteditor/main/resources/help/fr/images/sendbackward.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sendtoback.png b/apps/documenteditor/main/resources/help/fr/images/sendtoback.png index c126f4534..8c55548e4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/sendtoback.png and b/apps/documenteditor/main/resources/help/fr/images/sendtoback.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shaderows.png b/apps/documenteditor/main/resources/help/fr/images/shaderows.png new file mode 100644 index 000000000..4d7dad68d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/shaderows.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shadeunique.png b/apps/documenteditor/main/resources/help/fr/images/shadeunique.png new file mode 100644 index 000000000..ca29d106c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/shadeunique.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shading.png b/apps/documenteditor/main/resources/help/fr/images/shading.png new file mode 100644 index 000000000..0d52b6144 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/shading.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties.png index 250b4c6fe..88caf792a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties_1.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties_1.png index 04d6829f4..4310642cc 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties_1.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties_1.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties_2.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties_2.png index 035ad0991..1f80ece3e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties_2.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties_2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties_3.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties_3.png index 9fc721226..e2023a35f 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties_3.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties_3.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties_4.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties_4.png index 15873ac6f..e77d32ab7 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties_4.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties_4.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties_5.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties_5.png index aad2c5b3c..8bd495b53 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties_5.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties_5.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/shape_properties_6.png b/apps/documenteditor/main/resources/help/fr/images/shape_properties_6.png index 589823f32..9b9f16bec 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/shape_properties_6.png and b/apps/documenteditor/main/resources/help/fr/images/shape_properties_6.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sheetview_icon.png b/apps/documenteditor/main/resources/help/fr/images/sheetview_icon.png new file mode 100644 index 000000000..9dcf14254 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/sheetview_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer.png b/apps/documenteditor/main/resources/help/fr/images/slicer.png new file mode 100644 index 000000000..b6e5db339 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_clearfilter.png b/apps/documenteditor/main/resources/help/fr/images/slicer_clearfilter.png new file mode 100644 index 000000000..eb08729e8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_clearfilter.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_columns.png b/apps/documenteditor/main/resources/help/fr/images/slicer_columns.png new file mode 100644 index 000000000..fc898bedb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_columns.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_filter.png b/apps/documenteditor/main/resources/help/fr/images/slicer_filter.png new file mode 100644 index 000000000..554379054 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_filter.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_icon.png b/apps/documenteditor/main/resources/help/fr/images/slicer_icon.png new file mode 100644 index 000000000..c170a8eef Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_nodata.png b/apps/documenteditor/main/resources/help/fr/images/slicer_nodata.png new file mode 100644 index 000000000..7d947277c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_nodata.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_properties.png b/apps/documenteditor/main/resources/help/fr/images/slicer_properties.png new file mode 100644 index 000000000..800ed37fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_properties.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_properties2.png b/apps/documenteditor/main/resources/help/fr/images/slicer_properties2.png new file mode 100644 index 000000000..148393d8c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_properties2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_properties3.png b/apps/documenteditor/main/resources/help/fr/images/slicer_properties3.png new file mode 100644 index 000000000..147ae1df1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_properties3.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_properties4.png b/apps/documenteditor/main/resources/help/fr/images/slicer_properties4.png new file mode 100644 index 000000000..df582e2c3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_properties4.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_properties5.png b/apps/documenteditor/main/resources/help/fr/images/slicer_properties5.png new file mode 100644 index 000000000..879c97962 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_properties5.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_scroll.png b/apps/documenteditor/main/resources/help/fr/images/slicer_scroll.png new file mode 100644 index 000000000..cfe06f1fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_scroll.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/slicer_settings.png b/apps/documenteditor/main/resources/help/fr/images/slicer_settings.png new file mode 100644 index 000000000..099bc6907 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/slicer_settings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/smaller.png b/apps/documenteditor/main/resources/help/fr/images/smaller.png index d24f79a22..d087549c9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/smaller.png and b/apps/documenteditor/main/resources/help/fr/images/smaller.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/speech.png b/apps/documenteditor/main/resources/help/fr/images/speech.png new file mode 100644 index 000000000..7361ee245 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/speech.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/strike.png b/apps/documenteditor/main/resources/help/fr/images/strike.png index 5aa076a4a..742143a34 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/strike.png and b/apps/documenteditor/main/resources/help/fr/images/strike.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sub.png b/apps/documenteditor/main/resources/help/fr/images/sub.png index 40f36f42a..b99d9c1df 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/sub.png and b/apps/documenteditor/main/resources/help/fr/images/sub.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/summary.png b/apps/documenteditor/main/resources/help/fr/images/summary.png new file mode 100644 index 000000000..7d70bba41 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/summary.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/sup.png b/apps/documenteditor/main/resources/help/fr/images/sup.png index 2390f6aa2..7a32fc135 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/sup.png and b/apps/documenteditor/main/resources/help/fr/images/sup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/above.png b/apps/documenteditor/main/resources/help/fr/images/symbols/above.png new file mode 100644 index 000000000..97f2005e7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/above.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/acute.png b/apps/documenteditor/main/resources/help/fr/images/symbols/acute.png index aa5596971..12d62abab 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/acute.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/acute.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/aleph.png b/apps/documenteditor/main/resources/help/fr/images/symbols/aleph.png index a6f64f4a1..a7355dba4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/aleph.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/aleph.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/alpha.png b/apps/documenteditor/main/resources/help/fr/images/symbols/alpha.png index 94f725ec1..ca68e0fe0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/alpha.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/alpha.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/alpha2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/alpha2.png index 37922fbfd..ea3a6aac4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/alpha2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/alpha2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/amalg.png b/apps/documenteditor/main/resources/help/fr/images/symbols/amalg.png new file mode 100644 index 000000000..b66c134d5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/amalg.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/angle.png b/apps/documenteditor/main/resources/help/fr/images/symbols/angle.png index bbeb33ea5..de11fe22d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/angle.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/angle.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/aoint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/aoint.png new file mode 100644 index 000000000..35a228fb4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/aoint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/approx.png b/apps/documenteditor/main/resources/help/fr/images/symbols/approx.png index eb6489e78..67b770f72 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/approx.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/approx.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/arrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/arrow.png new file mode 100644 index 000000000..0df492f97 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/arrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/asmash.png b/apps/documenteditor/main/resources/help/fr/images/symbols/asmash.png new file mode 100644 index 000000000..df40f9f2c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/asmash.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ast.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ast.png index 4a750bd3e..33be7687a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ast.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ast.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/asymp.png b/apps/documenteditor/main/resources/help/fr/images/symbols/asymp.png index a20096b53..a7d21a268 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/asymp.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/asymp.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/atop.png b/apps/documenteditor/main/resources/help/fr/images/symbols/atop.png new file mode 100644 index 000000000..3d4395beb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/atop.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bar.png index 37cf34f5d..774a06eb3 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/bar.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/bar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bar2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bar2.png index bb17c3879..5321fe5b6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/bar2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/bar2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/because.png b/apps/documenteditor/main/resources/help/fr/images/symbols/because.png index 1a0ad25dc..3456d38c9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/because.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/because.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/begin.png b/apps/documenteditor/main/resources/help/fr/images/symbols/begin.png new file mode 100644 index 000000000..7bd50e8ed Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/begin.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/below.png b/apps/documenteditor/main/resources/help/fr/images/symbols/below.png new file mode 100644 index 000000000..8acb835b0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/below.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bet.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bet.png index 1ab84b2e2..c219ee423 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/bet.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/bet.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/beta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/beta.png index ae3b222dc..748f2b1be 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/beta.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/beta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/beta2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/beta2.png index 06624bc99..5c1ccb707 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/beta2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/beta2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/beth.png b/apps/documenteditor/main/resources/help/fr/images/symbols/beth.png new file mode 100644 index 000000000..c219ee423 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/beth.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigcap.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigcap.png new file mode 100644 index 000000000..af7e48ad8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigcap.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigcup.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigcup.png new file mode 100644 index 000000000..1e27fb3bb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigcup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigodot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigodot.png new file mode 100644 index 000000000..0ebddf66c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigodot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigoplus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigoplus.png new file mode 100644 index 000000000..f555afb0f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigoplus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigotimes.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigotimes.png new file mode 100644 index 000000000..43457dc4b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigotimes.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigsqcup.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigsqcup.png new file mode 100644 index 000000000..614264a01 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigsqcup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/biguplus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/biguplus.png new file mode 100644 index 000000000..6ec39889f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/biguplus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigvee.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigvee.png new file mode 100644 index 000000000..57851a676 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigvee.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bigwedge.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bigwedge.png new file mode 100644 index 000000000..0c7cac1e1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bigwedge.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/binomial.png b/apps/documenteditor/main/resources/help/fr/images/symbols/binomial.png new file mode 100644 index 000000000..72bc36e68 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/binomial.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bot.png new file mode 100644 index 000000000..2ded03e82 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bowtie.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bowtie.png new file mode 100644 index 000000000..2ddfa28c3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bowtie.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/box.png b/apps/documenteditor/main/resources/help/fr/images/symbols/box.png new file mode 100644 index 000000000..20d4a835b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/box.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/boxdot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/boxdot.png new file mode 100644 index 000000000..222e1c7c3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/boxdot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/boxminus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/boxminus.png new file mode 100644 index 000000000..caf1ddddb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/boxminus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/boxplus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/boxplus.png new file mode 100644 index 000000000..e1ee49522 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/boxplus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bra.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bra.png new file mode 100644 index 000000000..a3c8b4c83 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bra.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/break.png b/apps/documenteditor/main/resources/help/fr/images/symbols/break.png new file mode 100644 index 000000000..859fbf8b4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/break.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/breve.png b/apps/documenteditor/main/resources/help/fr/images/symbols/breve.png index a2a380c04..b2392724b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/breve.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/breve.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/bullet.png b/apps/documenteditor/main/resources/help/fr/images/symbols/bullet.png new file mode 100644 index 000000000..05e268132 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/bullet.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cap.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cap.png index 1f5f39136..76139f161 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/cap.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/cap.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cases.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cases.png new file mode 100644 index 000000000..c5a1d5ffe Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/cases.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cbrt.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cbrt.png new file mode 100644 index 000000000..580d0d0d6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/cbrt.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cdot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cdot.png index 4739da62d..199773081 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/cdot.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/cdot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cdots.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cdots.png index b4a356fa4..6246a1f0d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/cdots.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/cdots.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/check.png b/apps/documenteditor/main/resources/help/fr/images/symbols/check.png index ec89b281d..9d57528ec 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/check.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/check.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/chi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/chi.png index e0ab24df4..1ee801d17 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/chi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/chi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/chi2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/chi2.png index 75fa4ac46..a27cce57e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/chi2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/chi2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/circ.png b/apps/documenteditor/main/resources/help/fr/images/symbols/circ.png new file mode 100644 index 000000000..9a6aa27c3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/circ.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/close.png b/apps/documenteditor/main/resources/help/fr/images/symbols/close.png new file mode 100644 index 000000000..7438a6f0b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/close.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/clubsuit.png b/apps/documenteditor/main/resources/help/fr/images/symbols/clubsuit.png new file mode 100644 index 000000000..0ecec4509 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/clubsuit.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/coint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/coint.png new file mode 100644 index 000000000..f2f305a81 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/coint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/colonequal.png b/apps/documenteditor/main/resources/help/fr/images/symbols/colonequal.png new file mode 100644 index 000000000..79fb3a795 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/colonequal.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cong.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cong.png index 35db255a0..7d48ef05a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/cong.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/cong.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/coprod.png b/apps/documenteditor/main/resources/help/fr/images/symbols/coprod.png new file mode 100644 index 000000000..d90054fb5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/coprod.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/cup.png b/apps/documenteditor/main/resources/help/fr/images/symbols/cup.png index 7009df672..7b3915395 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/cup.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/cup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dalet.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dalet.png index 50ef8a825..0dea5332b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/dalet.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/dalet.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/daleth.png b/apps/documenteditor/main/resources/help/fr/images/symbols/daleth.png new file mode 100644 index 000000000..0dea5332b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/daleth.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dashv.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dashv.png new file mode 100644 index 000000000..0a07ecf03 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/dashv.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dd.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dd.png new file mode 100644 index 000000000..b96137d73 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/dd.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dd2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dd2.png new file mode 100644 index 000000000..51e50c6ec Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/dd2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ddddot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ddddot.png new file mode 100644 index 000000000..e2512dd96 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ddddot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dddot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dddot.png new file mode 100644 index 000000000..8c261bdec Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/dddot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ddot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ddot.png index f7d01d378..fc158338d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ddot.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ddot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ddots.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ddots.png index bbfbe7db3..1b15677a9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ddots.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ddots.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/defeq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/defeq.png new file mode 100644 index 000000000..e4728e579 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/defeq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/degc.png b/apps/documenteditor/main/resources/help/fr/images/symbols/degc.png new file mode 100644 index 000000000..f8512ce6d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/degc.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/degf.png b/apps/documenteditor/main/resources/help/fr/images/symbols/degf.png new file mode 100644 index 000000000..9d5b4f234 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/degf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/degree.png b/apps/documenteditor/main/resources/help/fr/images/symbols/degree.png index 7ad26e733..42881ff13 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/degree.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/degree.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/delta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/delta.png index 3741a6664..14d5d2386 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/delta.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/delta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/delta2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/delta2.png index f45f246e9..6541350c6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/delta2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/delta2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/deltaeq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/deltaeq.png new file mode 100644 index 000000000..1dac99daf Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/deltaeq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/diamond.png b/apps/documenteditor/main/resources/help/fr/images/symbols/diamond.png new file mode 100644 index 000000000..9e692a462 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/diamond.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/diamondsuit.png b/apps/documenteditor/main/resources/help/fr/images/symbols/diamondsuit.png new file mode 100644 index 000000000..bff5edf92 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/diamondsuit.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/div.png b/apps/documenteditor/main/resources/help/fr/images/symbols/div.png index dabcacef1..059758d9c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/div.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/div.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dot.png index fd453d536..c0d4f093f 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/dot.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/dot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doteq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doteq.png index 02487bb98..ddef5eb4d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/doteq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/doteq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dots.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dots.png index 55f2743ce..abf33d47a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/dots.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/dots.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublea.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublea.png new file mode 100644 index 000000000..b9cb5ed78 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublea.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublea2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublea2.png new file mode 100644 index 000000000..eee509760 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublea2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleb.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleb.png new file mode 100644 index 000000000..3d98b1da6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleb.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleb2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleb2.png new file mode 100644 index 000000000..3cdc8d687 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleb2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublec.png new file mode 100644 index 000000000..b4e564fdc Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublec2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublec2.png new file mode 100644 index 000000000..b3e5ccc8a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublec2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublecolon.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublecolon.png new file mode 100644 index 000000000..56cfcafd4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublecolon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubled.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubled.png new file mode 100644 index 000000000..bca050ea8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubled.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubled2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubled2.png new file mode 100644 index 000000000..6e222d501 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubled2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublee.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublee.png new file mode 100644 index 000000000..e03f999a8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublee.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublee2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublee2.png new file mode 100644 index 000000000..6627ded4f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublee2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublef.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublef.png new file mode 100644 index 000000000..c99ee88a5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublef.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublef2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublef2.png new file mode 100644 index 000000000..f97effdec Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublef2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublefactorial.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublefactorial.png new file mode 100644 index 000000000..81a4360f2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublefactorial.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleg.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleg.png new file mode 100644 index 000000000..97ff9ceed Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleg.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleg2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleg2.png new file mode 100644 index 000000000..19f3727f8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleg2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleh.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleh.png new file mode 100644 index 000000000..9ca4f14ca Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleh.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleh2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleh2.png new file mode 100644 index 000000000..ea40b9965 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleh2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublei.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublei.png new file mode 100644 index 000000000..bb4d100de Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublei.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublei2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublei2.png new file mode 100644 index 000000000..313453e56 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublei2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublej.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublej.png new file mode 100644 index 000000000..43de921d9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublej.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublej2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublej2.png new file mode 100644 index 000000000..55063df14 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublej2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublek.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublek.png new file mode 100644 index 000000000..6dc9ee87c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublek.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublek2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublek2.png new file mode 100644 index 000000000..aee85567c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublek2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublel.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublel.png new file mode 100644 index 000000000..4e4aad8c8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublel.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublel2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublel2.png new file mode 100644 index 000000000..7382f3652 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublel2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublem.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublem.png new file mode 100644 index 000000000..8f6d8538d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublem.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublem2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublem2.png new file mode 100644 index 000000000..100097a98 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublem2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublen.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublen.png new file mode 100644 index 000000000..2f1373128 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublen.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublen2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublen2.png new file mode 100644 index 000000000..5ef2738aa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublen2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleo.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleo.png new file mode 100644 index 000000000..a13023552 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleo.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleo2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleo2.png new file mode 100644 index 000000000..468459457 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleo2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublep.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublep.png new file mode 100644 index 000000000..8db731325 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublep.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublep2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublep2.png new file mode 100644 index 000000000..18bfb16ad Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublep2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleq.png new file mode 100644 index 000000000..fc4b77c78 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleq2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleq2.png new file mode 100644 index 000000000..25b230947 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleq2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubler.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubler.png new file mode 100644 index 000000000..8f0e988a3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubler.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubler2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubler2.png new file mode 100644 index 000000000..bb6e40f2a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubler2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubles.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubles.png new file mode 100644 index 000000000..c05d7f9cd Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubles.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubles2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubles2.png new file mode 100644 index 000000000..d24cb2f27 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubles2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublet.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublet.png new file mode 100644 index 000000000..c27fe3875 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublet.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublet2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublet2.png new file mode 100644 index 000000000..32f2294a7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublet2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleu.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleu.png new file mode 100644 index 000000000..a0f54d440 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleu.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubleu2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleu2.png new file mode 100644 index 000000000..3ce700d2f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubleu2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublev.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublev.png new file mode 100644 index 000000000..a5b0cb2be Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublev.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublev2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublev2.png new file mode 100644 index 000000000..da1089327 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublev2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublew.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublew.png new file mode 100644 index 000000000..0400ddbed Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublew.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublew2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublew2.png new file mode 100644 index 000000000..a151c1777 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublew2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublex.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublex.png new file mode 100644 index 000000000..648ce4467 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublex.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublex2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublex2.png new file mode 100644 index 000000000..4c2a1de43 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublex2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubley.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubley.png new file mode 100644 index 000000000..6ed589d6d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubley.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doubley2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doubley2.png new file mode 100644 index 000000000..6e2733f6d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doubley2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublez.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublez.png new file mode 100644 index 000000000..3d1061f6c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublez.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/doublez2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/doublez2.png new file mode 100644 index 000000000..f12b3eebb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/doublez2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow.png index faa5fdf97..71146333a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow2.png index 01af11c17..7f20d8728 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/downarrow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/dsmash.png b/apps/documenteditor/main/resources/help/fr/images/symbols/dsmash.png new file mode 100644 index 000000000..49e2e5855 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/dsmash.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ee.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ee.png new file mode 100644 index 000000000..d1c8f6b16 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ee.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ell.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ell.png index 60575b686..e28155e01 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ell.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ell.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/emptyset.png b/apps/documenteditor/main/resources/help/fr/images/symbols/emptyset.png index ad21789c2..28b0f75d5 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/emptyset.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/emptyset.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/end.png b/apps/documenteditor/main/resources/help/fr/images/symbols/end.png new file mode 100644 index 000000000..33d901831 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/end.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon.png b/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon.png index df3e297be..c7a53ad49 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon2.png index 447f93b41..dd54bb471 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/epsilon2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/eqarray.png b/apps/documenteditor/main/resources/help/fr/images/symbols/eqarray.png new file mode 100644 index 000000000..2dbb07eff Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/eqarray.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/equiv.png b/apps/documenteditor/main/resources/help/fr/images/symbols/equiv.png index 70c8723cd..ac3c147eb 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/equiv.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/equiv.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/eta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/eta.png index 1ae5d1f40..bb6c37c23 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/eta.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/eta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/eta2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/eta2.png index d8ee39040..93a5f8f3e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/eta2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/eta2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/exists.png b/apps/documenteditor/main/resources/help/fr/images/symbols/exists.png index 3b9088526..f2e078f08 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/exists.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/exists.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/forall.png b/apps/documenteditor/main/resources/help/fr/images/symbols/forall.png index 37bc414a9..5c58ecb41 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/forall.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/forall.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/fraktura.png b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktura.png new file mode 100644 index 000000000..8570b166c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktura.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/fraktura2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktura2.png new file mode 100644 index 000000000..b3db328e2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktura2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturb.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturb.png new file mode 100644 index 000000000..e682b9c49 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturb.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturb2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturb2.png new file mode 100644 index 000000000..570b7daad Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturb2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturc.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturc.png new file mode 100644 index 000000000..3296e1bf7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturc.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturc2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturc2.png new file mode 100644 index 000000000..9e1c9065f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturc2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturd.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturd.png new file mode 100644 index 000000000..0c29587e2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturd.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturd2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturd2.png new file mode 100644 index 000000000..f5afeeb59 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturd2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakture.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakture.png new file mode 100644 index 000000000..a56e7c5a2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakture.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakture2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakture2.png new file mode 100644 index 000000000..3c9236af6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakture2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturf.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturf.png new file mode 100644 index 000000000..8a460b206 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturf2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturf2.png new file mode 100644 index 000000000..f59cc1a49 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturf2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturg.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturg.png new file mode 100644 index 000000000..f9c71a7f9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturg.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturg2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturg2.png new file mode 100644 index 000000000..1a96d7939 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturg2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturh.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturh.png new file mode 100644 index 000000000..afff96507 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturh.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturh2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturh2.png new file mode 100644 index 000000000..c77ddc227 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturh2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturi.png new file mode 100644 index 000000000..b690840e0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturi2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturi2.png new file mode 100644 index 000000000..93494c9f1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturi2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturk.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturk.png new file mode 100644 index 000000000..f6ec69273 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturk.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturk2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturk2.png new file mode 100644 index 000000000..88b5d5dd8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturk2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturl.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturl.png new file mode 100644 index 000000000..4719aa67a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturl.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturl2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturl2.png new file mode 100644 index 000000000..73365c050 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturl2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturm.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturm.png new file mode 100644 index 000000000..a8d412077 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturm.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturm2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturm2.png new file mode 100644 index 000000000..6823b765f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturm2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturn.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturn.png new file mode 100644 index 000000000..7562b1587 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturn.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturn2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturn2.png new file mode 100644 index 000000000..5817d5af7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturn2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturo.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturo.png new file mode 100644 index 000000000..ed9ee60d6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturo.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturo2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturo2.png new file mode 100644 index 000000000..6becfb0d4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturo2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturp.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturp.png new file mode 100644 index 000000000..d9c2ef5ed Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturp.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturp2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturp2.png new file mode 100644 index 000000000..1fbe142a9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturp2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturq.png new file mode 100644 index 000000000..aac2cafe2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturq2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturq2.png new file mode 100644 index 000000000..7026dc172 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturq2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturr.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturr.png new file mode 100644 index 000000000..c14dc2aee Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturr.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturr2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturr2.png new file mode 100644 index 000000000..ad6eb3a2a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturr2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturs.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturs.png new file mode 100644 index 000000000..b68a51481 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturs.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturs2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturs2.png new file mode 100644 index 000000000..be9bce9ed Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturs2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturt.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturt.png new file mode 100644 index 000000000..8a274312f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturt.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturt2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturt2.png new file mode 100644 index 000000000..ff4ffbad5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturt2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturu.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturu.png new file mode 100644 index 000000000..e3835c5e6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturu.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturu2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturu2.png new file mode 100644 index 000000000..b7c2dfce0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturu2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturv.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturv.png new file mode 100644 index 000000000..3ae44b0d8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturv.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturv2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturv2.png new file mode 100644 index 000000000..06951ec52 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturv2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturw.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturw.png new file mode 100644 index 000000000..20e492dd2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturw.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturw2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturw2.png new file mode 100644 index 000000000..c08b19614 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturw2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturx.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturx.png new file mode 100644 index 000000000..7af677f4d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturx.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturx2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturx2.png new file mode 100644 index 000000000..9dd4eefc0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturx2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/fraktury.png b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktury.png new file mode 100644 index 000000000..ea98c092d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktury.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/fraktury2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktury2.png new file mode 100644 index 000000000..4cf8f1fb3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/fraktury2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturz.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturz.png new file mode 100644 index 000000000..b44487f74 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturz.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frakturz2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturz2.png new file mode 100644 index 000000000..afd922249 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frakturz2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/frown.png b/apps/documenteditor/main/resources/help/fr/images/symbols/frown.png new file mode 100644 index 000000000..2fcd6e3a2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/frown.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/g.png b/apps/documenteditor/main/resources/help/fr/images/symbols/g.png new file mode 100644 index 000000000..3aa30aaa0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/g.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/gamma.png b/apps/documenteditor/main/resources/help/fr/images/symbols/gamma.png index f91512cb6..9f088aa79 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/gamma.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/gamma.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/gamma2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/gamma2.png index 983876457..3aa30aaa0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/gamma2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/gamma2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ge.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ge.png index 4028b3de8..fe22252f5 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ge.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ge.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/geq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/geq.png new file mode 100644 index 000000000..fe22252f5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/geq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/gets.png b/apps/documenteditor/main/resources/help/fr/images/symbols/gets.png new file mode 100644 index 000000000..6ab7c9df5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/gets.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/gg.png b/apps/documenteditor/main/resources/help/fr/images/symbols/gg.png index 95db978fc..c2b964579 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/gg.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/gg.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/gimel.png b/apps/documenteditor/main/resources/help/fr/images/symbols/gimel.png index 412e67666..4e6cccb60 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/gimel.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/gimel.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/grave.png b/apps/documenteditor/main/resources/help/fr/images/symbols/grave.png index 871097e6f..fcda94a6c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/grave.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/grave.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/greaterthanorequalto.png b/apps/documenteditor/main/resources/help/fr/images/symbols/greaterthanorequalto.png new file mode 100644 index 000000000..fe22252f5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/greaterthanorequalto.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hat.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hat.png index 45a3c3e5b..e3be83a4c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/hat.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/hat.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hbar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hbar.png index a9980f52f..e6025b5d7 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/hbar.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/hbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/heartsuit.png b/apps/documenteditor/main/resources/help/fr/images/symbols/heartsuit.png new file mode 100644 index 000000000..8b26f4fe3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/heartsuit.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hookleftarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hookleftarrow.png index 72067e467..14f255fb0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/hookleftarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/hookleftarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hookrightarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hookrightarrow.png index 9535395cb..b22e5b07a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/hookrightarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/hookrightarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/horizontalellipsis.png b/apps/documenteditor/main/resources/help/fr/images/symbols/horizontalellipsis.png new file mode 100644 index 000000000..bc8f0fa47 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/horizontalellipsis.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hphantom.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hphantom.png new file mode 100644 index 000000000..fb072eee0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/hphantom.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hsmash.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hsmash.png new file mode 100644 index 000000000..ce90638d4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/hsmash.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/hvec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/hvec.png new file mode 100644 index 000000000..38fddae5b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/hvec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/identitymatrix.png b/apps/documenteditor/main/resources/help/fr/images/symbols/identitymatrix.png new file mode 100644 index 000000000..3531cd2fc Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/identitymatrix.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ii.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ii.png new file mode 100644 index 000000000..e064923e7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ii.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/iiiint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/iiiint.png new file mode 100644 index 000000000..b7b9990d1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/iiiint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/iiint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/iiint.png new file mode 100644 index 000000000..f56aff057 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/iiint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/iint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/iint.png new file mode 100644 index 000000000..e73f05c2d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/iint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/im.png b/apps/documenteditor/main/resources/help/fr/images/symbols/im.png new file mode 100644 index 000000000..1470295b3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/im.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/imath.png b/apps/documenteditor/main/resources/help/fr/images/symbols/imath.png new file mode 100644 index 000000000..e6493cfef Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/imath.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/in.png b/apps/documenteditor/main/resources/help/fr/images/symbols/in.png index 8e558fda7..ca1f84e4d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/in.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/in.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/inc.png b/apps/documenteditor/main/resources/help/fr/images/symbols/inc.png index 984fbc4b8..3ac8c1bcd 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/inc.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/inc.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/infty.png b/apps/documenteditor/main/resources/help/fr/images/symbols/infty.png index 7262996aa..1fa3570fa 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/infty.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/infty.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/int.png b/apps/documenteditor/main/resources/help/fr/images/symbols/int.png new file mode 100644 index 000000000..0f296cc46 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/int.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/integral.png b/apps/documenteditor/main/resources/help/fr/images/symbols/integral.png new file mode 100644 index 000000000..65e56f23b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/integral.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/iota.png b/apps/documenteditor/main/resources/help/fr/images/symbols/iota.png index b4f80940d..0aefb684e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/iota.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/iota.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/iota2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/iota2.png index ff48688fe..b4341851a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/iota2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/iota2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/j.png b/apps/documenteditor/main/resources/help/fr/images/symbols/j.png new file mode 100644 index 000000000..004b30b69 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/j.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/jj.png b/apps/documenteditor/main/resources/help/fr/images/symbols/jj.png new file mode 100644 index 000000000..5a1e11920 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/jj.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/jmath.png b/apps/documenteditor/main/resources/help/fr/images/symbols/jmath.png new file mode 100644 index 000000000..9409b6d2e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/jmath.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/kappa.png b/apps/documenteditor/main/resources/help/fr/images/symbols/kappa.png index 84cde8f94..788d84c11 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/kappa.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/kappa.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/kappa2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/kappa2.png index ae3288391..fae000a00 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/kappa2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/kappa2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ket.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ket.png new file mode 100644 index 000000000..913b1b3fe Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ket.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lambda.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lambda.png index 539df5f84..f98af8017 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/lambda.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/lambda.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lambda2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lambda2.png index 244c5351d..3016c6ece 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/lambda2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/lambda2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/langle.png b/apps/documenteditor/main/resources/help/fr/images/symbols/langle.png new file mode 100644 index 000000000..73ccafba9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/langle.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lbbrack.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lbbrack.png new file mode 100644 index 000000000..9dbb14049 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lbbrack.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lbrace.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lbrace.png new file mode 100644 index 000000000..004d22d05 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lbrace.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lbrack.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lbrack.png new file mode 100644 index 000000000..0cf789daa Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lbrack.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lceil.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lceil.png new file mode 100644 index 000000000..48d4f69b1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lceil.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ldiv.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ldiv.png new file mode 100644 index 000000000..ba17e3ae6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ldiv.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ldivide.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ldivide.png new file mode 100644 index 000000000..e1071483b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ldivide.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ldots.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ldots.png new file mode 100644 index 000000000..abf33d47a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ldots.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/le.png b/apps/documenteditor/main/resources/help/fr/images/symbols/le.png index 3ca8465df..d839ba35d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/le.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/le.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/left.png b/apps/documenteditor/main/resources/help/fr/images/symbols/left.png new file mode 100644 index 000000000..9f27f6310 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/left.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow.png index 394036315..bafaf636c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow2.png index 0634516fd..60f405f7e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/leftarrow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoondown.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoondown.png index 8a0091187..d15921dc9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoondown.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoondown.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoonup.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoonup.png index 1eed8cdb5..d02cea5c4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoonup.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/leftharpoonup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow.png index 2248801dd..2c0305093 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow2.png index 26e169831..923152c61 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/leftrightarrow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/leq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/leq.png new file mode 100644 index 000000000..d839ba35d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/leq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lessthanorequalto.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lessthanorequalto.png new file mode 100644 index 000000000..d839ba35d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lessthanorequalto.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lfloor.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lfloor.png new file mode 100644 index 000000000..fc34c4345 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lfloor.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lhvec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lhvec.png new file mode 100644 index 000000000..10407df0f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lhvec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/limit.png b/apps/documenteditor/main/resources/help/fr/images/symbols/limit.png new file mode 100644 index 000000000..f5669a329 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/limit.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ll.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ll.png index 3257ecf35..6e31ee790 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ll.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ll.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lmoust.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lmoust.png new file mode 100644 index 000000000..3547706a8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lmoust.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/longleftarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/longleftarrow.png new file mode 100644 index 000000000..c9647da6b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/longleftarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/longleftrightarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/longleftrightarrow.png new file mode 100644 index 000000000..8e0e50d6d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/longleftrightarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/longrightarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/longrightarrow.png new file mode 100644 index 000000000..5bed54fe7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/longrightarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lrhar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lrhar.png new file mode 100644 index 000000000..9a54ae201 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lrhar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/lvec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/lvec.png new file mode 100644 index 000000000..b6ab35fac Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/lvec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/mapsto.png b/apps/documenteditor/main/resources/help/fr/images/symbols/mapsto.png index 838f01fea..11e8e411a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/mapsto.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/mapsto.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/matrix.png b/apps/documenteditor/main/resources/help/fr/images/symbols/matrix.png new file mode 100644 index 000000000..36dd9f3ef Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/matrix.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/mid.png b/apps/documenteditor/main/resources/help/fr/images/symbols/mid.png new file mode 100644 index 000000000..21fca0ac1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/mid.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/middle.png b/apps/documenteditor/main/resources/help/fr/images/symbols/middle.png new file mode 100644 index 000000000..e47884724 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/middle.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/models.png b/apps/documenteditor/main/resources/help/fr/images/symbols/models.png new file mode 100644 index 000000000..a87cdc82e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/models.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/mp.png b/apps/documenteditor/main/resources/help/fr/images/symbols/mp.png new file mode 100644 index 000000000..2f295f402 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/mp.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/mu.png b/apps/documenteditor/main/resources/help/fr/images/symbols/mu.png index 2004b69e6..6a4698faf 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/mu.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/mu.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/mu2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/mu2.png index 6187dd88e..96d5b82b7 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/mu2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/mu2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/nabla.png b/apps/documenteditor/main/resources/help/fr/images/symbols/nabla.png index fadb731f1..9c4283a5a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/nabla.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/nabla.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/naryand.png b/apps/documenteditor/main/resources/help/fr/images/symbols/naryand.png new file mode 100644 index 000000000..c43d7a980 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/naryand.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ne.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ne.png index c15107756..e55862cde 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ne.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ne.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/nearrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/nearrow.png index 7d74e80c2..5e95d358a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/nearrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/nearrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/neq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/neq.png new file mode 100644 index 000000000..e55862cde Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/neq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ni.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ni.png index 2186f751c..b09ce8864 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ni.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ni.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/norm.png b/apps/documenteditor/main/resources/help/fr/images/symbols/norm.png new file mode 100644 index 000000000..915abac55 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/norm.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/notcontain.png b/apps/documenteditor/main/resources/help/fr/images/symbols/notcontain.png index ccb14707a..2b6ac81ce 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/notcontain.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/notcontain.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/notelement.png b/apps/documenteditor/main/resources/help/fr/images/symbols/notelement.png index fe16353a9..7c5d182db 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/notelement.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/notelement.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/notequal.png b/apps/documenteditor/main/resources/help/fr/images/symbols/notequal.png new file mode 100644 index 000000000..e55862cde Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/notequal.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/notgreaterthan.png b/apps/documenteditor/main/resources/help/fr/images/symbols/notgreaterthan.png new file mode 100644 index 000000000..2a8af203d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/notgreaterthan.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/notin.png b/apps/documenteditor/main/resources/help/fr/images/symbols/notin.png new file mode 100644 index 000000000..7f2abe531 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/notin.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/notlessthan.png b/apps/documenteditor/main/resources/help/fr/images/symbols/notlessthan.png new file mode 100644 index 000000000..2e9fc8ef2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/notlessthan.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/nu.png b/apps/documenteditor/main/resources/help/fr/images/symbols/nu.png index 6074192d7..b32087c3d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/nu.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/nu.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/nu2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/nu2.png index ce63af554..6e0f14582 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/nu2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/nu2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/nwarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/nwarrow.png index 3d130eae5..35ad2ee95 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/nwarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/nwarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/o.png b/apps/documenteditor/main/resources/help/fr/images/symbols/o.png new file mode 100644 index 000000000..1cbbaaf6f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/o.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/o2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/o2.png new file mode 100644 index 000000000..86a488451 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/o2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/odot.png b/apps/documenteditor/main/resources/help/fr/images/symbols/odot.png index 794aa6531..afbd0f8b9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/odot.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/odot.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/of.png b/apps/documenteditor/main/resources/help/fr/images/symbols/of.png new file mode 100644 index 000000000..d8a2567c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/of.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/oiiint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/oiiint.png new file mode 100644 index 000000000..c66dc2947 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/oiiint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/oiint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/oiint.png new file mode 100644 index 000000000..5587f29d5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/oiint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/oint.png b/apps/documenteditor/main/resources/help/fr/images/symbols/oint.png new file mode 100644 index 000000000..30b5bbab3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/oint.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/omega.png b/apps/documenteditor/main/resources/help/fr/images/symbols/omega.png index 45e8a1e72..a3224bcc5 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/omega.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/omega.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/omega2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/omega2.png index 24d4aca6e..6689087de 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/omega2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/omega2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ominus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ominus.png index f03b3ab01..5a07e9ce7 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ominus.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ominus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/open.png b/apps/documenteditor/main/resources/help/fr/images/symbols/open.png new file mode 100644 index 000000000..2874320d3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/open.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/oplus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/oplus.png index 7dcc82f1b..6ab9c8d22 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/oplus.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/oplus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/otimes.png b/apps/documenteditor/main/resources/help/fr/images/symbols/otimes.png index 8da6274a8..6a2de09e2 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/otimes.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/otimes.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/over.png b/apps/documenteditor/main/resources/help/fr/images/symbols/over.png new file mode 100644 index 000000000..de78bfdde Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/over.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/overbar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/overbar.png new file mode 100644 index 000000000..5b3896815 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/overbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/overbrace.png b/apps/documenteditor/main/resources/help/fr/images/symbols/overbrace.png new file mode 100644 index 000000000..71c7d4729 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/overbrace.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/overbracket.png b/apps/documenteditor/main/resources/help/fr/images/symbols/overbracket.png new file mode 100644 index 000000000..cbd4f3598 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/overbracket.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/overline.png b/apps/documenteditor/main/resources/help/fr/images/symbols/overline.png new file mode 100644 index 000000000..5b3896815 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/overline.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/overparen.png b/apps/documenteditor/main/resources/help/fr/images/symbols/overparen.png new file mode 100644 index 000000000..645d88650 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/overparen.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/overshell.png b/apps/documenteditor/main/resources/help/fr/images/symbols/overshell.png new file mode 100644 index 000000000..907e993d3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/overshell.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/parallel.png b/apps/documenteditor/main/resources/help/fr/images/symbols/parallel.png new file mode 100644 index 000000000..3b42a5958 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/parallel.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/partial.png b/apps/documenteditor/main/resources/help/fr/images/symbols/partial.png index 18ed12dab..bb198b44d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/partial.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/partial.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/perp.png b/apps/documenteditor/main/resources/help/fr/images/symbols/perp.png new file mode 100644 index 000000000..ecc490ff4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/perp.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/phantom.png b/apps/documenteditor/main/resources/help/fr/images/symbols/phantom.png new file mode 100644 index 000000000..f3a11e75a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/phantom.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/phi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/phi.png index d737b0a87..a42a2bdea 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/phi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/phi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/phi2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/phi2.png index 5c81a8e9a..d9f811dab 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/phi2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/phi2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/pi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/pi.png index 3411a1fa4..d6c5da9c4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/pi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/pi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/pi2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/pi2.png index 5185e0ed4..11486a83b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/pi2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/pi2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/pm.png b/apps/documenteditor/main/resources/help/fr/images/symbols/pm.png new file mode 100644 index 000000000..13cccaad2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/pm.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/pmatrix.png b/apps/documenteditor/main/resources/help/fr/images/symbols/pmatrix.png new file mode 100644 index 000000000..37b0ed5ac Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/pmatrix.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/pppprime.png b/apps/documenteditor/main/resources/help/fr/images/symbols/pppprime.png new file mode 100644 index 000000000..4aec7dd87 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/pppprime.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ppprime.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ppprime.png new file mode 100644 index 000000000..460f07d5d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ppprime.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/pprime.png b/apps/documenteditor/main/resources/help/fr/images/symbols/pprime.png new file mode 100644 index 000000000..8c60382c1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/pprime.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/prec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/prec.png index bfd46716b..fc174cb73 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/prec.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/prec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/preceq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/preceq.png index 1846d9319..185576937 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/preceq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/preceq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/prime.png b/apps/documenteditor/main/resources/help/fr/images/symbols/prime.png index a1408f1f9..2144d9f2a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/prime.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/prime.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/prod.png b/apps/documenteditor/main/resources/help/fr/images/symbols/prod.png new file mode 100644 index 000000000..9fbe6e266 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/prod.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/propto.png b/apps/documenteditor/main/resources/help/fr/images/symbols/propto.png index 965ee6533..11a52f90b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/propto.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/propto.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/psi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/psi.png index 1bc820d58..b09ce71e3 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/psi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/psi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/psi2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/psi2.png index 672101de9..71faedd0b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/psi2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/psi2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/qdrt.png b/apps/documenteditor/main/resources/help/fr/images/symbols/qdrt.png new file mode 100644 index 000000000..f2b8a5518 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/qdrt.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/quadratic.png b/apps/documenteditor/main/resources/help/fr/images/symbols/quadratic.png new file mode 100644 index 000000000..26116211c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/quadratic.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rangle.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rangle.png new file mode 100644 index 000000000..913b1b3fe Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rangle.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rangle2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rangle2.png new file mode 100644 index 000000000..5fd0b87a0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rangle2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ratio.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ratio.png index 03fb3db30..d480fe90c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/ratio.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/ratio.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rbrace.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rbrace.png new file mode 100644 index 000000000..31decded8 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rbrace.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rbrack.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rbrack.png new file mode 100644 index 000000000..772a722da Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rbrack.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rbrack2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rbrack2.png new file mode 100644 index 000000000..5aa46c098 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rbrack2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rceil.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rceil.png new file mode 100644 index 000000000..c96575404 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rceil.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rddots.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rddots.png index 011e1780b..17f60c0bc 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rddots.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rddots.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/re.png b/apps/documenteditor/main/resources/help/fr/images/symbols/re.png new file mode 100644 index 000000000..36ffb2a8e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/re.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rect.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rect.png new file mode 100644 index 000000000..b7942dbe1 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rect.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rfloor.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rfloor.png new file mode 100644 index 000000000..0303da681 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rfloor.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rho.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rho.png index 164f1c73a..c6020c1f1 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rho.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rho.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rho2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rho2.png index dbae17c60..7242001a4 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rho2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rho2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rhvec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rhvec.png new file mode 100644 index 000000000..38fddae5b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rhvec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/right.png b/apps/documenteditor/main/resources/help/fr/images/symbols/right.png new file mode 100644 index 000000000..cc933121f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/right.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow.png index c1985c3d7..0df492f97 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow2.png index 24cae5bb5..62d8b7b90 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rightarrow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoondown.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoondown.png index 17428540c..c25b921a2 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoondown.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoondown.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoonup.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoonup.png index a2af49735..a33c56ea0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoonup.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/rightharpoonup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/rmoust.png b/apps/documenteditor/main/resources/help/fr/images/symbols/rmoust.png new file mode 100644 index 000000000..e85cdefb9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/rmoust.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/root.png b/apps/documenteditor/main/resources/help/fr/images/symbols/root.png new file mode 100644 index 000000000..8bdcb3d60 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/root.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripta.png new file mode 100644 index 000000000..b4305bc75 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripta2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripta2.png new file mode 100644 index 000000000..4df4c10ea Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripta2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptb.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptb.png new file mode 100644 index 000000000..16801f863 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptb.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptb2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptb2.png new file mode 100644 index 000000000..3f395bf2e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptb2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptc.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptc.png new file mode 100644 index 000000000..292f64223 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptc.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptc2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptc2.png new file mode 100644 index 000000000..f7d64e076 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptc2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptd.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptd.png new file mode 100644 index 000000000..4a52adbda Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptd.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptd2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptd2.png new file mode 100644 index 000000000..db75ffaee Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptd2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripte.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripte.png new file mode 100644 index 000000000..e9cea6589 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripte.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripte2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripte2.png new file mode 100644 index 000000000..908b98abf Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripte2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptf.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptf.png new file mode 100644 index 000000000..16b2839e3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptf.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptf2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptf2.png new file mode 100644 index 000000000..0fc78029f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptf2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptg.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptg.png new file mode 100644 index 000000000..7e2b4e5c7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptg.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptg2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptg2.png new file mode 100644 index 000000000..83ecfa7c3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptg2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripth.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripth.png new file mode 100644 index 000000000..ce9052e49 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripth.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripth2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripth2.png new file mode 100644 index 000000000..b669be42d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripth2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripti.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripti.png new file mode 100644 index 000000000..8650af640 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripti.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripti2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripti2.png new file mode 100644 index 000000000..35253e28d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripti2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptj.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptj.png new file mode 100644 index 000000000..23a0b18d7 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptj.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptj2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptj2.png new file mode 100644 index 000000000..964ca2f83 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptj2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptk.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptk.png new file mode 100644 index 000000000..605b16e12 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptk.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptk2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptk2.png new file mode 100644 index 000000000..c34227b6a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptk2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptl.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptl.png new file mode 100644 index 000000000..e28155e01 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptl.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptl2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptl2.png new file mode 100644 index 000000000..20327fde5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptl2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptm.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptm.png new file mode 100644 index 000000000..5cdd4bc43 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptm.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptm2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptm2.png new file mode 100644 index 000000000..b257e5e69 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptm2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptn.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptn.png new file mode 100644 index 000000000..22b214f97 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptn.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptn2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptn2.png new file mode 100644 index 000000000..3cd942d5b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptn2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripto.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripto.png new file mode 100644 index 000000000..64efc9545 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripto.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripto2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripto2.png new file mode 100644 index 000000000..8f8bdc904 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripto2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptp.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptp.png new file mode 100644 index 000000000..ec9874130 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptp.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptp2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptp2.png new file mode 100644 index 000000000..2df092612 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptp2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptq.png new file mode 100644 index 000000000..f9c07bbff Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptq2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptq2.png new file mode 100644 index 000000000..1eb2e1182 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptq2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptr.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptr.png new file mode 100644 index 000000000..49b85ae2d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptr.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptr2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptr2.png new file mode 100644 index 000000000..46dea0796 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptr2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripts.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripts.png new file mode 100644 index 000000000..74caee45b Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripts.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripts2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripts2.png new file mode 100644 index 000000000..0acf23f10 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripts2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptt.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptt.png new file mode 100644 index 000000000..cb6ace16a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptt.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptt2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptt2.png new file mode 100644 index 000000000..9407b3372 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptt2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptu.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptu.png new file mode 100644 index 000000000..cffb832bc Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptu.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptu2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptu2.png new file mode 100644 index 000000000..5f85cd60c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptu2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptv.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptv.png new file mode 100644 index 000000000..d6e628a61 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptv.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptv2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptv2.png new file mode 100644 index 000000000..346dd8c56 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptv2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptw.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptw.png new file mode 100644 index 000000000..9e5d381db Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptw.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptw2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptw2.png new file mode 100644 index 000000000..953ee2de5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptw2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptx.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptx.png new file mode 100644 index 000000000..db732c630 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptx.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptx2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptx2.png new file mode 100644 index 000000000..166c889a3 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptx2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripty.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripty.png new file mode 100644 index 000000000..7784bb149 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripty.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scripty2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scripty2.png new file mode 100644 index 000000000..f3003ade0 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scripty2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptz.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptz.png new file mode 100644 index 000000000..e8d5a0cde Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptz.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/scriptz2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptz2.png new file mode 100644 index 000000000..8197fe515 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/scriptz2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sdiv.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sdiv.png new file mode 100644 index 000000000..0109428ac Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/sdiv.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sdivide.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sdivide.png new file mode 100644 index 000000000..0109428ac Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/sdivide.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/searrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/searrow.png index 4542971f1..8a7f64b14 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/searrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/searrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/setminus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/setminus.png new file mode 100644 index 000000000..fa6c2cfee Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/setminus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sigma.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sigma.png index eb78930bd..2cb2bb178 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sigma.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sigma.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sigma2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sigma2.png index a963c5633..20e9f5ee7 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sigma2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sigma2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sim.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sim.png index de9aa6184..6a056eda0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sim.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sim.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/simeq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/simeq.png index d9b34c1f4..eade7ebc9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/simeq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/simeq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/smash.png b/apps/documenteditor/main/resources/help/fr/images/symbols/smash.png new file mode 100644 index 000000000..90896057d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/smash.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/smile.png b/apps/documenteditor/main/resources/help/fr/images/symbols/smile.png new file mode 100644 index 000000000..83b716c6c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/smile.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/spadesuit.png b/apps/documenteditor/main/resources/help/fr/images/symbols/spadesuit.png new file mode 100644 index 000000000..3bdec8945 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/spadesuit.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sqcap.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sqcap.png index dc0e916ee..4cf43990e 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sqcap.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sqcap.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sqcup.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sqcup.png index 4ffdb511d..426d02fdc 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sqcup.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sqcup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sqrt.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sqrt.png new file mode 100644 index 000000000..0acfaa8ed Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/sqrt.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sqsubseteq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sqsubseteq.png index 57871c3f9..14365cc02 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sqsubseteq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sqsubseteq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sqsuperseteq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sqsuperseteq.png index 834d39a07..6db6d42fb 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/sqsuperseteq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/sqsuperseteq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/star.png b/apps/documenteditor/main/resources/help/fr/images/symbols/star.png index b8dcf34cb..1f15f019f 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/star.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/star.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/subset.png b/apps/documenteditor/main/resources/help/fr/images/symbols/subset.png index 5fb07b77c..f23368a90 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/subset.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/subset.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/subseteq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/subseteq.png index d86103fc8..d867e2df0 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/subseteq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/subseteq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/succ.png b/apps/documenteditor/main/resources/help/fr/images/symbols/succ.png index 9a3701374..6b7c0526b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/succ.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/succ.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/succeq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/succeq.png index e80fe1d24..22eff46c6 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/succeq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/succeq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/sum.png b/apps/documenteditor/main/resources/help/fr/images/symbols/sum.png new file mode 100644 index 000000000..44106f72f Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/sum.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/superset.png b/apps/documenteditor/main/resources/help/fr/images/symbols/superset.png index 0dedc90eb..67f46e1ad 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/superset.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/superset.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/superseteq.png b/apps/documenteditor/main/resources/help/fr/images/symbols/superseteq.png index ee8ae8628..89521782c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/superseteq.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/superseteq.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/swarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/swarrow.png index c7491fbe7..66df3fa2a 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/swarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/swarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/tau.png b/apps/documenteditor/main/resources/help/fr/images/symbols/tau.png index 949533b2e..abd5bf872 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/tau.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/tau.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/tau2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/tau2.png index 0ccbd47dd..f15d8e443 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/tau2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/tau2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/therefore.png b/apps/documenteditor/main/resources/help/fr/images/symbols/therefore.png index a6fc8fa82..d3f02aba3 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/therefore.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/therefore.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/theta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/theta.png index cbaf65ec5..d2d89e82b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/theta.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/theta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/theta2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/theta2.png index 239b8aee8..13f05f84f 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/theta2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/theta2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/tilde.png b/apps/documenteditor/main/resources/help/fr/images/symbols/tilde.png index c409518ca..1b08ef3a8 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/tilde.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/tilde.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/times.png b/apps/documenteditor/main/resources/help/fr/images/symbols/times.png index 1dc0cc2ea..da3afaf8b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/times.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/times.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/to.png b/apps/documenteditor/main/resources/help/fr/images/symbols/to.png new file mode 100644 index 000000000..0df492f97 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/to.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/top.png b/apps/documenteditor/main/resources/help/fr/images/symbols/top.png new file mode 100644 index 000000000..afbe5b832 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/top.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/tvec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/tvec.png new file mode 100644 index 000000000..ee71f7105 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/tvec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ubar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ubar.png new file mode 100644 index 000000000..e27b66816 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ubar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/ubar2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/ubar2.png new file mode 100644 index 000000000..63c20216a Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/ubar2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/underbar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/underbar.png new file mode 100644 index 000000000..938c658e5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/underbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/underbrace.png b/apps/documenteditor/main/resources/help/fr/images/symbols/underbrace.png new file mode 100644 index 000000000..f2c080b58 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/underbrace.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/underbracket.png b/apps/documenteditor/main/resources/help/fr/images/symbols/underbracket.png new file mode 100644 index 000000000..a78aa1cdc Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/underbracket.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/underline.png b/apps/documenteditor/main/resources/help/fr/images/symbols/underline.png new file mode 100644 index 000000000..b55100731 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/underline.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/underparen.png b/apps/documenteditor/main/resources/help/fr/images/symbols/underparen.png new file mode 100644 index 000000000..ccaac1590 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/underparen.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow.png index 336fbc13f..eccaa488d 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow2.png index 3d36cd001..3cff2b9de 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/uparrow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow.png b/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow.png index d5fc74fc3..65ea76252 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow2.png index 4e67e3942..c10bc8fef 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/updownarrow2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/uplus.png b/apps/documenteditor/main/resources/help/fr/images/symbols/uplus.png index b5e11ca4b..39109a95b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/uplus.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/uplus.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon.png b/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon.png index 8fe567fed..e69b7226c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon2.png index ca5a8e79d..2012f0408 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/upsilon2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/varepsilon.png b/apps/documenteditor/main/resources/help/fr/images/symbols/varepsilon.png index 0ed33fcf6..1788b80e9 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/varepsilon.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/varepsilon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/varphi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/varphi.png index d5cb6ad10..ebcb44f39 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/varphi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/varphi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/varpi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/varpi.png index d31505239..82e5e48bd 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/varpi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/varpi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/varrho.png b/apps/documenteditor/main/resources/help/fr/images/symbols/varrho.png index 1759bc93b..d719b4e0c 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/varrho.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/varrho.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/varsigma.png b/apps/documenteditor/main/resources/help/fr/images/symbols/varsigma.png index 80d28f5ab..b154dede3 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/varsigma.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/varsigma.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vartheta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vartheta.png index 536483d72..5e49bc074 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/vartheta.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/vartheta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vbar.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vbar.png new file mode 100644 index 000000000..197c22ee5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vbar.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vdash.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vdash.png new file mode 100644 index 000000000..2387c2d76 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vdash.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vdots.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vdots.png index e5e18c33d..1220d68b5 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/vdots.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/vdots.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vec.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vec.png new file mode 100644 index 000000000..0a50d9fe6 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vec.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vee.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vee.png index 14f62af1c..be2573ef8 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/vee.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/vee.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vert.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vert.png new file mode 100644 index 000000000..adc50b15c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vert.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vert2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vert2.png new file mode 100644 index 000000000..915abac55 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vert2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vmatrix.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vmatrix.png new file mode 100644 index 000000000..e8dba6fd2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vmatrix.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/vphantom.png b/apps/documenteditor/main/resources/help/fr/images/symbols/vphantom.png new file mode 100644 index 000000000..fd8194604 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/vphantom.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/wedge.png b/apps/documenteditor/main/resources/help/fr/images/symbols/wedge.png index e4ac07b84..34e02a584 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/wedge.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/wedge.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/wp.png b/apps/documenteditor/main/resources/help/fr/images/symbols/wp.png index d0092fce7..00c630d38 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/wp.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/wp.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/wr.png b/apps/documenteditor/main/resources/help/fr/images/symbols/wr.png new file mode 100644 index 000000000..bceef6f19 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/symbols/wr.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/xi.png b/apps/documenteditor/main/resources/help/fr/images/symbols/xi.png index 806da39ea..f83b1dfd2 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/xi.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/xi.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/xi2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/xi2.png index 4f675a782..4c59fd3e2 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/xi2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/xi2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/zeta.png b/apps/documenteditor/main/resources/help/fr/images/symbols/zeta.png index f89205f6b..aaf47b628 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/zeta.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/zeta.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/symbols/zeta2.png b/apps/documenteditor/main/resources/help/fr/images/symbols/zeta2.png index 15c3da98f..fb04db0ab 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/symbols/zeta2.png and b/apps/documenteditor/main/resources/help/fr/images/symbols/zeta2.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/table.png b/apps/documenteditor/main/resources/help/fr/images/table.png index dd883315b..373854ac8 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/table.png and b/apps/documenteditor/main/resources/help/fr/images/table.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/table_settings_icon.png b/apps/documenteditor/main/resources/help/fr/images/table_settings_icon.png new file mode 100644 index 000000000..19b5b37fb Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/table_settings_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/tableadvancedsettings.png b/apps/documenteditor/main/resources/help/fr/images/tableadvancedsettings.png new file mode 100644 index 000000000..65a658c3e Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/tableadvancedsettings.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/tablesettingstab.png b/apps/documenteditor/main/resources/help/fr/images/tablesettingstab.png new file mode 100644 index 000000000..7a1ae4136 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/tablesettingstab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/tabletemplate.png b/apps/documenteditor/main/resources/help/fr/images/tabletemplate.png new file mode 100644 index 000000000..698e80591 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/tabletemplate.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/templateslist.png b/apps/documenteditor/main/resources/help/fr/images/templateslist.png new file mode 100644 index 000000000..01aceb8be Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/templateslist.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/thesaurus_icon.png b/apps/documenteditor/main/resources/help/fr/images/thesaurus_icon.png new file mode 100644 index 000000000..d7d644e93 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/thesaurus_icon.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/thesaurus_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/thesaurus_plugin.gif new file mode 100644 index 000000000..84c135e53 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/thesaurus_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/topbottomvalue.png b/apps/documenteditor/main/resources/help/fr/images/topbottomvalue.png new file mode 100644 index 000000000..1678d2236 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/topbottomvalue.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/translator.png b/apps/documenteditor/main/resources/help/fr/images/translator.png new file mode 100644 index 000000000..0ac2eeeba Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/translator.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/translator_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/translator_plugin.gif new file mode 100644 index 000000000..17c6058a4 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/translator_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/underline.png b/apps/documenteditor/main/resources/help/fr/images/underline.png index 793ad5b94..4c82ff29b 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/underline.png and b/apps/documenteditor/main/resources/help/fr/images/underline.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/undoautoexpansion.png b/apps/documenteditor/main/resources/help/fr/images/undoautoexpansion.png new file mode 100644 index 000000000..ffad0a9ff Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/undoautoexpansion.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/ungroup.png b/apps/documenteditor/main/resources/help/fr/images/ungroup.png index 4586364f7..3fd822b68 100644 Binary files a/apps/documenteditor/main/resources/help/fr/images/ungroup.png and b/apps/documenteditor/main/resources/help/fr/images/ungroup.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/uniqueduplicates.gif b/apps/documenteditor/main/resources/help/fr/images/uniqueduplicates.gif new file mode 100644 index 000000000..e20c2f50d Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/uniqueduplicates.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/viewtab.png b/apps/documenteditor/main/resources/help/fr/images/viewtab.png new file mode 100644 index 000000000..fa336ae22 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/viewtab.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/wordpress.png b/apps/documenteditor/main/resources/help/fr/images/wordpress.png new file mode 100644 index 000000000..1804b22a5 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/wordpress.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/wordpress_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/wordpress_plugin.gif new file mode 100644 index 000000000..d0416dfc9 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/wordpress_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/youtube.png b/apps/documenteditor/main/resources/help/fr/images/youtube.png new file mode 100644 index 000000000..4cf957207 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/youtube.png differ diff --git a/apps/documenteditor/main/resources/help/fr/images/youtube_plugin.gif b/apps/documenteditor/main/resources/help/fr/images/youtube_plugin.gif new file mode 100644 index 000000000..d1e3e976c Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/youtube_plugin.gif differ diff --git a/apps/documenteditor/main/resources/help/fr/images/zotero.png b/apps/documenteditor/main/resources/help/fr/images/zotero.png new file mode 100644 index 000000000..55f372fe2 Binary files /dev/null and b/apps/documenteditor/main/resources/help/fr/images/zotero.png differ diff --git a/apps/documenteditor/main/resources/help/fr/search/indexes.js b/apps/documenteditor/main/resources/help/fr/search/indexes.js index 4df47d0e7..70d411cb2 100644 --- a/apps/documenteditor/main/resources/help/fr/search/indexes.js +++ b/apps/documenteditor/main/resources/help/fr/search/indexes.js @@ -3,47 +3,52 @@ var indexes = { "id": "HelpfulHints/About.htm", "title": "À propos de Document Editor", - "body": "Document Editor est une application en ligne qui vous permet de parcourir et de modifier des documents directement sur le portail . 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. 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, sélectionnez l'élément de menu À propos dans la barre latérale gauche de la fenêtre principale du programme." + "body": "Document Editor est une application en ligne qui vous permet de parcourir et de modifier des documents dans votre navigateur . En utilisant Document Editor, vous pouvez effectuer différentes opérations d'édition comme avec n'importe quel éditeur de bureau, imprimer les documents modifiés en gardant la mise en forme ou les télécharger sur votre disque dur au format DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. 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, sélectionnez l'élément de menu À propos dans la barre latérale gauche de la fenêtre principale du programme." }, { "id": "HelpfulHints/AdvancedSettings.htm", "title": "Paramètres avancés de Document Editor", - "body": "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 : Commentaires en temps réel sert à activer / désactiver les commentaires en temps réel. 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 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. Vérification orthographique sert à activer/désactiver la vérification orthographique. Entrée alternative sert à activer / désactiver les hiéroglyphes. 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. 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 documents en cas de fermeture inattendue du programme. 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. 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é. 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% à 200%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur. Hinting sert à sélectionner le type d'affichage de la police dans Document 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. 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. Pour enregistrer les paramètres modifiés, cliquez sur le bouton Appliquer." + "body": "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 : Commentaires en temps réel sert à activer / désactiver les commentaires en temps réel. 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 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. Vérification orthographique sert à activer/désactiver la vérification orthographique. Vérification sert à remplacer un mot ou un symbole que vous avez saisi dans la casse Remplacer ou que vous avez choisi de la liste de corrections automatiques avec un autre mot ou symbole qui s’affiche dans la casse Par. Entrée alternative sert à activer / désactiver les hiéroglyphes. 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. Compatibilité sert à rendre les fichiers compatibles avec les anciennes versions de MS Word lorsqu’ils sont enregistrés au format DOCX. 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 documents en cas de fermeture inattendue du programme. 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. 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é. 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% à 200%. Vous pouvez également choisir l'option Ajuster à la page ou Ajuster à la largeur. Hinting de la police sert à sélectionner le type d'affichage de la police dans Document 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. 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. Couper, copier et coller - sert à afficher le bouton Options de collage lorsque le contenu est collé. Cochez la case pour activer cette option. Réglages macros - sert à désactiver toutes les macros avec notification. Choisissez Désactivez tout pour désactiver toutes les macros dans un 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. Pour enregistrer les paramètres modifiés, cliquez sur le bouton Appliquer." }, { "id": "HelpfulHints/CollaborativeEditing.htm", "title": "Edition collaborative des documents", - "body": "Document Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut : accès simultané au document édité par plusieurs utilisateurs indication visuelle des fragments qui sont en train d'être édités par d'autres utilisateurs 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) 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. Edition collaborative Document Editor permet de sélectionner l'un des deux modes de co-édition disponibles : Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: 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 - . S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Lorsqu'aucun utilisateur ne visualise ou n'édite le fichier, l'icône dans l'en-tête de l'éditeur aura l'aspect suivant 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 définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié. Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs : cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône dans la barre latérale gauche ou sur le bouton Chat dans la barre d'outils supérieure. Commentaires 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 le fragment du texte que vous voulez commenter, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire. Le fragment du texte commenté sera marqué dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône . Pour gérer les commentaires ajoutés, procédez de la manière suivante : pour les modifier, cliquez sur l'icône , pour les supprimer, cliquez sur l'icône , fermez la discussion en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront mis en évidence que si vous cliquez sur l'icône . Si vous utilisez le mode de co-édition Strict, les nouveaux commentaires ajoutés par d'autres utilisateurs ne seront visibles qu'après un clic sur l'icône dans le coin supérieur gauche de la barre supérieure. Pour fermer le panneau avec les commentaires cliquez sur l'icône encore une fois." + "body": "Document Editor vous offre la possibilité de travailler sur un document simultanément avec d'autres utilisateurs. Cette fonction inclut : accès simultané au document édité par plusieurs utilisateurs indication visuelle des fragments qui sont en train d'être édités par d'autres utilisateurs affichage des changements en temps réel ou synchronisation des changements en un seul clic chat pour partager des idées concernant certaines parties du document 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. Edition collaborative Document Editor permet de sélectionner l'un des deux modes de co-édition disponibles : Rapide est utilisé par défaut et affiche les modifications effectuées par d'autres utilisateurs en temps réel. Strict est sélectionné pour masquer les modifications des autres utilisateurs jusqu'à ce que vous cliquiez sur l'icône Enregistrer pour enregistrer vos propres modifications et accepter les modifications apportées par d'autres utilisateurs. Le mode peut être sélectionné dans les Paramètres avancés. Il est également possible de choisir le mode voulu à l'aide de l'icône Mode de coédition dans l'onglet Collaboration de la barre d'outils supérieure: 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 - . S'il y a trop d'utilisateurs, cliquez sur cette icône pour ouvrir le panneau Chat avec la liste complète affichée. Lorsqu'aucun utilisateur ne visualise ou n'édite le fichier, l'icône dans l'en-tête de l'éditeur aura l'aspect suivant 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 définir des droits d'accès à l'aide de l'icône Partage dans l'onglet Collaboration de la barre d'outils supérieure. Dès que l'un des utilisateurs enregistre ses modifications en cliquant sur l'icône , les autres verront une note dans la barre d'état indiquant qu'il y a des mises à jour. Pour enregistrer les changements effectués et récupérer les mises à jour de vos co-éditeurs cliquez sur l'icône dans le coin supérieur gauche de la barre supérieure. Les mises à jour seront marquées pour vous aider à controller ce qui a été exactement modifié. Vous pouvez spécifier les modifications que vous souhaitez mettre en surbrillance pendant la co-édition si vous cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et choisissez entre aucune, toutes et récentes modifications de collaboration en temps réel. Quand l'option Afficher toutes les modifications sélectionnée, toutes les modifications effectuées au cours de la session seront mises en surbrillance. En sélectionnant Afficher les modifications récentes, seules les modifications effectuées depuis la dernière fois que vous avez cliqué sur l'icône seront mises en surbrillance. En sélectionnant N'afficher aucune modification, aucune des modifications effectuées au cours de la session ne sera mise en surbrillance. Chat Vous pouvez utiliser cet outil pour coordonner en temps réel le processus de co-édition, par exemple, pour décider avec vos collaborateurs de qui fait quoi, quel paragraphe vous allez éditer maintenant, etc. Les messages de discussion sont stockés pendant une session seulement. Pour discuter du contenu du document, il est préférable d'utiliser les commentaires qui sont stockés jusqu'à ce que vous décidiez de les supprimer. Pour accéder à Chat et envoyer un message à d'autres utilisateurs : cliquez sur l'icône dans la barre latérale gauche ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Chat, saisissez le texte dans le champ correspondant, cliquez sur le bouton Envoyer. Tous les messages envoyés par les utilisateurs seront affichés sur le panneau à gauche. S'il y a de nouveaux messages à lire, l'icône chat sera affichée de la manière suivante - . Pour fermer le panneau avec des messages de discussion, cliquez à nouveau sur l'icône dans la barre latérale gauche ou sur le bouton Chat dans la barre d'outils supérieure. Commentaires 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 le fragment du texte que vous voulez commenter, passez à l'onglet Insertion ou Collaboration de la barre d'outils supérieure et cliquez sur le bouton Commentaire ou utilisez l'icône dans la barre latérale gauche pour ouvrir le panneau Commentaires et cliquez sur le lien Ajouter un commentaire au document ou cliquez avec le bouton droit sur le passage de texte sélectionné et sélectionnez l'option Ajouter un commentaire dans le menu contextuel, saisissez le texte nécessaire, cliquez sur le bouton Ajouter commentaire/Ajouter. Le commentaire sera affiché sur le panneau à gauche. Tout autre utilisateur peut répondre au commentaire ajouté en posant une question ou en faisant référance au travail fait. Pour le faire il suffit de cliquer sur le lien Ajouter une réponse situé au-dessus du commentaire. 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 marqué dans le document. Pour voir le commentaire, cliquez à l'intérieur du fragment. Si vous devez désactiver cette fonctionnalité, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés... et décochez la case Activer l'affichage des commentaires. Dans ce cas, les passages commentés ne seront mis en évidence que si vous cliquez sur l'icône . Pour gérer les commentaires ajoutés, procédez de la manière suivante : pour les modifier, cliquez sur l'icône , pour les supprimer, cliquez sur l'icône , fermez la discussion en cliquant sur l'icône si la tâche ou le problème décrit dans votre commentaire est résolu, après quoi la discussion ouverte par votre commentaire reçoit le statut résolu. Pour l'ouvrir à nouveau, cliquez sur l'icône . Si vous souhaitez masquer les commentaires résolus, cliquez sur l'onglet Fichier dans la barre d'outils supérieure, sélectionnez l'option Paramètres avancés..., décochez la case Activer l'affichage des commentaires résolus puis cliquez sur Appliquer. Dans ce cas, les commentaires résolus ne seront mis en évidence que si vous cliquez sur l'icône . Ajouter les 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, 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ées 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ées aussi. Supprimer tous les commentaires à 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 fois." + }, + { + "id": "HelpfulHints/Comparison.htm", + "title": "Compare documents", + "body": "Comparer les documents Remarque : cette option est disponible uniquement dans la version payante de la suite bureautique en ligne à partir de Document Server v. 5.5. Si vous devez comparer et fusionner deux documents, vous pouvez utiliser la fonction de Comparaison de documents. 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 : Basculez vers l’onglet Collaboration dans la barre d’outils supérieure et appuyez sur le bouton Comparer, Sélectionnez l’une des options suivantes pour 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 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 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. 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. 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 : 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. 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. 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. 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. 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. 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 : 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. 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. 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 ». Auteur du document Lorsque le processus de comparaison est lancé, 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 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. 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." }, { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Raccourcis clavier", - "body": "Windows/LinuxMac OS Traitement du document Ouvrir le panneau \"Fichier\" Alt+F ⌥ Option+F Ouvrir le volet Fichier pour enregistrer, télécharger, imprimer le document actuel, afficher ses informations, créer un nouveau document ou ouvrir un existant, accéder à l'aide de Document 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 à chercher un caractère/mot/phrase dans le document actuellement édité. 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. Répéter la dernière action « Rechercher ». ⇧ Maj+F4 ⇧ Maj+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Maj+F4 Répéter l'action de Rechercher qui a été effectuée avant d'appuyer sur la combinaison de touches. Ouvir 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 document Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans le document actuellement modifié à l'aide de Document Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer le document Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer le document avec l'une des imprimantes disponibles ou l'enregistrer sous forme de fichier. Enregistrer (Télécharger comme) Ctrl+⇧ Maj+S ^ Ctrl+⇧ Maj+S, ⌘ Cmd+⇧ Maj+S Ouvrir l'onglet Télécharger comme pour enregistrer le document actuellement affiché sur le disque dur de l'ordinateur dans l'un des formats pris en charge : DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Plein écran F11 Passer à l'affichage plein écran pour adapter Document Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide de Document Editor Ouvrir un fichier existant (Desktop Editors) Ctrl+O 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) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Fermer la fenêtre du document en cours de modification dans Desktop Editors. Menu contextuel de l’élément ⇧ Maj+F10 ⇧ Maj+F10 Ouvrir le menu contextuel de l'élément sélectionné. Navigation Sauter au début de la ligne Début Début Placer le curseur au début de la ligne en cours d'édition. Sauter au début du document Ctrl+Début ^ Ctrl+Début Placer le curseur au début du document en cours d'édition. Sauter à la fin de la ligne Fin Fin Placer le curseur à la fin de la ligne en cours d'édition. Sauter à la fin du document Ctrl+Fin ^ Ctrl+Fin Placer le curseur à la fin du document en cours d'édition. Sauter au début de la page précédente Alt+Ctrl+Pg. préc Placez le curseur au tout début de la page qui précède la page en cours d'édition. Sauter au début de la page suivante Alt+Ctrl+Pg. suiv ⌥ Option+⌘ Cmd+⇧ Maj+Pg. suiv Placez le curseur au tout début de la page qui suit la page en cours d'édition. Faire défiler vers le bas Pg. suiv Pg. suiv, ⌥ Option+Fn+↑ Faire défiler le document vers le bas d'une page visible. Faire défiler vers le haut Pg. préc Pg. préc, ⌥ Option+Fn+↓ Faire défiler le document vers le haut d'une page visible. Page suivante Alt+Pg. suiv ⌥ Option+Pg. suiv Passer à la page suivante du document en cours d'édition. Page précédente Alt+Pg. préc ⌥ Option+Pg. préc Passer à la page précédente du document en cours d'édition. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Agrandir le zoom du document en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Réduire le zoom du document en cours d'édition. Déplacer un caractère vers la gauche ← ← Déplacer le curseur d'un caractère vers la gauche. Déplacer un caractère vers la droite → → Déplacer le curseur d'un caractère vers la droite. Déplacer vers le début d'un mot ou un mot vers la gauche Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Déplacer le curseur au début d'un mot ou d'un mot vers la gauche. Déplacer un caractère vers la droite Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Déplacer le curseur d'un mot vers la droite. Déplacer une ligne vers le haut ↑ ↑ Déplacer le curseur d'une ligne vers le haut. Déplacer une ligne vers le bas ↓ ↓ Déplacer le curseur d'une ligne vers le bas. Écriture Terminer le paragraphe ↵ Entrée ↵ Retour Terminer le paragraphe actuel et commencer un nouveau. Ajouter un saut de ligne ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Ajouter un saut de ligne sans commencer un nouveau paragraphe. Supprimer ← Retour arrière, Supprimer ← Retour arrière, Supprimer Supprimer un caractère à gauche (← Retour arrière) ou vers la droite (Supprimer) du curseur. Supprimer le mot à gauche du curseur Ctrl+← Retour arrière ^ Ctrl+← Retour arrière, ⌘ Cmd+← Retour arrière Supprimer un mot à gauche du curseur. Supprimer le mot à droite du curseur Ctrl+Supprimer ^ Ctrl+Supprimer, ⌘ Cmd+Supprimer Supprimer un mot à droite du curseur. Créer un espace insécable Ctrl+⇧ Maj+␣ Barre d'espace ^ Ctrl+⇧ Maj+␣ Barre d'espace Créer un espace entre les caractères qui ne peuvent pas être utilisés pour passer à la ligne suivante. Créer un trait d'union insécable Ctrl+⇧ Maj+Trait d'union ^ Ctrl+⇧ Maj+Trait d'union Créer un trait d'union entre les caractères qui ne peuvent pas être utilisés pour passer à la ligne suivante. Annuler et Rétablir Annuler Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Inverser la dernière action effectuée. Rétablir Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Maj+Z Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X, ⇧ Maj+Supprimer Supprimer le fragment du texte sélectionné et l'envoyer vers le presse-papiers. Le texte copié peut être inséré ensuite à un autre endroit dans le même document, dans un autre document, ou dans un autre programme. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer le fragment du texte sélectionné et l'envoyer vers le presse-papiers. Le texte copié peut être inséré ensuite à un autre endroit dans le même document, dans un autre document, ou dans un autre programme. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer le fragment du texte précédemment copié du presse-papiers à la position actuelle du texte. Le texte peut être copié précédemment à partir du même document, à partir d'un autre document, ou provenant d'un autre programme. Insérer un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte qui peut être utilisé pour accéder à une adresse web. Copier le style Ctrl+⇧ Maj+C ⌘ Cmd+⇧ Maj+C Copier la mise en forme du fragment sélectionné du texte en cours d'édition. La mise en forme copiée peut être ensuite appliquée à un autre texte dans le même document. Appliquer le style Ctrl+⇧ Maj+V ⌘ Cmd+⇧ Maj+V Appliquer la mise en forme précédemment copiée dans le texte du document en cours d'édition. Sélection de texte Sélectionner tout Ctrl+A ⌘ Cmd+A Sélectionner tout le texte du document avec des tableaux et des images. Sélectionner une plage ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner le texte caractère par caractère. Sélectionner depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début ⇧ Maj+Début Sélectionner le fragment du texte 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 le fragment du texte depuis le curseur jusqu'à la fin de la ligne actuelle. Sélectionner un caractère à droite ⇧ Maj+→ ⇧ Maj+→ Sélectionner un caractère à droite de la position du curseur. Sélectionner un caractère à gauche ⇧ Maj+← ⇧ Maj+← Sélectionner un caractère à gauche de la position du curseur. Sélectionner jusqu'à la fin d'un mot Ctrl+⇧ Maj+→ Sélectionner un fragment de texte depuis le curseur jusqu'à la fin d'un mot. Sélectionner au début d'un mot Ctrl+⇧ Maj+← Sélectionner un fragment de texte depuis le curseur jusqu'au début d'un mot. Sélectionner une ligne vers le haut ⇧ Maj+↑ ⇧ Maj+↑ Sélectionner une ligne vers le haut (avec le curseur au début d'une ligne). Sélectionner une ligne vers le bas ⇧ Maj+↓ ⇧ Maj+↓ Sélectionner une ligne vers le bas (avec le curseur au début d'une ligne). Sélectionner la page vers le haut ⇧ Maj+Pg. préc ⇧ Maj+Pg. préc Sélectionner la partie de page de la position du curseur à la partie supérieure de l'écran. Sélectionner la page vers le bas ⇧ Maj+Pg. suiv ⇧ Maj+Pg. suiv Sélectionner la partie de page de la position du curseur à la partie inférieure de l'écran. Style de texte 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. Souligné Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres. Barré Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres. Indice Ctrl+. ^ Ctrl+⇧ Maj+>, ⌘ Cmd+⇧ Maj+> Rendre le fragment du texte sélectionné plus petit et le placer à la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Exposant Ctrl+, ^ Ctrl+⇧ Maj+<, ⌘ Cmd+⇧ Maj+< Sélectionner le fragment du texte et le placer sur la partie supérieure de la ligne de texte, par exemple comme dans les fractions. Style Titre 1 Alt+1 ⌥ Option+^ Ctrl+1 Appliquer le style Titre 1 au fragment du texte sélectionné. Style Titre 2 Alt+2 ⌥ Option+^ Ctrl+2 Appliquer le style Titre 2 au fragment du texte sélectionné. Style Titre 3 Alt+3 ⌥ Option+^ Ctrl+3 Appliquer le style Titre 3 au fragment du texte sélectionné. Liste à puces Ctrl+⇧ Maj+L ^ Ctrl+⇧ Maj+L, ⌘ Cmd+⇧ Maj+L Créer une liste à puces non numérotée du fragment de texte sélectionné ou créer une nouvelle liste. Supprimer la mise en forme Ctrl+␣ Barre d'espace Supprimer la mise en forme du fragment du texte sélectionné. Agrandir la police Ctrl+] ⌘ Cmd+] Augmenter la taille de la police du fragment de texte sélectionné de 1 point. Réduire la police Ctrl+[ ⌘ Cmd+[ Réduire la taille de la police du fragment de texte sélectionné de 1 point. Alignement centré/à gauche Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Passer de l'alignement centré à l'alignement à gauche. Justifié/à gauche Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Passer de l'alignement justifié à gauche. Alignement à droite/à gauche Ctrl+R ^ Ctrl+R Passer de l'aligné à droite à l'aligné à gauche. Appliquer la mise en forme de l'indice (espacement automatique) Ctrl+= Appliquer la mise en forme d'indice au fragment de texte sélectionné. Appliquer la mise en forme d’exposant (espacement automatique) Ctrl+⇧ Maj++ Appliquer la mise en forme d'exposant au fragment de texte sélectionné. Insérer des sauts de page Ctrl+↵ Entrée ^ Ctrl+↵ Retour Insérer un saut de page à la position actuelle du curseur. Augmenter le retrait Ctrl+M ^ Ctrl+M Augmenter le retrait gauche. Réduire le retrait Ctrl+⇧ Maj+M ^ Ctrl+⇧ Maj+M Diminuer le retrait gauche. Ajouter un numéro de page Ctrl+⇧ Maj+P ^ Ctrl+⇧ Maj+P Ajoutez le numéro de page actuel à la position actuelle du curseur. Caractères non imprimables Ctrl+⇧ Maj+Num8 Afficher ou masque l'affichage des caractères non imprimables. Supprimer un caractère à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche du curseur. Supprimer un caractère à droite Supprimer Supprimer Supprimer un caractère à droite du curseur. 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) Contraindre une rotation à un angle 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. Utilisation des tableaux Passer à la cellule suivante d’une ligne ↹ Tab ↹ Tab Aller à la cellule suivante d’une ligne de tableau. Passer à la cellule précédente d’une ligne ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Aller à la cellule précédente d’une ligne de tableau. Passer à la ligne suivante ↓ ↓ Aller à la ligne suivante d’un tableau. Passer à la ligne précédente ↑ ↑ Aller à la ligne précédente d’un tableau. Commencer un nouveau paragraphe ↵ Entrée ↵ Retour Commencer un nouveau paragraphe dans une cellule. Ajouter une nouvelle ligne ↹ Tab dans la cellule inférieure droite du tableau. ↹ Tab dans la cellule inférieure droite du tableau. Ajouter une nouvelle ligne au bas du tableau. Insertion des caractères spéciaux Insérer une formule Alt+= Insérer une formule à la position actuelle du curseur." + "body": "Windows/LinuxMac OS Traitement du document Ouvrir le panneau \"Fichier\" Alt+F ⌥ Option+F Ouvrir le volet Fichier pour enregistrer, télécharger, imprimer le document actuel, afficher ses informations, créer un nouveau document ou ouvrir un existant, accéder à l'aide de Document 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 à chercher un caractère/mot/phrase dans le document actuellement édité. 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. Répéter la dernière action « Rechercher ». ⇧ Maj+F4 ⇧ Maj+F4, ⌘ Cmd+G, ⌘ Cmd+⇧ Maj+F4 Répéter l'action de Rechercher qui a été effectuée avant d'appuyer sur la combinaison de touches. Ouvir 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 document Ctrl+S ^ Ctrl+S, ⌘ Cmd+S Enregistrer toutes les modifications dans le document actuellement modifié à l'aide de Document Editor. Le fichier actif sera enregistré avec son nom de fichier actuel, son emplacement et son format de fichier. Imprimer le document Ctrl+P ^ Ctrl+P, ⌘ Cmd+P Imprimer le document avec l'une des imprimantes disponibles ou l'enregistrer sous forme de fichier. Enregistrer (Télécharger comme) Ctrl+⇧ Maj+S ^ Ctrl+⇧ Maj+S, ⌘ Cmd+⇧ Maj+S Ouvrir l'onglet Télécharger comme pour enregistrer le document actuellement affiché sur le disque dur de l'ordinateur dans l'un des formats pris en charge : DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Plein écran F11 Passer à l'affichage plein écran pour adapter Document Editor à votre écran. Menu d'aide F1 F1 Ouvrir le menu Aide de Document Editor Ouvrir un fichier existant (Desktop Editors) Ctrl+O 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) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W Fermer la fenêtre du document en cours de modification dans Desktop Editors. Menu contextuel de l’élément ⇧ Maj+F10 ⇧ Maj+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%. Navigation Sauter au début de la ligne Début Début Placer le curseur au début de la ligne en cours d'édition. Sauter au début du document Ctrl+Début ^ Ctrl+Début Placer le curseur au début du document en cours d'édition. Sauter à la fin de la ligne Fin Fin Placer le curseur à la fin de la ligne en cours d'édition. Sauter à la fin du document Ctrl+Fin ^ Ctrl+Fin Placer le curseur à la fin du document en cours d'édition. Sauter au début de la page précédente Alt+Ctrl+Pg. préc Placez le curseur au tout début de la page qui précède la page en cours d'édition. Sauter au début de la page suivante Alt+Ctrl+Pg. suiv ⌥ Option+⌘ Cmd+⇧ Maj+Pg. suiv Placez le curseur au tout début de la page qui suit la page en cours d'édition. Faire défiler vers le bas Pg. suiv Pg. suiv, ⌥ Option+Fn+↑ Faire défiler le document vers le bas d'une page visible. Faire défiler vers le haut Pg. préc Pg. préc, ⌥ Option+Fn+↓ Faire défiler le document vers le haut d'une page visible. Page suivante Alt+Pg. suiv ⌥ Option+Pg. suiv Passer à la page suivante du document en cours d'édition. Page précédente Alt+Pg. préc ⌥ Option+Pg. préc Passer à la page précédente du document en cours d'édition. Zoom avant Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Agrandir le zoom du document en cours d'édition. Zoom arrière Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Réduire le zoom du document en cours d'édition. Déplacer un caractère vers la gauche ← ← Déplacer le curseur d'un caractère vers la gauche. Déplacer un caractère vers la droite → → Déplacer le curseur d'un caractère vers la droite. Déplacer vers le début d'un mot ou un mot vers la gauche Ctrl+← ^ Ctrl+←, ⌘ Cmd+← Déplacer le curseur au début d'un mot ou d'un mot vers la gauche. Déplacer un caractère vers la droite Ctrl+→ ^ Ctrl+→, ⌘ Cmd+→ Déplacer le curseur d'un mot vers la droite. Déplacer une ligne vers le haut ↑ ↑ Déplacer le curseur d'une ligne vers le haut. Déplacer une ligne vers le bas ↓ ↓ Déplacer le curseur d'une ligne vers le bas. Écriture Terminer le paragraphe ↵ Entrée ↵ Retour Terminer le paragraphe actuel et commencer un nouveau. Ajouter un saut de ligne ⇧ Maj+↵ Entrée ⇧ Maj+↵ Retour Ajouter un saut de ligne sans commencer un nouveau paragraphe. Supprimer ← Retour arrière, Supprimer ← Retour arrière, Supprimer Supprimer un caractère à gauche (← Retour arrière) ou vers la droite (Supprimer) du curseur. Supprimer le mot à gauche du curseur Ctrl+← Retour arrière ^ Ctrl+← Retour arrière, ⌘ Cmd+← Retour arrière Supprimer un mot à gauche du curseur. Supprimer le mot à droite du curseur Ctrl+Supprimer ^ Ctrl+Supprimer, ⌘ Cmd+Supprimer Supprimer un mot à droite du curseur. Créer un espace insécable Ctrl+⇧ Maj+␣ Barre d'espace ^ Ctrl+⇧ Maj+␣ Barre d'espace Créer un espace entre les caractères qui ne peuvent pas être utilisés pour passer à la ligne suivante. Créer un trait d'union insécable Ctrl+⇧ Maj+Trait d'union ^ Ctrl+⇧ Maj+Trait d'union Créer un trait d'union entre les caractères qui ne peuvent pas être utilisés pour passer à la ligne suivante. Annuler et Rétablir Annuler Ctrl+Z ^ Ctrl+Z, ⌘ Cmd+Z Inverser la dernière action effectuée. Rétablir Ctrl+Y ^ Ctrl+Y, ⌘ Cmd+Y, ⌘ Cmd+⇧ Maj+Z Répéter la dernière action annulée. Couper, Copier et Coller Couper Ctrl+X, ⇧ Maj+Supprimer ⌘ Cmd+X, ⇧ Maj+Supprimer Supprimer le fragment du texte sélectionné et l'envoyer vers le presse-papiers. Le texte copié peut être inséré ensuite à un autre endroit dans le même document, dans un autre document, ou dans un autre programme. Copier Ctrl+C, Ctrl+Inser ⌘ Cmd+C Envoyer le fragment du texte sélectionné et l'envoyer vers le presse-papiers. Le texte copié peut être inséré ensuite à un autre endroit dans le même document, dans un autre document, ou dans un autre programme. Coller Ctrl+V, ⇧ Maj+Inser ⌘ Cmd+V Insérer le fragment du texte précédemment copié du presse-papiers à la position actuelle du texte. Le texte peut être copié précédemment à partir du même document, à partir d'un autre document, ou provenant d'un autre programme. Insérer un lien hypertexte Ctrl+K ⌘ Cmd+K Insérer un lien hypertexte qui peut être utilisé pour accéder à une adresse web. Copier le style Ctrl+⇧ Maj+C ⌘ Cmd+⇧ Maj+C Copier la mise en forme du fragment sélectionné du texte en cours d'édition. La mise en forme copiée peut être ensuite appliquée à un autre texte dans le même document. Appliquer le style Ctrl+⇧ Maj+V ⌘ Cmd+⇧ Maj+V Appliquer la mise en forme précédemment copiée dans le texte du document en cours d'édition. Sélection de texte Sélectionner tout Ctrl+A ⌘ Cmd+A Sélectionner tout le texte du document avec des tableaux et des images. Sélectionner une plage ⇧ Maj+→ ← ⇧ Maj+→ ← Sélectionner le texte caractère par caractère. Sélectionner depuis le curseur jusqu'au début de la ligne ⇧ Maj+Début ⇧ Maj+Début Sélectionner le fragment du texte 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 le fragment du texte depuis le curseur jusqu'à la fin de la ligne actuelle. Sélectionner un caractère à droite ⇧ Maj+→ ⇧ Maj+→ Sélectionner un caractère à droite de la position du curseur. Sélectionner un caractère à gauche ⇧ Maj+← ⇧ Maj+← Sélectionner un caractère à gauche de la position du curseur. Sélectionner jusqu'à la fin d'un mot Ctrl+⇧ Maj+→ Sélectionner un fragment de texte depuis le curseur jusqu'à la fin d'un mot. Sélectionner au début d'un mot Ctrl+⇧ Maj+← Sélectionner un fragment de texte depuis le curseur jusqu'au début d'un mot. Sélectionner une ligne vers le haut ⇧ Maj+↑ ⇧ Maj+↑ Sélectionner une ligne vers le haut (avec le curseur au début d'une ligne). Sélectionner une ligne vers le bas ⇧ Maj+↓ ⇧ Maj+↓ Sélectionner une ligne vers le bas (avec le curseur au début d'une ligne). Sélectionner la page vers le haut ⇧ Maj+Pg. préc ⇧ Maj+Pg. préc Sélectionner la partie de page de la position du curseur à la partie supérieure de l'écran. Sélectionner la page vers le bas ⇧ Maj+Pg. suiv ⇧ Maj+Pg. suiv Sélectionner la partie de page de la position du curseur à la partie inférieure de l'écran. Style de texte 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. Souligné Ctrl+U ^ Ctrl+U, ⌘ Cmd+U Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres. Barré Ctrl+5 ^ Ctrl+5, ⌘ Cmd+5 Souligner le fragment de texte sélectionné avec la ligne qui passe sous les lettres. Indice Ctrl+. ^ Ctrl+⇧ Maj+>, ⌘ Cmd+⇧ Maj+> Rendre le fragment du texte sélectionné plus petit et le placer à la partie inférieure de la ligne du texte, par exemple comme dans les formules chimiques. Exposant Ctrl+, ^ Ctrl+⇧ Maj+<, ⌘ Cmd+⇧ Maj+< Sélectionner le fragment du texte et le placer sur la partie supérieure de la ligne de texte, par exemple comme dans les fractions. Style Titre 1 Alt+1 ⌥ Option+^ Ctrl+1 Appliquer le style Titre 1 au fragment du texte sélectionné. Style Titre 2 Alt+2 ⌥ Option+^ Ctrl+2 Appliquer le style Titre 2 au fragment du texte sélectionné. Style Titre 3 Alt+3 ⌥ Option+^ Ctrl+3 Appliquer le style Titre 3 au fragment du texte sélectionné. Liste à puces Ctrl+⇧ Maj+L ^ Ctrl+⇧ Maj+L, ⌘ Cmd+⇧ Maj+L Créer une liste à puces non numérotée du fragment de texte sélectionné ou créer une nouvelle liste. Supprimer la mise en forme Ctrl+␣ Barre d'espace Supprimer la mise en forme du fragment du texte sélectionné. Agrandir la police Ctrl+] ⌘ Cmd+] Augmenter la taille de la police du fragment de texte sélectionné de 1 point. Réduire la police Ctrl+[ ⌘ Cmd+[ Réduire la taille de la police du fragment de texte sélectionné de 1 point. Alignement centré/à gauche Ctrl+E ^ Ctrl+E, ⌘ Cmd+E Passer de l'alignement centré à l'alignement à gauche. Justifié/à gauche Ctrl+J, Ctrl+L ^ Ctrl+J, ⌘ Cmd+J Passer de l'alignement justifié à gauche. Alignement à droite/à gauche Ctrl+R ^ Ctrl+R Passer de l'aligné à droite à l'aligné à gauche. Appliquer la mise en forme de l'indice (espacement automatique) Ctrl+= Appliquer la mise en forme d'indice au fragment de texte sélectionné. Appliquer la mise en forme d’exposant (espacement automatique) Ctrl+⇧ Maj++ Appliquer la mise en forme d'exposant au fragment de texte sélectionné. Insérer des sauts de page Ctrl+↵ Entrée ^ Ctrl+↵ Retour Insérer un saut de page à la position actuelle du curseur. Augmenter le retrait Ctrl+M ^ Ctrl+M Augmenter le retrait gauche. Réduire le retrait Ctrl+⇧ Maj+M ^ Ctrl+⇧ Maj+M Diminuer le retrait gauche. Ajouter un numéro de page Ctrl+⇧ Maj+P ^ Ctrl+⇧ Maj+P Ajoutez le numéro de page actuel à la position actuelle du curseur. Caractères non imprimables Ctrl+⇧ Maj+Num8 Afficher ou masque l'affichage des caractères non imprimables. Supprimer un caractère à gauche ← Retour arrière ← Retour arrière Supprimer un caractère à gauche du curseur. Supprimer un caractère à droite Supprimer Supprimer Supprimer un caractère à droite du curseur. 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) Contraindre une rotation à un angle 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. Utilisation des tableaux Passer à la cellule suivante d’une ligne ↹ Tab ↹ Tab Aller à la cellule suivante d’une ligne de tableau. Passer à la cellule précédente d’une ligne ⇧ Maj+↹ Tab ⇧ Maj+↹ Tab Aller à la cellule précédente d’une ligne de tableau. Passer à la ligne suivante ↓ ↓ Aller à la ligne suivante d’un tableau. Passer à la ligne précédente ↑ ↑ Aller à la ligne précédente d’un tableau. Commencer un nouveau paragraphe ↵ Entrée ↵ Retour Commencer un nouveau paragraphe dans une cellule. Ajouter une nouvelle ligne ↹ Tab dans la cellule inférieure droite du tableau. ↹ Tab dans la cellule inférieure droite du tableau. Ajouter une nouvelle ligne au bas du tableau. Insertion des caractères spéciaux Insérer une formule Alt+= Insérer une formule à la position actuelle du curseur. Insérer un tiret sur cadratin Alt+Ctrl+Verr.num- Insérer un tiret sur cadratin ‘—’ dans le document actuel à droite du curseur. Insérer un trait d'union insécable Ctrl+⇧ Maj+_ ^ Ctrl+⇧ Maj+Trait d’union Insérer un trait d'union insécable ‘—’ dans le document actuel à droite du curseur. Insérer un espace insécable Ctrl+⇧ Maj+␣ Barre d'espace Ctrl+⇧ Maj+␣ Barre d'espace Insérer un espace insécable ‘o’ dans le document actuel à droite du curseur." }, { "id": "HelpfulHints/Navigation.htm", "title": "Paramètres d'affichage et outils de navigation", - "body": "Document Editor est doté de plusieurs outils qui vous aide à visionner et naviguer à travers votre document : les règles, le zoom, les boutons page précédente / suivante, l'affichage des numéros de page. 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 le document, cliquez sur le bouton cliquez sur l'icône Afficher les paramètres située 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 Afficher les paramètres : 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 s'affiche jusqu'à ce que vous cliquiez ailleurs. Pour désactiver ce mode, cliquez sur l’icône Afficher les paramètres puis cliquez de 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 d'état sert à masquer la barre qui se situe tout en bas avec les boutons Affichage des numéros de page et Zoom. Pour afficher la Barre d'état masquée cliquez sur cette option encore une fois. Masquer les règles - masque les règles qui sont utilisées pour aligner le texte, les graphiques, les tableaux et d'autres éléments dans un document, définir des marges, des tabulations et des retraits de paragraphe. Pour afficher les Règles masquées cliquez sur cette option encore une fois. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) ou un passage de texte 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 régler la largeur de la barre gauche avec un simple glisser-déposer : placez le curseur de la souris sur la bordure gauche 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 document, utilisez les outils suivants : Les boutons Zoom sont situés en bas à droite et sont utilisés pour faire un zoom avant et arrière dans le document actif. 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 ou utilisez les boutons Zoom avant ou Zoom arrière . Cliquez sur l'icône Ajuster à la largeur pour adapter la largeur de la page du document à la partie visible de la zone de travail. Pour adapter la page entière du document à la partie visible de la zone de travail, cliquez sur l'icône Ajuster à la page . Les paramètres de Zoom sont également disponibles dans la liste déroulante Paramètres d'affichage qui peuvent être bien utiles si vous décidez de masquer la Barre d'état. L'Indicateur de numéros de page affiche la page active dans l'ensemble des pages du document actif (page 'n' sur 'nn'). Cliquez sur ce libellé pour ouvrir la fenêtre où vous pouvez entrer le numéro de la page et y accéder rapidement." + "body": "Document Editor est doté de plusieurs outils qui vous aide à visionner et naviguer à travers votre document: le zoom, l'affichage des numéros de page etc. 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 le document, cliquez sur le bouton cliquez sur l'icône Afficher les paramètres située 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 Afficher les paramètres : 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 s'affiche jusqu'à ce que vous cliquiez ailleurs. Pour désactiver ce mode, cliquez sur l’icône Afficher les paramètres puis cliquez de 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 d'état sert à masquer la barre qui se situe tout en bas avec les boutons Affichage des numéros de page et Zoom. Pour afficher la Barre d'état masquée cliquez sur cette option encore une fois. Masquer les règles - masque les règles qui sont utilisées pour aligner le texte, les graphiques, les tableaux et d'autres éléments dans un document, définir des marges, des tabulations et des retraits de paragraphe. Pour afficher les Règles masquées cliquez sur cette option encore une fois. La barre latérale droite est réduite par défaut. Pour l'agrandir, sélectionnez un objet (par exemple, image, graphique, forme) ou un passage de texte 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 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 document, utilisez les outils suivants : Les boutons Zoom sont situés en bas à droite et sont utilisés pour faire un zoom avant et arrière dans le document actif. 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 ou utilisez les boutons Zoom avant ou Zoom arrière . Cliquez sur l'icône Ajuster à la largeur pour adapter la largeur de la page du document à la partie visible de la zone de travail. Pour adapter la page entière du document à la partie visible de la zone de travail, cliquez sur l'icône Ajuster à la page . Les paramètres de Zoom sont également disponibles dans la liste déroulante Paramètres d'affichage qui peuvent être bien utiles si vous décidez de masquer la Barre d'état. L'Indicateur de numéros de page affiche la page active dans l'ensemble des pages du document actif (page 'n' sur 'nn'). Cliquez sur ce libellé pour ouvrir la fenêtre où vous pouvez entrer le numéro de la page et y accéder rapidement." }, { "id": "HelpfulHints/Review.htm", "title": "Révision du document", - "body": "Lorsque quelqu'un partage avec vous un fichier disposant des autorisations de révision, vous devez utiliser la fonction Révision du document. Si vous êtes le relecteur, vous pouvez utiliser l'option Révision pour réviser le document, modifier les phrases, les expressions et les autres éléments de la page, corriger l'orthographe et faire d'autres choses dans le document sans l'éditer. Toutes vos modifications seront enregistrées et montrées à la personne qui vous a envoyé le document. Si vous êtes la personne qui envoie le fichier pour la révision, vous devrez afficher toutes les modifications qui y ont été apportées, les afficher et les accepter ou les rejeter. Activer la fonctionnalité Suivi des modifications Pour voir les modifications suggérées par un réviseur, activez l'option Suivi des modifications de l'une des manières suivantes : cliquez sur le bouton dans le coin inférieur droit de la barre d'état, ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Suivi des modifications. Remarque : il n'est pas nécessaire que le réviseur active l'option Suivi des modifications. Elle est activée par défaut et ne peut pas être désactivée lorsque le document est partagé avec des droits d'accès de révision uniquement. 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 : Marques de révision - cette option est sélectionnée par défaut. Elle permet à la fois d'afficher les modifications suggérées et de modifier le document. Final - ce mode est utilisé pour afficher toutes les modifications comme si elles étaient acceptées. Cette option n'accepte pas toutes les modifications, elle vous permet seulement de voir à quoi ressemblera le document après avoir accepté toutes les modifications. Dans ce mode, vous ne pouvez pas modifier le document. Original - ce mode est utilisé pour afficher toutes les modifications comme si elles avaient é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. Accepter ou rejeter les modifications Utilisez les boutons Modification précédente et Modification suivante de la barre d'outils supérieure pour naviguer parmi les modifications. Pour accepter la modification actuellement sélectionnée, vous pouvez : cliquer sur le bouton Accepter de la barre d'outils supérieure, ou cliquer sur la flèche vers le bas sous le 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 de la notification de modification. 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 actuelle, vous pouvez : cliquez sur le bouton Rejeter de la barre d'outils supérieure, ou cliquer sur la flèche vers le bas sous le 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 de la notification de modification. Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas sous le bouton Rejeter et sélectionnez l'option Rejeter toutes les modifications. Remarque : si vous révisez le document, les options Accepter et Rejeter ne sont pas disponibles pour vous. Vous pouvez supprimer vos modifications en utilisant l'icône dans le ballon de changement." + "body": "Lorsque quelqu'un partage avec vous un fichier disposant des autorisations de révision, vous devez utiliser la fonction Révision du document. Si vous êtes le relecteur, vous pouvez utiliser l'option Révision pour réviser le document, modifier les phrases, les expressions et les autres éléments de la page, corriger l'orthographe et faire d'autres choses dans le document sans l'éditer. Toutes vos modifications seront enregistrées et montrées à la personne qui vous a envoyé le document. Si vous êtes la personne qui envoie le fichier pour la révision, vous devrez afficher toutes les modifications qui y ont été apportées, les afficher et les accepter ou les rejeter. Activer la fonctionnalité Suivi des modifications Pour voir les modifications suggérées par un réviseur, activez l'option Suivi des modifications de l'une des manières suivantes : cliquez sur le bouton dans le coin inférieur droit de la barre d'état, ou passez à l'onglet Collaboration de la barre d'outils supérieure et cliquez sur le bouton Suivi des modifications. Remarque : il n'est pas nécessaire que le réviseur active l'option Suivi des modifications. Elle est activée par défaut et ne peut pas être désactivée lorsque le document est partagé avec des droits d'accès de révision uniquement. Suivi des modifications Toutes les modifications apportées par un autre utilisateur sont marquées par différentes couleurs dans le texte. Quand vous cliquez sur le texte modifié, l'information sur l'utilisateur, la date et l'heure de la modification et la modification la-même apparaît dans une fenêtre d'information contextuelle. Les icônes Accepter et Rejeter s'affichent aussi dans la même fenêtre contextuelle. Lorsque vous glissez et déposez du texte dans un document, ce texte est marqué d’un soulignement double. Le texte d'origine est signalé par un barré double. Ceux-ci sont considérés comme une seule modification Cliquez sur le texte mis en forme de double barré dans la position initiale et appuyer sur la flèche dans la fenêtre d'information contextuelle de la modification pour vous déplacer vers le texte en position nouvelle. Cliquez sur le texte mis en forme d'un soulignement double dans la nouvelle position et appuyer sur la flèche dans la fenêtre d'information contextuelle de la modification pour vous déplacer vers le texte en position initiale. 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. Elle permet à la fois d'afficher les modifications suggérées et de modifier le document. Final - ce mode est utilisé pour afficher toutes les modifications comme si elles étaient acceptées. Cette option n'accepte pas toutes les modifications, elle vous permet seulement de voir à quoi ressemblera le document après avoir accepté toutes les modifications. Dans ce mode, vous ne pouvez pas modifier le document. Original - ce mode est utilisé pour afficher toutes les modifications comme si elles avaient é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. Accepter ou rejeter les modifications Utilisez les boutons Modification précédente et Modification suivante de la barre d'outils supérieure pour naviguer parmi les modifications. Pour accepter la modification actuellement sélectionnée, vous pouvez : cliquer sur le bouton Accepter de la barre d'outils supérieure, ou cliquer sur la flèche vers le bas sous le 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 de la notification de modification. 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 actuelle, vous pouvez : cliquez sur le bouton Rejeter de la barre d'outils supérieure, ou cliquer sur la flèche vers le bas sous le 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 de la notification de modification. Pour rejeter rapidement toutes les modifications, cliquez sur la flèche vers le bas sous le bouton Rejeter et sélectionnez l'option Rejeter toutes les modifications. Remarque : si vous révisez le document, les options Accepter et Rejeter ne sont pas disponibles pour vous. Vous pouvez supprimer vos modifications en utilisant l'icône dans le ballon de changement." }, { "id": "HelpfulHints/Search.htm", "title": "Fonctions de recherche et remplacement", - "body": "Pour rechercher les caractères voulus, des mots ou des phrases utilisés dans le document en cours d'édition, cliquez sur l'icône située sur la barre latérale gauche. La fenêtre Rechercher et remplacer s'ouvre : Saisissez votre enquête dans le champ correspondant. Spécifiez les paramètres de recherche en cliquant sur l'icône et en cochant 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). Pour désactiver cette option décochez la case. 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. Cliquez sur un des boutons à flèche à droite. La recherche sera effectuée soit vers le début du document (si vous cliquez sur le bouton ) ou vers la fin du document (si vous cliquez sur le bouton ) à partir de la position actuelle.Remarque: si l'option Surligner les résultats est activée, utilisez ces boutons pour naviguer à travers les résultats surlignés. 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 bouton Remplacer au-dessous du champ d'entrée. 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 remplacer, cliquez sur le lien Masquer Remplacer." + "body": "Pour rechercher les caractères voulus, des mots ou des phrases utilisés dans le document en cours d'édition, cliquez sur l'icône située sur la barre latérale gauche ou appuyez sur la combinaison de touches Ctrl+F. La fenêtre Rechercher et remplacer s'ouvre : Saisissez votre enquête dans le champ correspondant. Spécifiez les paramètres de recherche en cliquant sur l'icône et en cochant 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). Pour désactiver cette option décochez la case. 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. Cliquez sur un des boutons à flèche à droite. La recherche sera effectuée soit vers le début du document (si vous cliquez sur le bouton ) ou vers la fin du document (si vous cliquez sur le bouton ) à partir de la position actuelle.Remarque: si l'option Surligner les résultats est activée, utilisez ces boutons pour naviguer à travers les résultats surlignés. 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 bouton Remplacer au-dessous du champ d'entrée. 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 remplacer, cliquez sur le lien Masquer Remplacer." }, { "id": "HelpfulHints/SpellChecking.htm", "title": "Vérification de l'orthographe", - "body": "Document Editor vous permet de vérifier l'orthographe du texte saisi dans une certaine langue et corriger des fautes lors de l'édition. Tout d'abord, choisissez la langue pour tout le document. cliquer sur l'icône Définir la langue du document dans 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. Pour sélectionner une langue différente pour un fragment, sélectionnez le fragment nécessaire avec la souris et utilisez le menu de la barre d'état. Pour activer l'option de vérification orthographique, vous pouvez : cliquer sur l'icône Vérification orthographique dans la barre d'état, ou 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 : choisissez une des variantes suggérées pour remplacer le mot mal orthographié. S'il y a trop de variantes, l'option Plus de variantes... apparaît dans le menu ; utilisez l'option Ignorer pour ignorer juste ce mot et supprimer le surlignage ou Ignorer tout pour ignorer tous les mots identiques présentés dans le texte; sélectionnez une autre langue pour ce mot. Pour désactiver l'option de vérification orthographique, vous pouvez : cliquer sur l'icône Vérification orthographique dans la barre d'état, ou Ouvrir l'onglet Fichier de la barre d'outils supérieure, sélectionner l'option , décocher la case et cliquer sur le bouton ." + "body": "Document Editor vous permet de vérifier l'orthographe du texte saisi dans une certaine langue et corriger des fautes lors de l'édition. L'édition de bureau de tous les trois éditeurs permet d'ajouter les mots au dictionaire personnel. Tout d'abord, choisissez la langue pour tout le document. cliquer sur l'icône Définir la langue du document dans 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. Pour sélectionner une langue différente pour un fragment, sélectionnez le fragment nécessaire avec la souris et utilisez le menu de la barre d'état. Pour activer l'option de vérification orthographique, vous pouvez : cliquer sur l'icône Vérification orthographique dans la barre d'état, ou 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 : choisissez une des variantes suggérées pour remplacer le mot mal orthographié. S'il y a trop de variantes, l'option Plus de variantes... apparaît dans le menu ; utilisez l'option Ignorer pour ignorer juste ce mot et supprimer le surlignage ou Ignorer tout pour ignorer tous les mots identiques présentés dans le texte; si le mot n’est pas dans le dictionnaire, vous pouvez l’ajouter au votre dictionnaire personnel. La foi prochaine ce mot ne sera donc plus considéré comme erroné. Cette option est disponible sur l’édition de bureau. sélectionnez une autre langue pour ce mot. Pour désactiver l'option de vérification orthographique, vous pouvez : cliquer sur l'icône Vérification orthographique dans la barre d'état, ou ouvrir l'onglet Fichier de la barre d'outils supérieure, sélectionner l'option Paramètres avancés..., décocher la case Activer la vérification orthographique, et cliquer sur le bouton Appliquer." }, { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formats des documents électroniques pris en charge", - "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Edition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + DOTX Word Open XML Document Template Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de documents texte. Un modèle DOTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme. + + + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + OTT OpenDocument Document Template Format de fichier OpenDocument pour les modèles de document texte. Un modèle OTT contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme. + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + + dans la version en ligne EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies +" + "body": "Les documents électroniques représentent l'un des types des fichiers les plus utilisés en informatique. Grâce à l'utilisation du réseau informatique tant développé aujourd'hui, il est possible et plus pratique de distribuer des documents électroniques que des versions imprimées. Les formats de fichier ouverts et propriétaires sont bien nombreux à cause de la variété des périphériques utilisés pour la présentation des documents. Document Editor prend en charge les formats les plus populaires. Formats Description Affichage Edition Téléchargement DOC L'extension de nom de fichier pour les documents du traitement textuel créé avec Microsoft Word + + DOCX Office Open XML Le format de fichier compressé basé sur XML développé par Microsoft pour représenter des feuilles de calcul et les graphiques, les présentations et les document du traitement textuel + + + DOTX Word Open XML Document Template Format de fichier zippé, basé sur XML, développé par Microsoft pour les modèles de documents texte. Un modèle DOTX contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme. + + + FB2 Une extention de livres électroniques qui peut être lancé par votre ordinateur ou appareil mobile + ODT Le format de fichier du traitement textuel d'OpenDocument, le standard ouvert pour les documents électroniques + + + OTT OpenDocument Document Template Format de fichier OpenDocument pour les modèles de document texte. Un modèle OTT contient des paramètres de mise en forme, des styles, etc. et peut être utilisé pour créer plusieurs documents avec la même mise en forme. + + + RTF Rich Text Format Le format de fichier du document développé par Microsoft pour la multiplateforme d'échange des documents + + + TXT L'extension de nom de fichier pour les fichiers de texte contenant habituellement une mise en forme minimale + + + PDF Portable Document Format Format de fichier utilisé pour représenter les documents d'une manière indépendante du logiciel, du matériel et des systèmes d'exploitation + + PDF/A Portable Document Format / A Une version normalisée ISO du format PDF (Portable Document Format) conçue pour l'archivage et la conservation à long terme des documents électroniques. + + HTML HyperText Markup Language Le principale langage de balisage pour les pages web + + dans la version en ligne EPUB Electronic Publication Le format ebook standardisé, gratuit et ouvert créé par l'International Digital Publishing Forum + XPS Open XML Paper Specification Le format ouvert de la mise en page fixe, libre de redevance créé par Microsoft + DjVu Le format de fichier conçu principalement pour stocker les documents numérisés, en particulier ceux qui contiennent une combinaison du texte, des dessins au trait et des photographies + Remarque: Les formats HTML/EPUB/MHT n'ont pas besoin de Chromium et sont disponibles sur toutes les plateformes." }, { "id": "ProgramInterface/FileTab.htm", @@ -53,37 +58,37 @@ var indexes = { "id": "ProgramInterface/HomeTab.htm", "title": "Onglet Accueil", - "body": "L'onglet Accueil 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 les agencements de couleurs. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : Définir le type de police, la taille et la couleur, Appliquer les styles de police, Sélectionner la couleur d'arrière-plan pour un paragraphe, créer des listes à puces et numérotées, Changer les retraits de paragraphe, Régler l'interligne du paragraphe, Aligner le texte d'un paragraphe, Afficher/masquer les caractères non imprimables, copier/effacer la mise en forme du texte, Modifier le jeu de couleurs, utiliser Fusion et publipostage (disponible uniquement dans la version en ligne), gérer les styles." + "body": "L'onglet Accueil 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 les agencements de couleurs. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : Définir le type de police, la taille et la couleur, Appliquer les styles de police, Sélectionner la couleur d'arrière-plan pour un paragraphe, Créer des listes à puces et numérotées, Changer les retraits de paragraphe, Régler l'interligne du paragraphe, Aligner le texte d'un paragraphe, Afficher/masquer les caractères non imprimables, Copier/effacer la mise en forme du texte, Modifier le jeu de couleurs, Utiliser Fusion et publipostage (disponible uniquement dans la version en ligne), Gérer les styles." }, { "id": "ProgramInterface/InsertTab.htm", "title": "Onglet Insertion", - "body": "L'onglet Insertion permet d'ajouter des éléments de mise en page, ainsi que des objets visuels et des commentaires. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : insérer une page vierge, insérer des sauts de page, des sauts de section et des sauts de colonne, insérer des en-têtes et pieds de page et des numéros de page, insérer des tableaux, des images, des graphiques, des formes, insérer des liens hypertexte, et des commentaires, insérer des des zones de texte et des objets Text Art, des équations, des lettrines, des contrôles de contenu." + "body": "L'onglet Insertion 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 bureau Document Editor : En utilisant cet onglet, vous pouvez : insérer une page vierge, insérer des sauts de page, des sauts de section et des sauts de colonne, insérer des tableaux, des images, des graphiques, des formes, insérer des liens hypertexte, et des commentaires, insérer des en-têtes et pieds de page et des numéros de page, date et heure, insérer des des zones de texte et des objets Text Art, des équations, des symboles, des lettrines, des contrôles de contenu." }, { "id": "ProgramInterface/LayoutTab.htm", - "title": "Onglet Mise en page", - "body": "L'onglet Mise en page permet de modifier l'apparence du document : configurer les paramètres de la page et définir la disposition des éléments visuels. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : ajuster les marges, l'orientation, la taille de la page, ajouter des colonnes, insérer des sauts de page, des sauts de section et des sauts de colonne, aligner et organiser les objets (tableaux, images, graphiques, formes), changer le style d'habillage." + "title": "Onglet Disposition", + "body": "L'onglet Disposition permet de modifier l'apparence du document : configurer les paramètres de la page et définir la disposition des éléments visuels. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : ajuster les marges, l'orientation, la taille de la page, ajouter des colonnes, insérer des sauts de page, des sauts de section et des sauts de colonne, insérer des numéros des lignes aligner et organiser les objets (tableaux, images, graphiques, formes), changer le style d'habillage. ajouter un filigrane." }, { "id": "ProgramInterface/PluginsTab.htm", "title": "Onglet Modules complémentaires", - "body": "L'onglet Modules complémentaires 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 Document Editor : Fenêtre de l'éditeur de bureau Document Editor : Le bouton Paramètres permet d'ouvrir la fenêtre où vous pouvez visualiser et gérer tous les modules complémentaires installés 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 : ClipArt permet d'ajouter des images de la collection clipart dans votre document, Code en surbrillance permet de surligner la syntaxe du code en sélectionnant la langue, le style, la couleur de fond appropriés, ROC permet de reconnaître le texte inclus dans une image et l'insérer dans le texte du document, Éditeur photo permet d'éditer des images : recadrer, redimensionner, appliquer des effets, etc. Synthèse vocale permet de convertir le texte sélectionné en paroles, Table de symboles permet d'insérer des symboles spéciaux dans votre texte, Dictionnaire des synonymes permet de rechercher les synonymes et les antonymes d'un mot et de le remplacer par le mot sélectionné, Traducteur permet de traduire le texte sélectionné dans d'autres langues, YouTube permet d'intégrer des vidéos YouTube dans votre document. Les modules Wordpress et EasyBib peuvent être utilisés si vous connectez les services correspondants dans les paramètres de votre portail. Vous pouvez utiliser les instructions suivantes pour la version serveur ou pour la version SaaS. 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 actuellement disponibles sont disponibles sur GitHub." + "body": "L'onglet Modules complémentaires 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 Document Editor : Fenêtre de l'éditeur de bureau Document Editor : Le bouton Paramètres permet d'ouvrir la fenêtre où vous pouvez visualiser et gérer tous les modules complémentaires installés 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 : Send sert à envoyer les documents par courriel en utilisant un client de messagerie de bureau (disponible uniquement dans la version en ligne), Code en surbrillance sert à surligner la syntaxe du code en sélectionnant la langue, le style, la couleur de fond appropriés, OCR sert à extraire le texte incrusté dans des images et l'insérer dans votre document, É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., Parole permet la lecture du texte sélectionné à voix haute (disponible uniquement dans la version en ligne), Thésaurus sert à trouver les synonymes et les antonymes et les utiliser à remplacer le mot sélectionné, Traducteur sert à traduire le texte dans des langues disponibles, Remarque: ce plugin ne fonctionne pas dans Internet Explorer. You Tube permet d’ajouter les videos YouTube dans votre document, Mendeley permet de gérer les mémoires de recherche et de générer une bibliographie pour les articles scientifiques (disponible uniquement dans la version en ligne), Zotero permet de gérer des références bibliographiques et des documents associés (disponible uniquement dans la version en ligne), EasyBib sert à trouver et ajouter les livres, les journaux, les articles et les sites Web (disponible uniquement dans la version en ligne). Les modulesWordpress et EasyBib peuvent être utilisés si vous connectez les services correspondants dans les paramètres de votre portail. Vous pouvez utiliser les instructions suivantes pour la version serveur ou pour la version SaaS. 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 actuellement disponibles sont disponibles sur GitHub." }, { "id": "ProgramInterface/ProgramInterface.htm", "title": "Présentation de l'interface de Document Editor", - "body": "Document Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document 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 du document 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. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Disposition, Références, Collaboration, Protection, Modules complémentaires.Les 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'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page, affiche certaines notifications (telles que \"Toutes les modifications sauvegardées\", etc.), permet de définir la langue du texte, activer la vérification orthographique, activer le mode suivi des modifications, régler le zoom. La barre latérale gauche contient les icônes suivantes : - permet d'utiliser l'outil Rechercher et remplacer, - permet d'ouvrir le panneau Commentaires, - permet d'accéder au panneau de Navigation et de gérer les rubriques, - (disponible dans la version en ligne seulement) permet d'ouvrir le panneau de Chat, ainsi que les icônes qui permettent de contacter notre équipe de support et 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 dans le texte, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales permettent d'aligner le texte et d'autres éléments dans un document, définir des marges, des taquets et des retraits de paragraphe. La Zone de travail permet d'afficher le contenu du document, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler vers le haut et vers le bas des documents multi-page. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." + "body": "Document Editor utilise une interface à onglets où les commandes d'édition sont regroupées en onglets par fonctionnalité. Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document 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 du document 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. La Barre d'outils supérieure affiche un ensemble de commandes d'édition en fonction de l'onglet de menu sélectionné. Actuellement, les onglets suivants sont disponibles : Fichier, Accueil, Insertion, Disposition, Références, Collaboration, Protection, Modules complémentaires.Les 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'état au bas de la fenêtre de l'éditeur contient l'indicateur du numéro de page, affiche certaines notifications (telles que \"Toutes les modifications sauvegardées\", etc.), permet de définir la langue du texte, activer la vérification orthographique, activer le mode suivi des modifications, régler le zoom. La barre latérale gauche contient les icônes suivantes : - permet d'utiliser l'outil Rechercher et remplacer, - permet d'ouvrir le panneau Commentaires, - permet d'accéder au panneau de Navigation et de gérer les rubriques, - (disponible uniquement dans la version en ligne) permet d'ouvrir le panneau de Chat, - (disponible uniquement dans la version en ligne) permet de contacter notre équipe d'assistance technique, - (disponible uniquement dans la version en ligne) 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 dans le texte, l'icône correspondante est activée dans la barre latérale droite. Cliquez sur cette icône pour développer la barre latérale droite. Les Règles horizontales et verticales permettent d'aligner le texte et d'autres éléments dans un document, définir des marges, des taquets et des retraits de paragraphe. La Zone de travail permet d'afficher le contenu du document, d'entrer et de modifier les données. La Barre de défilement sur la droite permet de faire défiler vers le haut et vers le bas des documents multi-page. Pour plus de commodité, vous pouvez masquer certains composants et les afficher à nouveau lorsque cela est nécessaire. Pour en savoir plus sur l'ajustement des paramètres d'affichage, reportez-vous à cette page." }, { "id": "ProgramInterface/ReferencesTab.htm", "title": "Onglet Références", - "body": "L'onglet Références 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 bureau Document Editor : En utilisant cet onglet, vous pouvez : créer et mettre à jour automatiquement une table des matières, Insérer ses notes de bas de page, insérer des liens hypertexte, Ajouter des marque-pages." + "body": "L'onglet Références 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 bureau Document Editor : En utilisant cet onglet, vous pouvez : créer et mettre à jour automatiquement une table des matières, insérer des notes de bas de page et des notes de fin insérer des liens hypertexte, ajouter des marque-pages, ajouter des légendes, insérer des renvois." }, { "id": "ProgramInterface/ReviewTab.htm", "title": "Onglet Collaboration", - "body": "L'onglet Collaboration 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. Dans la version de bureau, vous pouvez gérer les commentaires et utiliser la fonction Suivi des modifications . Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : spécifier 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 des commentaires au document, activer la fonctionnalité Suivi des modifications, choisir le mode d'affichage des modifications, gérer les changements suggérés. ouvrir la fenêtre 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 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. Dans la version de bureau, vous pouvez gérer les commentaires et utiliser la fonction Suivi des modifications . Fenêtre de l'éditeur en ligne Document Editor : Fenêtre de l'éditeur de bureau Document Editor : En utilisant cet onglet, vous pouvez : spécifier 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 des commentaires au document, activer la fonctionnalité Suivi des modifications, choisir le mode d'affichage des modifications, gérer les changements suggérés. télécharger le document à comparer (disponible uniquement dans la version en ligne), ouvrir la fenêtre de Chat (disponible uniquement dans la version en ligne), suivre l’historique des versions (disponible uniquement dans la version en ligne)." }, { "id": "UsageInstructions/AddBorders.htm", @@ -103,7 +108,7 @@ var indexes = { "id": "UsageInstructions/AddHyperlinks.htm", "title": "Ajouter des liens hypertextes", - "body": "Pour ajouter un lien hypertexte, placez le curseur là où vous voulez insérer un lien hypertexte, passez à l'onglet Insertion ou Références de la barre d'outils supérieure, cliquez sur l'icône Ajouter un lien hypertexte de la barre d'outils supérieure, dans la fenêtre ouverte précisez les paramètres du lien hypertexte : Sélectionnez le type de lien que vous voulez insérer :Utilisez l'option Lien externe et entrez une URL au format http://www.example.com dans le champ Lien vers si vous avez besoin d'ajouter un lien hypertexte menant vers un site externe. Utilisez l'option Emplacement dans le document et sélectionnez l'un des titres existants dans le texte du document ou l'un des marque-pages précédemment ajoutés si vous devez ajouter un lien hypertexte menant à un certain emplacement dans le même document. Afficher - entrez un texte qui sera cliquable et amènera à l'adresse Web indiquée dans le champ supérieur. Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte. Cliquez sur le bouton OK. Pour ajouter un lien hypertexte, vous pouvez également utiliser la combinaison des touches Ctrl+K ou cliquer avec le bouton droit à l’emplacement choisi et sélectionner l'option Lien hypertexte du menu contextuel. Note : il est également possible de sélectionner un caractère, un mot, une combinaison de mots, un passage de texte avec la souris ou en utilisant le clavier, puis d'ouvrir la fenêtre Paramètres de lien hypertexte comme décrit ci-dessus. Dans ce cas, le champ Afficher sera rempli avec le fragment de texte que vous avez sélectionné. Si vous placez le curseur sur le lien hypertexte ajouté, vous verrez l'info-bulle contenant le texte que vous avez spécifié. Pour suivre le lien appuyez sur la touche CTRL et cliquez sur le lien dans votre document. Pour modifier ou supprimer le lien hypertexte ajouté, cliquez-le droit, sélectionnez l'option Lien hypertexte et l'opération à effectuer - Modifier le lien hypertexte ou Supprimer le lien hypertexte." + "body": "Pour ajouter un lien hypertexte, placez le curseur là où vous voulez insérer un lien hypertexte, passez à l'onglet Insérer ou Références de la barre d'outils supérieure, cliquez sur l'icône Ajouter un lien hypertexte de la barre d'outils supérieure, dans la fenêtre ouverte précisez les Paramètres du lien hypertexte : Sélectionnez le type de lien que vous voulez insérer :Utilisez l'option Lien externe et entrez une URL au format http://www.example.com dans le champ Lien vers si vous avez besoin d'ajouter un lien hypertexte menant vers un site externe. Utilisez l'option Emplacement dans le document et sélectionnez l'un des titres existants dans le texte du document ou l'un des marque-pages précédemment ajoutés si vous devez ajouter un lien hypertexte menant à un certain emplacement dans le même document. Afficher - entrez un texte qui sera cliquable et amènera à l'adresse Web indiquée dans le champ supérieur. Texte de l'infobulle - entrez un texte qui sera visible dans une petite fenêtre contextuelle offrant une courte note ou étiquette lorsque vous placez le curseur sur un lien hypertexte. Cliquez sur le bouton OK. Pour ajouter un lien hypertexte, vous pouvez également utiliser la combinaison des touches Ctrl+K ou cliquez avec le bouton droit sur l’emplacement choisi et sélectionnez l'option Lien hypertexte du menu contextuel. Note : il est également possible de sélectionner un caractère, un mot, une combinaison de mots, un passage de texte avec la souris ou en utilisant le clavier, puis d'ouvrir la fenêtre Paramètres de lien hypertexte comme décrit ci-dessus. Dans ce cas, le champ Afficher sera rempli avec le fragment de texte que vous avez sélectionné. Si vous placez le curseur sur le lien hypertexte ajouté, vous verrez l'info-bulle contenant le texte que vous avez spécifié. Pour suivre le lien appuyez sur la touche CTRL et cliquez sur le lien dans votre document. Pour modifier ou supprimer le lien hypertexte ajouté, cliquez-le droit, sélectionnez l'option Lien hypertexte et l'opération à effectuer - Modifier le lien hypertexte ou Supprimer le lien hypertexte." }, { "id": "UsageInstructions/AddWatermark.htm", @@ -113,12 +118,12 @@ var indexes = { "id": "UsageInstructions/AlignArrangeObjects.htm", "title": "Aligner et organiser des objets sur une page", - "body": "Les blocs de texte, les formes automatiques, les images et les graphiques ajoutés peuvent être alignés, regroupés, triés, répartis horizontalement et verticalement sur une page. Pour effectuer une de ces actions, sélectionnez d'abord un ou plusieurs objets sur la page. Pour sélectionner plusieurs objets, maintenez la touche Ctrl enfoncée et cliquez avec le bouton gauche sur les objets nécessaires. Pour sélectionner un bloc de texte, cliquez sur son bord, pas sur le texte à l'intérieur. Après quoi vous pouvez utiliser soit les icônes de l'onglet Mise en page de la barre d'outils supérieure décrites ci-après soit les options similaires du menu contextuel. Aligner des objets Pour aligner deux ou plusieurs objets sélectionnés, cliquez sur l'icône Aligner située dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez une des options disponibles : Aligner sur la page pour aligner les objets par rapport aux bords de la page, Aligner sur la marge pour aligner les objets par rapport aux bords de la marge, Aligner les objets sélectionnés (cette option est sélectionnée par défaut) pour aligner les objets les uns par rapport aux autres, Cliquez à nouveau sur l'icône Aligner et sélectionnez le type d'alignement nécessaire dans la liste : Aligner à gauche - pour aligner les objets horizontalement par le bord gauche de l'objet le plus à gauche / bord gauche de la page / marge gauche de la page, Aligner au centre - pour aligner les objets horizontalement par leur centre/centre de la page/centre de l'espace entre les marges gauche et droite de la page, Aligner à droite - pour aligner les objets horizontalement par le bord droit de l'objet le plus à droite / bord droit de la page / marge droite de la page, Aligner en haut - pour aligner les objets verticalement par le bord supérieur de l'objet le plus haut/bord supérieur de la page / marge supérieure de la page, Aligner au milieu - pour aligner les objets verticalement par leur milieu/milieu de la page/milieu de l'espace entre les marges de la page supérieure et de la page inférieure, Aligner en bas - pour aligner les objets verticalement par le bord inférieur de l'objet le plus bas/bord inférieur de la page/bord inférieur de la page. 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. Si vous voulez aligner un objet unique, il peut être aligné par rapport aux bords de la page ou aux marges de la page. L'option Aligner sur la marge est sélectionnée par défaut dans ce cas. Distribuer des objets Pour distribuer horizontalement ou verticalement trois objets sélectionnés ou plus de façon à ce que la même distance apparaisse entre eux, cliquez sur l'icône Aligner située dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez une des options disponibles : Aligner sur la page pour répartir les objets entre les bords de la page, Aligner sur la marge pour répartir les objets entre les marges de la page, Aligner les objets sélectionnés (cette option est sélectionnée par défaut) pour distribuer les objets entre les deux objets les plus externes sélectionnés, Cliquez à nouveau sur l'icône Aligner et sélectionnez le type de distribution nécessaire dans la liste : Distribuer horizontalement - pour répartir uniformément les objets entre les bords gauche et droit des objets sélectionnés/bords gauche et droit de la page/marges gauche et droite de la page. Distribuer verticalement - pour répartir uniformément les objets entre les objets les plus en haut et les objets les plus bas sélectionnés/bords supérieur et inférieur de la page/marges de la page/bord supérieur et inférieur de la page. 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 grouper deux ou plusieurs objets sélectionnés ou les dissocier, 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 nécessaire 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é. Ordonner plusieurs objets Pour ordonner les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes Avancer et Reculer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'arrangement nécessaire 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 Avancer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'arrangement nécessaire dans la liste : Mettre au premier plan - pour déplacer les objets devant tous les autres objets, Avancer d'un plan - pour déplacer les objets d'un niveau en avant par rapport à d'autres objets. 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 Reculer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'arrangement nécessaire dans la liste : Mettre en arrière-plan - pour déplacer les objets derrière tous les autres objets, Reculer d'un plan - pour déplacer les objets d'un niveau en arrière par rapport à d'autres objets. Vous pouvez également cliquer avec le bouton droit sur les objets sélectionnés, choisir l'option Ranger dans le menu contextuel, puis utiliser une des options de rangement disponibles." + "body": "Les formes automatiques, les images, les graphiques ou les zones de texte ajoutés peuvent être alignés, regroupés et ordonnésr sur une page. Pour effectuer une de ces actions, sélectionnez d'abord un ou plusieurs objets sur la page. Pour sélectionner plusieurs objets, maintenez la touche Ctrl enfoncée et cliquez avec le bouton gauche sur les objets nécessaires. Pour sélectionner une zone de texte, cliquez sur son bord, pas sur le texte à l'intérieur. Après quoi vous pouvez utiliser soit les icônes de l'onglet Mise en page de la barre d'outils supérieure décrites ci-après soit les options similaires du menu contextuel. Aligner des objets Pour aligner deux ou plusieurs objets sélectionnés, cliquez sur l'icône Aligner située dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez une des options disponibles : Aligner sur la page pour aligner les objets par rapport aux bords de la page, Aligner sur la marge pour aligner les objets par rapport aux bords de la marge, Aligner les objets sélectionnés (cette option est sélectionnée par défaut) pour aligner les objets les uns par rapport aux autres, Cliquez à nouveau sur l'icône Aligner et sélectionnez le type d'alignement nécessaire dans la liste : Aligner à gauche - pour aligner les objets horizontalement par le bord gauche de l'objet le plus à gauche / bord gauche de la page / marge gauche de la page, Aligner au centre - pour aligner les objets horizontalement par leur centre/centre de la page/centre de l'espace entre les marges gauche et droite de la page, Aligner à droite - pour aligner les objets horizontalement par le bord droit de l'objet le plus à droite / bord droit de la page / marge droite de la page, Aligner en haut - pour aligner les objets verticalement par le bord supérieur de l'objet le plus haut/bord supérieur de la page / marge supérieure de la page, Aligner au milieu - pour aligner les objets verticalement par leur milieu/milieu de la page/milieu de l'espace entre les marges de la page supérieure et de la page inférieure, Aligner en bas - pour aligner les objets verticalement par le bord inférieur de l'objet le plus bas/bord inférieur de la page/bord inférieur de la page. 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. Si vous voulez aligner un objet unique, il peut être aligné par rapport aux bords de la page ou aux marges de la page. L'option Aligner sur la marge est sélectionnée par défaut dans ce cas. Distribuer des objets Pour distribuer horizontalement ou verticalement trois objets sélectionnés ou plus de façon à ce que la même distance apparaisse entre eux, cliquez sur l'icône Aligner située dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez une des options disponibles : Aligner sur la page pour répartir les objets entre les bords de la page, Aligner sur la marge pour répartir les objets entre les marges de la page, Aligner les objets sélectionnés (cette option est sélectionnée par défaut) pour distribuer les objets entre les deux objets les plus externes sélectionnés, Cliquez à nouveau sur l'icône Aligner et sélectionnez le type de distribution nécessaire dans la liste : Distribuer horizontalement - pour répartir uniformément les objets entre les bords gauche et droit des objets sélectionnés/bords gauche et droit de la page/marges gauche et droite de la page. Distribuer verticalement - pour répartir uniformément les objets entre les objets les plus en haut et les objets les plus bas sélectionnés/bords supérieur et inférieur de la page/marges de la page/bord supérieur et inférieur de la page. 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 grouper deux ou plusieurs objets sélectionnés ou les dissocier, 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 nécessaire 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 Dissocier n'est disponible que lorsqu'un groupe des objets précédemment joints est sélectionné. Ordonner plusieurs objets Pour ordonner les objets sélectionnés (c'est à dire pour modifier leur ordre lorsque plusieurs objets se chevauchent), vous pouvez utiliser les icônes Avancer et Reculer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionner le type d'arrangement nécessaire 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 Avancer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'arrangement nécessaire dans la liste : Mettre au premier plan - pour déplacer les objets devant tous les autres objets, Avancer d'un plan - pour déplacer les objets d'un niveau en avant par rapport à d'autres objets. 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 Reculer dans l'onglet Mise en page de la barre d'outils supérieure et sélectionnez le type d'arrangement nécessaire dans la liste : Mettre en arrière-plan - pour déplacer les objets derrière tous les autres objets, Reculer d'un plan - pour déplacer les objets d'un niveau en arrière par rapport à d'autres objets. 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 rangement disponibles." }, { "id": "UsageInstructions/AlignText.htm", "title": "Alignement du texte d'un paragraphe", - "body": "Le texte peut être aligné de quatre façons : aligné à gauche, centré, aligné à droite et justifié. Pour le faire, placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi ), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer : Gauche - pour aligner du texte à gauche de la page (le côté droit reste non aligné), cliquez sur l'icône Aligner à gauche située sur la barre d'outils supérieure. Centrer - pour aligner du texte au centre de la page (le côté droit et le côté gauche restent non alignés), cliquez sur l'icône Aligner au centre située sur la barre d'outils supérieure. Droit - pour aligner du texte à droite de la page (le côté gauche reste non aligné), cliquez sur l'icône Aligner à droite située sur la barre d'outils supérieure. Justifier - pour aligner du texte à gauche et à droite à la fois ( l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement), cliquez sur l'icône Justifier située sur la barre d'outils supérieure." + "body": "Le texte peut être aligné de quatre façons : aligné à gauche, au centre, aligné à droite et justifié. Pour le faire, placez le curseur à la position où vous voulez appliquer l'alignement (une nouvelle ligne ou le texte déjà saisi ), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type d'alignement que vous allez appliquer : Gauche - pour aligner du texte à gauche de la page (le côté droit reste non aligné), cliquez sur l'icône Aligner à gauche située sur la barre d'outils supérieure. Centre - pour aligner du texte au centre de la page (le côté droit et le côté gauche restent non alignés), cliquez sur l'icône Aligner au centre située sur la barre d'outils supérieure. Droit - pour aligner du texte à droite de la page (le côté gauche reste non aligné), cliquez sur l'icône Aligner à droite située sur la barre d'outils supérieure. Justifier - pour aligner du texte à gauche et à droite à la fois (l'espacement supplémentaire est ajouté si nécessaire pour garder l'alignement), cliquez sur l'icône Justifier située sur la barre d'outils supérieure. Configuration des paramètres d'alignement est aussi disponible dans la fenêtre Paragraphe - Paramètres avancés. faites un clic droit sur le texte et sélectionnez Paragraphe - Paramètres avancés du menu contextuel ou utilisez l'option Afficher le paramètres avancée sur la barre d'outils à droite, ouvrez la fenêtre Paragraphe - Paramètres avancés, passez à l'onglet Retraits et espacement, sélectionnez le type d'alignement approprié de la Liste d'Alignement: À gauche, Au centre, À droite, Justifié, cliquez sur OK pour appliquer les modifications apportées." }, { "id": "UsageInstructions/BackgroundColor.htm", @@ -135,25 +140,30 @@ var indexes = "title": "Changer l'habillage du texte", "body": "L'option Style d'habillage détermine la position de l'objet par rapport au texte. Vous pouvez modifier le style d'habillage de texte pour les objets insérés, tels que les formes, les images, les graphiques, les zones de texte ou les tableaux. Modifier l'habillage de texte pour les formes, les images, les graphiques, les zones de texte Pour changer le style d'habillage actuellement sélectionné : sélectionnez un objet séparé sur la page en cliquant dessus. Pour sélectionner un bloc de texte, cliquez sur son bord, pas sur le texte à l'intérieur. ouvrez les paramètres d'habillage du texte : Passez à l'onglet Disposition de la barre d'outils supérieure et cliquez sur la flèche située en regard de l'icône Habillage, ou cliquez avec le bouton droit sur l'objet et sélectionnez l'option Style d'habillage dans le menu contextuel, ou cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Habillage du texte de la fenêtre Paramètres avancés de l'objet. sélectionnez le style d'habillage voulu : Aligné sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, l'image est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte : Carré - le texte est ajusté autour des bords de l'image. Rapproché - le texte est ajusté sur le contour de l' image. Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur de celle-ci. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de l'image. Devant le texte - l'image est affichée sur le texte. Derrière le texte - le texte est affiché sur l'image. Si vous avez choisi l'un des styles Carré, Rapproché, Au travers, Haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droite, gauche). Pour accéder à ces paramètres, cliquez avec le bouton droit sur l'objet, sélectionnez l'option Paramètres avancés et passez à l'onglet Habillage du texte de la fenêtre Paramètres avancés de l'objet. Définissez les valeurs voulues et cliquez sur OK. Si vous sélectionnez un style d'habillage autre que Aligné, l'onglet Position est également disponible dans la fenêtre Paramètres avancés de l'objet. Pour en savoir plus sur ces paramètres, reportez-vous aux pages correspondantes avec les instructions sur la façon de travailler avec des formes, des images ou des graphiques. Si vous sélectionnez un style d'habillage autre que Aligné, vous pouvez également modifier la limite d'habillage pour les images ou les formes. Cliquez avec le bouton droit sur l'objet, sélectionnez l'option Style d'habillage dans le menu contextuel et cliquez sur l'option . Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Modifier l'habillage de texte pour les tableaux Pour les tableaux, les deux styles d'habillage suivants sont disponibles : Tableau aligné et Tableau flottant. Pour changer le style d'habillage actuellement sélectionné : cliquez avec le bouton droit sur le tableau et sélectionnez l'option Paramètres avancés du tableau, passez à l'onglet Habillage du texte dans la fenêtre Tableau - Paramètres avancés ouverte, sélectionnez l'une des options suivantes : Tableau aligné est utilisé pour sélectionner le style d’habillage où le texte est interrompu par le tableau ainsi que l'alignement : gauche, au centre, droit. Tableau flottant est utilisé pour sélectionner le style d’habillage où le texte est enroulé autour du tableau. À l'aide de l'onglet Habillage du texte de la fenêtre Tableau - Paramètres avancés vous pouvez également configurer les paramètres suivants : Pour les tableaux alignés, vous pouvez définir le type d'Alignement du tableau (gauche, centre ou droite) et le Retrait de gauche. Pour les tableaux flottants, vous pouvez spécifier la Distance du texte et la position du tableau dans l'onglet Position du tableau." }, + { + "id": "UsageInstructions/ConvertFootnotesEndnotes.htm", + "title": "Conversion de notes de bas de page en notes de fin", + "body": "Document Editor ONLYOFFICE vous permet de convertir les notes de bas de page en notes de fin et vice versa, par exemple, quand vous voyez que les notes de bas de page dans le document résultant doivent être placées à la fin. Au lieu de créer les notes de fin à nouveau, utiliser les outils appropriés pour conversion rapide et sans effort. Cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, Glisser votre curseur sur Convertir toutes les notes et sélectionnez l'une des options dans le menu à droite: Convertir tous les pieds de page aux notes de fin pour transformer toutes les notes de bas de page en notes de fin; Convertir toutes les notes de fin aux pieds de page pour transformer toutes les notes de fin en notes de bas de page; Changer les notes de pied de page et les notes de fin pour changer un type de note à un autre." + }, { "id": "UsageInstructions/CopyClearFormatting.htm", "title": "Copier/effacer la mise en forme du texte", - "body": "Pour copier une certaine mise en forme du texte, sélectionnez le fragment du texte contenant la mise en forme à copier en utilisant la souris ou le clavier, cliquez sur l'icône Copier le style sur la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante ), sélectionnez le fragment de texte à mettre en forme. Pour appliquer la mise en forme copiée aux plusieurs fragments du texte, sélectionnez le fragment du texte contenant la mise en forme à copier en utilisant la souris ou 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 aura la forme suivante et l'icône Copier le style restera sélectionnée : ), sélectionnez les fragments du texte nécessaires un par un pour appliquer la même mise en forme pour chacun d'eux, pour quitter ce mode, cliquez sur l'icône Copier le style encore une fois ou appuyez sur la touche Échap sur le clavier. Pour effacer la mise en forme appliquée à partir de votre texte, sélectionnez le fragment de texte dont vous souhaitez supprimer la mise en forme, cliquez sur l'icône Effacer le style dans l'onglet Accueil de la barre d'outils supérieure." + "body": "Pour copier une certaine mise en forme du texte, sélectionnez le fragment du texte contenant la mise en forme à copier en utilisant la souris ou le clavier, cliquez sur l'icône Copier le style sous l'onglet Acceuil sur la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante ), sélectionnez le fragment de texte à mettre en forme. Pour appliquer la mise en forme copiée aux plusieurs fragments du texte, sélectionnez le fragment du texte contenant la mise en forme à copier en utilisant la souris ou le clavier, double-cliquez sur l'icône Copier le style sous l'onglet Accueil de la barre d'outils supérieure ( le pointeur de la souris aura la forme suivante et l'icône Copier le style restera sélectionnée : ), sélectionnez les fragments du texte nécessaires un par un pour appliquer la même mise en forme pour chacun d'eux, pour quitter ce mode, cliquez sur l'icône Copier le style encore une fois ou appuyez sur la touche Échap sur le clavier. Pour effacer la mise en forme appliquée à partir de votre texte, sélectionnez le fragment de texte dont vous souhaitez supprimer la mise en forme, cliquez sur l'icône Effacer le style sous l'onglet Accueil de la barre d'outils supérieure." }, { "id": "UsageInstructions/CopyPasteUndoRedo.htm", "title": "Copier/coller les passages de texte, annuler/rétablir vos actions", - "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier, coller des passages de texte et des objets insérés (formes automatiques, images, graphiques) dans le document actuel utilisez les options correspondantes dans le menu contextuel ou les icônes de la barre d'outils supérieure : Couper – sélectionnez un fragment de texte ou un objet et utilisez l'option Couper dans le menu contextuel pour supprimer la sélection et l'envoyer dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées plus tard dans un autre endroit dans le même document. Copier – sélectionnez un fragment de texte ou un objet et utilisez l'option Copier dans le menu contextuel, ou l'icône Copier de la barre d'outils supérieure pour copier la sélection dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées plus tard dans un autre endroit dans le même document. Coller – trouvez l'endroit dans votre document où vous voulez coller le fragment de texte/l'objet précédemment copié et utilisez l'option Coller dans le menu contextuel, ou l'icône Coller de la barre d'outils supérieure. Le texte / objet sera inséré à la position actuelle du curseur. Le texte peut être copié à partir du même document. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers un autre document 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+C pour copier ; Ctrl+V pour coller. Remarque : au lieu de couper et coller du texte dans le même document, vous pouvez sélectionner le passage de texte nécessaire et le faire glisser à la position nécessaire. Utiliser la fonctionnalité Collage spécial Une fois le texte copié collé, le bouton Collage spécial apparaît à côté du passage de texte inséré. Cliquez sur ce bouton pour sélectionner l'option de collage requise. Lorsque vous collez le texte de paragraphe ou du texte dans des formes automatiques, les options suivantes sont disponibles : Coller - permet de coller le texte copié en conservant sa mise en forme d'origine. Conserver le texte uniquement - permet de coller le texte sans sa mise en forme d'origine. Si vous collez le tableau copié dans un tableau existant, les options suivantes sont disponibles: Remplacer les cellules - permet de remplacer le contenu de la table existante par les données collées. Cette option est sélectionnée par défaut. Imbriquer le tableau - permet de coller le tableau copié en tant que tableau imbriqué dans la cellule sélectionnée du tableau existant. Conserver le texte uniquement - permet de coller le contenu du tableau sous forme de valeurs de texte séparées par le caractère de tabulation. Annuler/rétablir vos actions Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes dans l'en-tête de l'éditeur ou les raccourcis clavier : Annuler – utilisez l'icône Annuler située dans la partie gauche de l'en-tête de l'éditeur ou la combinaison de touches Ctrl+Z pour annuler la dernière opération effectuée. Rétablir – utilisez l'icône Rétablir située dans la partie gauche de l'en-tête de l'éditeur ou la combinaison de touches Ctrl+Y pour rétablir l’opération précédemment annulée. 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." + "body": "Utiliser les opérations de base du presse-papiers Pour couper, copier, coller des passages de texte et des objets insérés (formes automatiques, images, graphiques) dans le document actuel utilisez les options correspondantes dans le menu contextuel ou les icônes de la barre d'outils supérieure : Couper – sélectionnez un fragment de texte ou un objet et utilisez l'option Couper dans le menu contextuel pour supprimer la sélection et l'envoyer dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées plus tard dans un autre endroit dans le même document. Copier – sélectionnez un fragment de texte ou un objet et utilisez l'option Copier dans le menu contextuel, ou l'icône Copier de la barre d'outils supérieure pour copier la sélection dans le presse-papiers de l'ordinateur. Les données coupées peuvent être insérées plus tard dans un autre endroit dans le même document. Coller – trouvez l'endroit dans votre document où vous voulez coller le fragment de texte/l'objet précédemment copié et utilisez l'option Coller dans le menu contextuel, ou l'icône Coller de la barre d'outils supérieure. Le texte / objet sera inséré à la position actuelle du curseur. Le texte peut être copié à partir du même document. Dans la version en ligne, les combinaisons de touches suivantes ne sont utilisées que pour copier ou coller des données de/vers un autre document 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+C pour copier ; Ctrl+V pour coller. Remarque : au lieu de couper et coller du texte dans le même document, vous pouvez sélectionner le passage de texte nécessaire et le faire glisser à la position nécessaire. Utiliser la fonctionnalité Collage spécial Une fois le texte copié collé, le bouton Collage spécial apparaît à côté du passage de texte inséré. Cliquez sur ce bouton pour sélectionner l'option de collage requise. Lorsque vous collez le texte de paragraphe ou du texte dans des formes automatiques, les options suivantes sont disponibles : Coller - permet de coller le texte copié en conservant sa mise en forme d'origine. Conserver le texte uniquement - permet de coller le texte sans sa mise en forme d'origine. Si vous collez le tableau copié dans un tableau existant, les options suivantes sont disponibles: Remplacer les cellules - permet de remplacer le contenu de la table existante par les données collées. Cette option est sélectionnée par défaut. Imbriquer le tableau - permet de coller le tableau copié en tant que tableau imbriqué dans la cellule sélectionnée du tableau existant. Conserver le texte uniquement - permet de coller le contenu du tableau sous forme de valeurs de texte séparées par le caractère de tabulation. Pour activer / désactiver l'affichage du bouton Collage spécial lorsque vous collez le texte, passez à l'onglet Fichier > Paramètres avancés... et cochez / décochez la casse Couper, copier, coller. Annuler/rétablir vos actions Pour effectuer les opérations annuler/rétablir, utilisez les icônes correspondantes dans l'en-tête de l'éditeur ou les raccourcis clavier : Annuler – utilisez l'icône Annuler située dans la partie gauche de l'en-tête de l'éditeur ou la combinaison de touches Ctrl+Z pour annuler la dernière opération effectuée. Rétablir – utilisez l'icône Rétablir située dans la partie gauche de l'en-tête de l'éditeur ou la combinaison de touches Ctrl+Y pour rétablir l’opération précédemment annulée. 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." }, { "id": "UsageInstructions/CreateLists.htm", "title": "Créer des listes", - "body": "Pour créer une liste dans votre document, placez le curseur à la position où vous voulez commencer la liste ( une nouvelle ligne ou le texte déjà saisi), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type de liste à créer : Liste à puces avec des marqueurs. Pour la créer, utilisez l'icône Puces de la barre d'outils supérieure Liste numérotée avec des chiffres ou des lettres. Pour la créer, utilisez l'icône Numérotation de la barre d'outils supérieureRemarque : cliquez sur la flèche vers le bas à côté de l'icône Puces ou Numérotation pour sélectionner le format de puces ou de numérotation souhaité. appuyez sur la touche Entrée à la fin de la ligne pour ajouter un nouvel élément à la liste. Pour terminer la liste, appuyez sur la touche Retour arrière et continuez le travail. Le programme crée également des listes numérotées automatiquement lorsque vous entrez le chiffre 1 avec un point ou une parenthèse suivis d’un espace : 1., 1). Les listes à puces peuvent être créées automatiquement lorsque vous saisissez les caractères -, * suivis d’un espace. Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multi-niveaux , Réduire le retrait , et Augmenter le retrait sur la barre d'outils supérieure. Remarque: les paramètres supplémentaires du retrait et de l'espacemente peuvent être modifiés à l'aide de la barre latérale droite et la fenêtre des paramètres avancés. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe. Joindre et séparer des listes Pour joindre une liste à la précédente : cliquez avec le bouton droit sur le premier élément de la seconde liste, utilisez l'option Joindre à la liste précédente du menu contextuel. Les listes seront jointes et la numérotation se poursuivra conformément à la numérotation de la première liste. Pour séparer une liste : cliquez avec le bouton droit de la souris sur l'élément de la liste où vous voulez commencer une nouvelle liste, sélectionnez l'option Séparer la liste du menu contextuel. La liste sera séparée et la numérotation dans la deuxième liste recommencera. Modifier la numérotation Poursuivre la numérotation séquentielle dans la deuxième liste selon la numérotation de la liste précédente : cliquez avec le bouton droit sur le premier élément de la seconde liste, sélectionnez l'option Continuer la numérotation du menu contextuel. La numérotation se poursuivra conformément à la numérotation de la première liste. Pour définir une certaine valeur initiale de numérotation : cliquez avec le bouton droit de la souris sur l'élément de la liste où vous souhaitez appliquer une nouvelle valeur de numérotation, sélectionnez l'option Définit la valeur de la numérotation du menu contextuel, dans une nouvelle fenêtre qui s'ouvre, définissez la valeur numérique voulue et cliquez sur le bouton OK." + "body": "Pour créer une liste dans votre document, placez le curseur à la position où vous voulez commencer la liste (une nouvelle ligne ou le texte déjà saisi), passez à l'onglet Accueil de la barre d'outils supérieure, sélectionnez le type de liste à créer : Liste à puces avec des marqueurs. Pour la créer, utilisez l'icône Puces de la barre d'outils supérieure Liste numérotée avec des chiffres ou des lettres. Pour la créer, utilisez l'icône Numérotation de la barre d'outils supérieureRemarque : cliquez sur la flèche vers le bas à côté de l'icône Puces ou Numérotation pour sélectionner le format de puces ou de numérotation souhaité. appuyez sur la touche Entrée à la fin de la ligne pour ajouter un nouvel élément à la liste. Pour terminer la liste, appuyez sur la touche Retour arrière et continuez le travail. Le programme crée également des listes numérotées automatiquement lorsque vous entrez le chiffre 1 avec un point ou une parenthèse suivis d’un espace : 1., 1). Les listes à puces peuvent être créées automatiquement lorsque vous saisissez les caractères -, * suivis d’un espace. Vous pouvez aussi changer le retrait du texte dans les listes et leur imbrication en utilisant les icônes Liste multi-niveaux , Réduire le retrait , et Augmenter le retrait sous l'onglet Acceuil sur la barre d'outils supérieure. Remarque: les paramètres supplémentaires du retrait et de l'espacemente peuvent être modifiés à l'aide de la barre latérale droite et la fenêtre des paramètres avancés. Pour en savoir plus, consultez les pages Modifier le retrait des paragraphes et Régler l'interligne du paragraphe. Joindre et séparer des listes Pour joindre une liste à la précédente : cliquez avec le bouton droit sur le premier élément de la seconde liste, utilisez l'option Joindre à la liste précédente du menu contextuel. Les listes seront jointes et la numérotation se poursuivra conformément à la numérotation de la première liste. Pour séparer une liste : cliquez avec le bouton droit de la souris sur l'élément de la liste où vous voulez commencer une nouvelle liste, sélectionnez l'option Séparer la liste du menu contextuel. La liste sera séparée et la numérotation dans la deuxième liste recommencera. Modifier la numérotation Poursuivre la numérotation séquentielle dans la deuxième liste selon la numérotation de la liste précédente : cliquez avec le bouton droit sur le premier élément de la seconde liste, sélectionnez l'option Continuer la numérotation du menu contextuel. La numérotation se poursuivra conformément à la numérotation de la première liste. Pour définir une certaine valeur initiale de numérotation : cliquez avec le bouton droit de la souris sur l'élément de la liste où vous souhaitez appliquer une nouvelle valeur de numérotation, sélectionnez l'option Définit la valeur de la numérotation du menu contextuel, dans une nouvelle fenêtre qui s'ouvre, définissez la valeur numérique voulue et cliquez sur le bouton OK. Configurer les paramètres de la liste Pour configurer les paramètres de la liste comme la puce/la numérotation, l'alignement, la taille et la couleur: cliquez sur l'élément de la liste actuelle ou sélectionnez le texte à partir duquel vous souhaitez créer une liste, cliquez sur l'icône Puces ou Numérotation sous l'onglet Acceuil dans la barre d'outils en haut, sélectionnez l'option Paramètres de la liste, la fenêtre Paramètres de la liste s'affiche. La fenêtre Paramètres de la liste à puces se présente sous cet aspect: La fenêtre Paramètres de la liste numérotée se présente sous cet aspect: Pour la liste à puces on peut choisir le caractère à utiliser comme puce et pour la liste numérotée on peut choisir le type de numérotation. Les options Alignement, Taille et Couleur sont identiques pour toutes les listes soit à puces soit numérotée. Puce permet de sélectionner le caractère approprié pour les éléments de la liste. Lorsque vous appuyez sur le champ Symboles et caractères, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet article pour en savoir plus sur utilisation des symboles. Type permet de sélectionner la numérotation appropriée pour la liste. Les options suivantes sont disponibles: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement. Les options d'alignement disponibles: À gauche, Au centre, À droite. Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la taille des puces correspond à la taille du texte Ajustez la taille en utilisant les valeurs prédéfinies de 8 à 96. Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée. Toutes les modifications sont affichées dans le champ Aperçu. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Pour configurer les paramètres de la liste à plusieurs niveaux, appuyez sur un élément de la liste, cliquez sur l'icône Liste multiniveaux sous l'onglet Acceuil dans la barre d'outils en haut, sélectionnez l'option Paramètres de la liste, la fenêtre Paramètres de la liste s'affiche. La fenêtre Paramètres de la liste multiniveaux se présente sous cet aspect: Choisissez le niveau approprié dans la liste Niveau à gauche, puis personnalisez l'aspect des puces et des nombres pour le niveau choisi: Type permet de sélectionner la numérotation appropriée pour la liste numérotée ou le caractère approprié pour la liste à puces. Les options disponibles pour la liste numérotée: Rien, 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Pour la liste à puces vous pouvez choisir un des symboles prédéfinis ou utiliser l'option Nouvelle puce. Lorsque vous appuyez sur cette option, la fenêtre Symbole va apparaître dans laquelle vous pouvez choisir parmi les caractères disponibles. Veuillez consulter cet article pour en savoir plus sur utilisation des symboles. Alignement permet de sélectionner le type d'alignement approprié pour aligner les puces/nombres horizontalement du début du paragraphe. Les options d'alignement disponibles: À gauche, Au centre, À droite. Taille permet d'ajuster la taille des puces/numéros. L'option par défaut est En tant que texte. Ajustez la taille en utilisant les paramètres prédéfinis de 8 à 96. Couleur permet de choisir la couleur des puces/numéros. L'option par défaut est En tant que texte. Lorsque cette option est active, la couleur des puces correspond à la couleur du texte. Choisissez l'option Automatique pour appliquer la couleur automatiquement, sélectionnez les Couleurs de thème ou les Couleurs standard de la palette ou définissez la Couleur personnalisée. Toutes les modifications sont affichées dans le champ Aperçu. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre." }, { "id": "UsageInstructions/CreateTableOfContents.htm", "title": "Créer une table des matières", - "body": "Une table des matières contient une liste de tous les chapitres (sections, etc.) d'un document et affiche les numéros des pages où chaque chapitre est démarré. Cela permet de naviguer facilement dans un document de plusieurs pages en passant rapidement à la partie voulue du texte. La table des matières est générée automatiquement sur la base des titres de document formatés à l'aide de styles prédéfinis. Cela facilite la mise à jour de la table des matières créée sans qu'il soit nécessaire de modifier les titres et de changer manuellement les numéros de page si le texte du document a été modifié. Définir la structure des titres Formater les titres Tout d'abord, formatez les titres dans votre document en utilisant l'un des styles prédéfinis. Pour le faire, Sélectionnez le texte que vous souhaitez inclure dans la table des matières. Ouvrez le menu Style sur le côté droit de l'onglet Accueil dans la barre d'outils supérieure. Cliquez sur le style que vous souhaitez appliquer. Par défaut, vous pouvez utiliser les styles Titre 1 - Titre 9.Remarque: si vous souhaitez utiliser d'autres styles (par exemple Titre, Sous-titre, etc.) pour formater les titres qui seront inclus dans la table des matières, vous devrez d'abord ajuster les paramètres de la table des matières (voir la section correspondante ci-dessous). Pour en savoir plus sur les styles de mise en forme disponibles, vous pouvez vous référer à cette page. Gérer les titres Une fois les titres formatés, vous pouvez cliquer sur l'icône Navigation dans la barre latérale de gauche pour ouvrir le panneau qui affiche la liste de tous les titres avec les niveaux d'imbrication correspondants. Ce panneau permet de naviguer facilement entre les titres dans le texte du document et de gérer la structure de titre. Cliquez avec le bouton droit sur un titre de la liste et utilisez l'une des options disponibles dans le menu: Promouvoir - pour déplacer le titre actuellement sélectionné vers le niveau supérieur de la structure hiérarchique, par ex. le changer de Titre 2 à Titre 1. Abaisser - pour déplacer le titre actuellement sélectionné vers le niveau inférieur de la structure hiérarchique, par ex. le changer de à . Nouveau titre avant - pour ajouter un nouveau titre vide du même niveau avant celui actuellement sélectionné. - pour ajouter un nouveau titre vide du même niveau après celui actuellement sélectionné. Nouveau sous-titre - pour ajouter un nouveau sous-titre vide (c'est-à-dire un titre de niveau inférieur) après le titre actuellement sélectionné.Lorsque le titre ou la sous-rubrique est ajouté, cliquez sur l'en-tête vide ajouté dans la liste et tapez votre propre texte. Cela peut être fait à la fois dans le texte du document et sur le panneau Navigation lui-même. Sélectionner le contenu - pour sélectionner le texte sous le titre actuel du document (y compris le texte relatif à tous les sous-titres de cette rubrique). Tout développer - pour développer tous les niveaux de titres dans le panneau Navigation. Tout réduire - pour réduire tous les niveaux de titres excepté le niveau 1 dans le panneau . Développer au niveau - pour étendre la structure de titre au niveau sélectionné. Par exemple. Si vous sélectionnez le niveau 3, les niveaux 1, 2 et 3 seront développés, tandis que le niveau 4 et tous les niveaux inférieurs seront réduits. Pour développer ou réduire manuellement des niveaux de titre différents, utilisez les flèches situées à gauche des en-têtes. Pour fermer le panneau Navigation cliquez sur l'icône encore une fois. Insérer une table des matières dans le document Pour insérer une table des matières dans votre document: Positionnez le point d'insertion à l'endroit où vous souhaitez ajouter la table des matières. passez à l'onglet Références de la barre d'outils supérieure, cliquez sur l'icône Table des matières dans la barre d'outils supérieure ou cliquez sur la flèche en regard de cette icône et sélectionnez l'option voulue dans le menu. Vous pouvez sélectionner la table des matières qui affiche les titres, les numéros de page et les repères, ou les en-têtes uniquement. Remarque: l'apparence de la table des matières peut être ajustée ultérieurement via les paramètres de la table des matières. La table des matières sera insérée à la position actuelle du curseur. Pour modifier la position de la table des matières, vous pouvez sélectionner le champ de la table des matières (contrôle du contenu) et le faire simplement glisser vers l'emplacement souhaité. Pour ce faire, cliquez sur le bouton dans le coin supérieur gauche du champ Table des matières et faites-le glisser sans relâcher le bouton de la souris sur une autre position dans le texte du document. Pour naviguer entre les titres, appuyez sur la touche Ctrl et cliquez sur le titre souhaité dans le champ de la table des matières. Vous serez ramené à la page correspondante. Ajuster la table des matières créée Actualiser la table des matières Une fois la table des matières créée, vous pouvez continuer à modifier votre texte en ajoutant de nouveaux chapitres, en modifiant leur ordre, en supprimant certains paragraphes ou en développant le texte associé à un titre de manière à changer les numéros de page correspondants à la section considérée. Dans ce cas, utilisez l'option Actualiser pour appliquer automatiquement toutes les modifications à la table des matières. Cliquez sur la flèche en regard de l'icône Actualiser dans l'onglet Références de la barre d'outils supérieure et sélectionnez l'option voulue dans le menu: Actualiser la totalité de la table: pour ajouter les titres que vous avez ajoutés au document, supprimer ceux que vous avez supprimés du document, mettre à jour les titres modifiés (renommés) et les numéros de page. Actualiser uniquement les numéros de page pour mettre à jour les numéros de page sans appliquer de modifications aux titres. Vous pouvez également sélectionner la table des matières dans le texte du document et cliquer sur l'icône Actualiser en haut du champ Table des matières pour afficher les options mentionnées ci-dessus. Il est également possible de cliquer avec le bouton droit n'importe où dans la table des matières et d'utiliser les options correspondantes dans le menu contextuel. Ajuster les paramètres de la table des matières Pour ouvrir les paramètres de la table des matières, vous pouvez procéder de la manière suivante: Cliquez sur la flèche en regard de l'icône Table des matières dans la barre d'outils supérieure et sélectionnez l'option Paramètres dans le menu. Sélectionnez la table des matières dans le texte du document, cliquez sur la flèche à côté du titre du champ Table des matières et sélectionnez l'option Paramètres dans le menu. Cliquez avec le bouton droit n'importe où dans la table des matières et utilisez l'option Paramètres de table des matières dans le menu contextuel. Une nouvelle fenêtre s'ouvrira où vous pourrez ajuster les paramètres suivants: Afficher les numéros de page - cette option permet de choisir si vous souhaitez afficher les numéros de page ou non. Aligner à droite les numéros de page - cette option permet de choisir si vous souhaitez aligner les numéros de page sur le côté droit de la page ou non. Points de suite - cette option permet de choisir le type de points de suite que vous voulez utiliser. Un point de suite est une ligne de caractères (points ou traits d'union) qui remplit l'espace entre un titre et le numéro de page correspondant. Il est également possible de sélectionner l'option Aucun si vous ne souhaitez pas utiliser de points de suite. Mettre en forme la table des matières en tant que liens - cette option est cochée par défaut. Si vous le décochez, vous ne pourrez pas passer au chapitre souhaité en appuyant sur Ctrl et en cliquant sur le titre correspondant. Créer une table des matières à partir de - cette section permet de spécifier le nombre de niveaux hiérarchiques voulus ainsi que les styles par défaut qui seront utilisés pour créer la table des matières. Cochez le champ correspondant: Niveaux hiérarchiques - lorsque cette option est sélectionnée, vous pouvez ajuster le nombre de niveaux hiérarchiques utilisés dans la table des matières. Cliquez sur les flèches dans le champ Niveaux pour diminuer ou augmenter le nombre de niveaux (les valeurs de 1 à 9 sont disponibles). Par exemple, si vous sélectionnez la valeur 3, les en-têtes de niveau 4 à 9 ne seront pas inclus dans la table des matières. Styles sélectionnés - lorsque cette option est sélectionnée, vous pouvez spécifier des styles supplémentaires pouvant être utilisés pour créer la table des matières et affecter un niveau de plan correspondant à chacun d'eux. Spécifiez la valeur de niveau souhaitée dans le champ situé à droite du style. Une fois les paramètres enregistrés, vous pourrez utiliser ce style lors de la création de la table des matières. Styles - cette option permet de sélectionner l'apparence souhaitée de la table des matières. Sélectionnez l'option souhaitée dans la liste déroulante : Le champ d'aperçu ci-dessus affiche l'apparence de la table des matières.Les quatre styles par défaut suivants sont disponibles: Simple, Standard, Moderne, Classique. L'option Actuel est utilisée si vous personnalisez le style de la table des matières. cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements. Personnaliser le style de la table des matières Après avoir appliqué l'un des styles de table des matières par défaut dans la fenêtre des paramètres de la Table des matières, vous pouvez le modifier afin que le texte figurant dans le champ de la table des matières ressemble au résultat que vous recherchez. Sélectionnez le texte dans le champ de la table des matières, par ex. en appuyant sur le bouton dans le coin supérieur gauche du contrôle du contenu de la table des matières. Mettez en forme la table des matières en modifiant le type de police, la taille, la couleur ou en appliquant les styles de décoration de police. Mettez à jour les styles pour les éléments de chaque niveau. Pour mettre à jour le style, cliquez avec le bouton droit sur l'élément mis en forme, sélectionnez l'option Mise en forme du style dans le menu contextuel et cliquez sur l'option Mettre à jour le style TM N (le style TM 2 correspond aux éléments de niveau 2, le style correspond aux éléments de et ainsi de suite). Actualiser la table des matières. Supprimer la table des matières Pour supprimer la table des matières du document: cliquez sur la flèche en regard de l'icône Table des matières dans la barre d'outils supérieure et utilisez l'option Supprimer la table des matières, ou cliquez sur la flèche en regard du titre de contrôle du contenu de la table des matières et utilisez l'option Supprimer la table des matières." + "body": "Une table des matières contient une liste de tous les chapitres (sections, etc.) d'un document et affiche les numéros des pages où chaque chapitre est démarré. Cela permet de naviguer facilement dans un document de plusieurs pages en passant rapidement à la partie voulue du texte. La table des matières est générée automatiquement sur la base des titres de document formatés à l'aide de styles prédéfinis. Cela facilite la mise à jour de la table des matières créée sans qu'il soit nécessaire de modifier les titres et de changer manuellement les numéros de page si le texte du document a été modifié. Définir la structure des titres Formater les titres Tout d'abord, formatez les titres dans votre document en utilisant l'un des styles prédéfinis. Pour le faire, Sélectionnez le texte que vous souhaitez inclure dans la table des matières. Ouvrez le menu Style sur le côté droit de l'onglet Accueil dans la barre d'outils supérieure. Cliquez sur le style que vous souhaitez appliquer. Par défaut, vous pouvez utiliser les styles Titre 1 - Titre 9.Remarque: si vous souhaitez utiliser d'autres styles (par exemple Titre, Sous-titre, etc.) pour formater les titres qui seront inclus dans la table des matières, vous devrez d'abord ajuster les paramètres de la table des matières (voir la section correspondante ci-dessous). Pour en savoir plus sur les styles de mise en forme disponibles, vous pouvez vous référer à cette page. Gérer les titres Une fois les titres formatés, vous pouvez cliquer sur l'icône Navigation dans la barre latérale de gauche pour ouvrir le panneau qui affiche la liste de tous les titres avec les niveaux d'imbrication correspondants. Ce panneau permet de naviguer facilement entre les titres dans le texte du document et de gérer la structure de titre. Cliquez avec le bouton droit sur un titre de la liste et utilisez l'une des options disponibles dans le menu: Promouvoir - pour déplacer le titre actuellement sélectionné vers le niveau supérieur de la structure hiérarchique, par ex. le changer de Titre 2 à Titre 1. Abaisser - pour déplacer le titre actuellement sélectionné vers le niveau inférieur de la structure hiérarchique, par ex. le changer de à . Nouvel en-tête avant - pour ajouter un nouveau titre vide du même niveau avant celui actuellement sélectionné. Nouvel en-tête après- pour ajouter un nouveau titre vide du même niveau après celui actuellement sélectionné. Nouveau sous-titre - pour ajouter un nouveau sous-titre vide (c'est-à-dire un titre de niveau inférieur) après le titre actuellement sélectionné.Lorsque le titre ou la sous-rubrique est ajouté, cliquez sur l'en-tête vide ajouté dans la liste et tapez votre propre texte. Cela peut être fait à la fois dans le texte du document et sur le panneau Navigation lui-même. Sélectionner le contenu - pour sélectionner le texte sous le titre actuel du document (y compris le texte relatif à tous les sous-titres de cette rubrique). Tout développer - pour développer tous les niveaux de titres dans le panneau Navigation. Tout réduire - pour réduire tous les niveaux de titres excepté le niveau 1 dans le panneau . Développer au niveau - pour étendre la structure de titre au niveau sélectionné. Par exemple. Si vous sélectionnez le niveau 3, les niveaux 1, 2 et 3 seront développés, tandis que le niveau 4 et tous les niveaux inférieurs seront réduits. Pour développer ou réduire manuellement des niveaux de titre différents, utilisez les flèches situées à gauche des en-têtes. Pour fermer le panneau Navigation cliquez sur l'icône encore une fois. Insérer une table des matières dans le document Pour insérer une table des matières dans votre document: Positionnez le point d'insertion à l'endroit où vous souhaitez ajouter la table des matières. passez à l'onglet Références de la barre d'outils supérieure, cliquez sur l'icône Table des matières dans la barre d'outils supérieure ou cliquez sur la flèche en regard de cette icône et sélectionnez l'option voulue dans le menu. Vous pouvez sélectionner la table des matières qui affiche les titres, les numéros de page et les repères, ou les en-têtes uniquement. Remarque: l'apparence de la table des matières peut être ajustée ultérieurement via les paramètres de la table des matières. La table des matières sera insérée à la position actuelle du curseur. Pour modifier la position de la table des matières, vous pouvez sélectionner le champ de la table des matières (contrôle du contenu) et le faire simplement glisser vers l'emplacement souhaité. Pour ce faire, cliquez sur le bouton dans le coin supérieur gauche du champ Table des matières et faites-le glisser sans relâcher le bouton de la souris sur une autre position dans le texte du document. Pour naviguer entre les titres, appuyez sur la touche Ctrl et cliquez sur le titre souhaité dans le champ de la table des matières. Vous serez ramené à la page correspondante. Ajuster la table des matières créée Actualiser la table des matières Une fois la table des matières créée, vous pouvez continuer à modifier votre texte en ajoutant de nouveaux chapitres, en modifiant leur ordre, en supprimant certains paragraphes ou en développant le texte associé à un titre de manière à changer les numéros de page correspondants à la section considérée. Dans ce cas, utilisez l'option Actualiser pour appliquer automatiquement toutes les modifications à la table des matières. Cliquez sur la flèche en regard de l'icône Actualiser dans l'onglet Références de la barre d'outils supérieure et sélectionnez l'option voulue dans le menu: Actualiser la totalité de la table: pour ajouter les titres que vous avez ajoutés au document, supprimer ceux que vous avez supprimés du document, mettre à jour les titres modifiés (renommés) et les numéros de page. Actualiser uniquement les numéros de page pour mettre à jour les numéros de page sans appliquer de modifications aux titres. Vous pouvez également sélectionner la table des matières dans le texte du document et cliquer sur l'icône Actualiser en haut du champ Table des matières pour afficher les options mentionnées ci-dessus. Il est également possible de cliquer avec le bouton droit n'importe où dans la table des matières et d'utiliser les options correspondantes dans le menu contextuel. Ajuster les paramètres de la table des matières Pour ouvrir les paramètres de la table des matières, vous pouvez procéder de la manière suivante: Cliquez sur la flèche en regard de l'icône Table des matières dans la barre d'outils supérieure et sélectionnez l'option Paramètres dans le menu. Sélectionnez la table des matières dans le texte du document, cliquez sur la flèche à côté du titre du champ Table des matières et sélectionnez l'option Paramètres dans le menu. Cliquez avec le bouton droit n'importe où dans la table des matières et utilisez l'option Paramètres de table des matières dans le menu contextuel. Une nouvelle fenêtre s'ouvrira où vous pourrez ajuster les paramètres suivants: Afficher les numéros de page - cette option permet de choisir si vous souhaitez afficher les numéros de page ou non. Aligner à droite les numéros de page - cette option permet de choisir si vous souhaitez aligner les numéros de page sur le côté droit de la page ou non. Points de suite - cette option permet de choisir le type de points de suite que vous voulez utiliser. Un point de suite est une ligne de caractères (points ou traits d'union) qui remplit l'espace entre un titre et le numéro de page correspondant. Il est également possible de sélectionner l'option Aucun si vous ne souhaitez pas utiliser de points de suite. Mettre en forme la table des matières en tant que liens - cette option est cochée par défaut. Si vous le décochez, vous ne pourrez pas passer au chapitre souhaité en appuyant sur Ctrl et en cliquant sur le titre correspondant. Créer une table des matières à partir de - cette section permet de spécifier le nombre de niveaux hiérarchiques voulus ainsi que les styles par défaut qui seront utilisés pour créer la table des matières. Cochez le champ correspondant: Niveaux hiérarchiques - lorsque cette option est sélectionnée, vous pouvez ajuster le nombre de niveaux hiérarchiques utilisés dans la table des matières. Cliquez sur les flèches dans le champ Niveaux pour diminuer ou augmenter le nombre de niveaux (les valeurs de 1 à 9 sont disponibles). Par exemple, si vous sélectionnez la valeur 3, les en-têtes de niveau 4 à 9 ne seront pas inclus dans la table des matières. Styles sélectionnés - lorsque cette option est sélectionnée, vous pouvez spécifier des styles supplémentaires pouvant être utilisés pour créer la table des matières et affecter un niveau de plan correspondant à chacun d'eux. Spécifiez la valeur de niveau souhaitée dans le champ situé à droite du style. Une fois les paramètres enregistrés, vous pourrez utiliser ce style lors de la création de la table des matières. Styles - cette option permet de sélectionner l'apparence souhaitée de la table des matières. Sélectionnez l'option souhaitée dans la liste déroulante : Le champ d'aperçu ci-dessus affiche l'apparence de la table des matières.Les quatre styles par défaut suivants sont disponibles: Simple, Standard, Moderne, Classique. L'option Actuel est utilisée si vous personnalisez le style de la table des matières. cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements. Personnaliser le style de la table des matières Après avoir appliqué l'un des styles de table des matières par défaut dans la fenêtre des paramètres de la Table des matières, vous pouvez le modifier afin que le texte figurant dans le champ de la table des matières ressemble au résultat que vous recherchez. Sélectionnez le texte dans le champ de la table des matières, par ex. en appuyant sur le bouton dans le coin supérieur gauche du contrôle du contenu de la table des matières. Mettez en forme la table des matières en modifiant le type de police, la taille, la couleur ou en appliquant les styles de décoration de police. Mettez à jour les styles pour les éléments de chaque niveau. Pour mettre à jour le style, cliquez avec le bouton droit sur l'élément mis en forme, sélectionnez l'option Mise en forme du style dans le menu contextuel et cliquez sur l'option Mettre à jour le style TM N (le style TM 2 correspond aux éléments de niveau 2, le style correspond aux éléments de et ainsi de suite). Actualiser la table des matières. Supprimer la table des matières Pour supprimer la table des matières du document: cliquez sur la flèche en regard de l'icône Table des matières dans la barre d'outils supérieure et utilisez l'option Supprimer la table des matières, ou cliquez sur la flèche en regard du titre de contrôle du contenu de la table des matières et utilisez l'option Supprimer la table des matières." }, { "id": "UsageInstructions/DecorationStyles.htm", @@ -163,88 +173,128 @@ var indexes = { "id": "UsageInstructions/FontTypeSizeColor.htm", "title": "Définir le type de police, la taille et la couleur", - "body": "Vous pouvez sélectionner le type, la taille et la couleur de police à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Remarque : si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavier et appliquez la mise en forme. 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. Incrémenter la taille de la police Sert à modifier la taille de la police en la randant plus grande à un point chaque fois que vous appuyez sur le bouton. Décrementer la taille de la police Sert à modifier la taille de la police en la randant plus petite à un point chaque fois que vous appuyez sur le bouton. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (ce jeu de couleurs ne dépend pas du Jeu de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Arrêter de surligne, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. La Couleur de surlignage est différente de la Couleur de fond car cette dernière est appliquée au paragraphe entier et remplit complètement l’espace du paragraphe de la marge de page gauche à la marge de page droite. Couleur de police Sert à changer la couleur des lettres /characters dans le texte. Par défaut, la couleur de police automatique est définie dans un nouveau document vide. Elle s'affiche comme la police noire sur l'arrière-plan blanc. Si vous choisissez le noir comme la couleur d'arrière-plan, la couleur de la police se change automatiquement à la couleur blanche pour que le texte soit visible. Pour choisir une autre couleur, cliquez sur la flèche vers le bas située à côté de l'icône et sélectionnez une couleur disponible dans les palettes (les couleurs de la palette Couleurs de thème dépend du jeu de couleurs sélectionné). Après avoir modifié la couleur de police par défaut, vous pouvez utiliser l'option Automatique dans la fenêtre des palettes de couleurs pour restaurer rapidement la couleur automatique pour le fragment du texte sélectionné. Remarque: pour en savoir plus sur l'utilisation des palettes de couleurs, consultez cette page." + "body": "Vous pouvez sélectionner le type, la taille et la couleur de police à l'aide des icônes correspondantes situées dans l'onglet Accueil de la barre d'outils supérieure. Remarque : si vous voulez appliquer la mise en forme au texte déjà saisi, sélectionnez-le avec la souris ou en utilisant le clavier et appliquez la mise en forme. 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 randant plus grande à un point chaque fois que vous appuyez sur le bouton. Réduire la taille de la police Sert à modifier la taille de la police en la randant plus petite à un point chaque fois que vous appuyez sur le bouton. Couleur de surlignage Est utilisé pour marquer des phrases, des fragments, des mots ou même des caractères séparés en ajoutant une bande de couleur qui imite l'effet du surligneur sur le texte. Vous pouvez sélectionner la partie voulue du texte, puis cliquer sur la flèche vers le bas à côté de l'icône pour sélectionner une couleur dans la palette (ce jeu de couleurs ne dépend pas du Jeu de couleurs sélectionné et comprend 16 couleurs). La couleur sera appliquée à la sélection. Alternativement, vous pouvez d'abord choisir une couleur de surbrillance et ensuite commencer à sélectionner le texte avec la souris - le pointeur de la souris ressemblera à ceci et vous serez en mesure de surligner plusieurs parties différentes de votre texte de manière séquentielle. Arrêter de surligne, cliquez à nouveau sur l'icône. Pour effacer la couleur de surbrillance, choisissez l'option Pas de remplissage. La Couleur de surlignage est différente de la Couleur de fond car cette dernière est appliquée au paragraphe entier et remplit complètement l’espace du paragraphe de la marge de page gauche à la marge de page droite. Couleur de police Sert à changer la couleur des lettres /characters dans le texte. Par défaut, la couleur de police automatique est définie dans un nouveau document vide. Elle s'affiche comme la police noire sur l'arrière-plan blanc. Si vous choisissez le noir comme la couleur d'arrière-plan, la couleur de la police se change automatiquement à la couleur blanche pour que le texte soit visible. Pour choisir une autre couleur, cliquez sur la flèche vers le bas située à côté de l'icône et sélectionnez une couleur disponible dans les palettes (les couleurs de la palette Couleurs de thème dépend du jeu de couleurs sélectionné). Après avoir modifié la couleur de police par défaut, vous pouvez utiliser l'option Automatique dans la fenêtre des palettes de couleurs pour restaurer rapidement la couleur automatique pour le fragment du texte sélectionné. Remarque: pour en savoir plus sur l'utilisation des palettes de couleurs, consultez cette page." }, { "id": "UsageInstructions/FormattingPresets.htm", "title": "Appliquer les styles de formatage", - "body": "Chaque style de mise en forme représente un ensemble des options de mise en forme : (taille de la police, couleur, interligne, alignment etc.). Les styles permettent de mettre en forme rapidement les parties différentes du texte (en-têtes, sous-titres, listes,texte normal, citations) au lieu d'appliquer les options de mise en forme différentes individuellement chaque fois que vous en avez besoin. Cela permet également d'assurer une apparence uniforme de tout le document. Un style n'est appliqué au'au paragraphe entier. Appliquer des styles par défault Pour appliquer un des styles de mise en forme disponibles, placez le curseur dans le paragraphe nécessaire, ou sélectionnez plusieurs paragraphes pour appliquer un des styles de mise en forme, sélectionnez le style nécessaire à partir de la galerie de styles située à droite de la barre d'outils supérieure. Les styles de mise en forme disponibles sont : normal, non-espacemen, titre 1-9, title, sous-titre, citation, citation intense, paragraphe de liste. Modifier des styles disponibles et créer de nouveaux Pour modifier le style existant : Appliquez le style nécessaire à un paragraphe. Sélectionnez le texte du paragraphe et modifiez tous les paramètres de mise en forme dont vous avez besoin. Enregistrez les modifications effectuées : cliquez avec le bouton droit de la souris sur le texte en cours de modification, sélectionnez l'option En tant que style et sélectionnez l'option Mettre à jour le style 'Nomdestyle' ('Nomdestyle' correspond au style appliqué à l'étape 1), ou sélectionnez le fragment du texte en cours de modification avec la souris, ouvrez le menu déroulant de la galerie des styles, cliquez avec le bouton droit de la souris sur le style à modifier et sélectionnez l'option Mettre à jour selon la sélection. Une fois que le style est modifié, tous les paragraphes dans le document qui a été mis en forme à l'aide de ce style vont changer leur apparence de manière correspondante. Pour créer un tout nouveau style: Mettez en forme un fragment du texte d'une manière nécessaire. Choisissez une façon appropriée de sauvegarder le style: cliquez avec le bouton droit de la souris sur le texte en cours de modification, sélectionnez l'option En tant que style et puis choisissez l'option Créer un nouveau style, ou sélectionnez le fragment du texte à l'aide de la souris, ouvrez la liste déroulante de la galerie de styles et cliquez sur l'option Nouveau style à partir du fragment sélectionné. Définissez les paramètres du nouveau style dans la fenêtre Créer un nouveau style qui s'ouvre : Spécifiez un nom du nouveau style en utilisant le champ correspondant. Chosissez le style nécessaire du paragraphe suivant en utilisant la liste Style du nouveau paragraphe. Cliquez sur le bouton OK. Le style créé sera ajouté à la galerie des styles. Gérez vos styles personnalisés: Pour restaurer les paramètres par défaut d'un style que vous avez modifié, cliquez avec le bouton droit de la souris sur le style que vous voulez restaurer et sélectionnez l'option Restaurer les paramètres par défaut. Pour restaurer les paramètres par défaut de tous les styles que vous avez modifiés, cliquez avec le bouton droit de la souris sur le style dans la galerie des styles et sélectionnez l'option Restaurer tous les styles par défaut. Pour supprimer un des styles que vous avez créé, cliquez avec le bouton droit de la souris sur le style à supprimer et sélectionnez l'option Supprimer le style. Pour supprimer tous les nouveaux style que vous avez crées, cliquez avec le bouton droit de la souris sur un des nouveaux styles crées et sélectionnez l'option Supprimer tous les styles personnalisés." + "body": "Chaque style de mise en forme représente un ensemble des options de mise en forme : (taille de la police, couleur, interligne, alignment etc.). Les styles permettent de mettre en forme rapidement les parties différentes du texte (en-têtes, sous-titres, listes,texte normal, citations) au lieu d'appliquer les options de mise en forme différentes individuellement chaque fois que vous en avez besoin. Cela permet également d'assurer une apparence uniforme de tout le document. Un style n'est appliqué au'au paragraphe entier. Le style à appliquer depend du fait si c'est le paragraphe (normal, pas d'espace, titres, paragraphe de liste etc.) ou le texte (d'aprèz type, taille et couleur de police) que vous souhaitez mettre en forme. Différents styles sont aussi appliqués quand vous sélectionnez une partie du texte ou seulement placez le curseur sur un mot. Parfois, il faut sélectionner le style approprié deux fois de la bibliothèque de styles pour le faire appliquer correctement: lorsque vous appuyer sur le style dans le panneau pour la première fois, le style de paragraphe est appliqué. Lorsque vous appuyez pour la deuxième fois, le style du texte est appliqué. Appliquer des styles par défault Pour appliquer un des styles de mise en forme disponibles, placez le curseur dans le paragraphe nécessaire, ou sélectionnez plusieurs paragraphes pour appliquer un des styles de mise en forme, sélectionnez le style nécessaire à partir de la galerie de styles située à droite de la barre d'outils supérieure. Les styles de mise en forme disponibles sont : normal, non-espacemen, titre 1-9, title, sous-titre, citation, citation intense, paragraphe de liste. Modifier des styles disponibles et créer de nouveaux Pour modifier le style existant : Appliquez le style nécessaire à un paragraphe. Sélectionnez le texte du paragraphe et modifiez tous les paramètres de mise en forme dont vous avez besoin. Enregistrez les modifications effectuées : cliquez avec le bouton droit de la souris sur le texte en cours de modification, sélectionnez l'option En tant que style et sélectionnez l'option Mettre à jour le style 'Nomdestyle' ('Nomdestyle' correspond au style appliqué à l'étape 1), ou sélectionnez le fragment du texte en cours de modification avec la souris, ouvrez le menu déroulant de la galerie des styles, cliquez avec le bouton droit de la souris sur le style à modifier et sélectionnez l'option Mettre à jour selon la sélection. Une fois que le style est modifié, tous les paragraphes dans le document qui a été mis en forme à l'aide de ce style vont changer leur apparence de manière correspondante. Pour créer un tout nouveau style: Mettez en forme un fragment du texte d'une manière nécessaire. Choisissez une façon appropriée de sauvegarder le style: cliquez avec le bouton droit de la souris sur le texte en cours de modification, sélectionnez l'option En tant que style et puis choisissez l'option Créer un nouveau style, ou sélectionnez le fragment du texte à l'aide de la souris, ouvrez la liste déroulante de la galerie de styles et cliquez sur l'option Nouveau style à partir du fragment sélectionné. Définissez les paramètres du nouveau style dans la fenêtre Créer un nouveau style qui s'ouvre : Spécifiez un nom du nouveau style en utilisant le champ correspondant. Chosissez le style nécessaire du paragraphe suivant en utilisant la liste Style du nouveau paragraphe. Cliquez sur le bouton OK. Le style créé sera ajouté à la galerie des styles. Gérez vos styles personnalisés: Pour restaurer les paramètres par défaut d'un style que vous avez modifié, cliquez avec le bouton droit de la souris sur le style que vous voulez restaurer et sélectionnez l'option Restaurer les paramètres par défaut. Pour restaurer les paramètres par défaut de tous les styles que vous avez modifiés, cliquez avec le bouton droit de la souris sur le style dans la galerie des styles et sélectionnez l'option Restaurer tous les styles par défaut. Pour supprimer un des styles que vous avez créé, cliquez avec le bouton droit de la souris sur le style à supprimer et sélectionnez l'option Supprimer le style. Pour supprimer tous les nouveaux style que vous avez crées, cliquez avec le bouton droit de la souris sur un des nouveaux styles crées et sélectionnez l'option Supprimer tous les styles personnalisés." + }, + { + "id": "UsageInstructions/HighlightedCode.htm", + "title": "Insérer le code en surbrillance", + "body": "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 document 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/InsertAutoshapes.htm", "title": "Insérer les formes automatiques", - "body": "Insérer une forme automatique Pour insérer une forme automatique à votre document, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles : Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique nécessaire du groupe sélectionné, placez le curseur de la souris là où vous voulez insérer la forme, après avoir ajouté la forme automatique vous pouvez modifier sa taille, sa position et ses propriétés.Remarque: pour ajouter une légende à la forme, assurez-vous que la forme est sélectionnée et commencez à taper le texte. Le texte que vous ajoutez fait partie de la forme (ainsi si vous déplacez ou faites pivoter la forme, le texte change de position lui aussi). Déplacer et redimensionner des formes automatiques Pour modifier la taille de la forme automatique, faites glisser les petits carreaux situés sur les bords de la forme. Pour garder les proportions de la forme automatique sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Lors de la modification des formes, par exemple des flèches figurées ou les légendes, l'icône jaune en forme de diamant est aussi disponible. Elle permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier la position de la forme automatique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur la forme. Faites glisser la forme à la position nécessaire sans relâcher le bouton de la souris. Lorsque vous déplacez la forme automatique, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour déplacer la forme automatique de trois incréments, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer la forme automatique strictement horizontallement / verticallement et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du déplacement. Pour faire pivoter la forme automatique, placez le curseur de la souris sur la poignée de rotation ronde et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Modifier les paramètres de la forme automatique Pour aligner et organiser les formes automatiques, utilisez le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer la forme automatique choisie au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper les formes pour effectuer des opérations avec plusieurs formes à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner la forme à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. 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 la forme horizontalement ou verticalement. Paramètres avancés sert à ouvrir la fenêtre 'Forme - Paramètres avancés'. Certains paramètres de la forme automatique peuvent être modifiés en utilisant l'onglet Paramètres de la forme de la barre latérale droite. Pour l'activer, sélectionnez la forme ajoutée avec la souris et sélectionnez l'icône Paramètres de la forme à droite. Vous pouvez y modifier les paramètres suivants : Remplissage - utilisez cette section pour sélectionner le remplissage de la forme automatique. Les options disponibles sont les suivantes : Couleur - sélectionnez cette option pour spécifier la couleur unie à remplir l'espace intérieur de la forme automatique sélectionnée. Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix : Dégradé - sélectionnez cette option pour specifier deux couleurs pour créer une transition douce entre elles et remplir la forme. Style - choisissez une des options disponibles : Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle). Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes : du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle. Dégradé - cliquez sur le curseur de dégradé gauche au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé. Image ou texture - sélectionnez cette option pour utiliser une image ou une texture prédéfinie en tant que arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte. Si vous souhaitez utiliser une texture en tant que arrière-plan de la forme, utilisez le menu déroulant D'une texture et sélectionnez le préréglage de la texture 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, vous pouvez profiter d'une des options : Étirement ou Mosaïque depuis la liste déroulante.L'option Étirement permet de régler la taille de l'image pour l'adapter à la taille de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. L'option Mosaïque permet d'afficher seulement une partie de l'image plus grande en gardant ses dimensions d'origine, ou de répéter l'image plus petite en conservant ses dimensions initiales sur la surface de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. Remarque : tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet Étirement, si nécessaire. Modèle - sélectionnez cette option pour sélectionner le modèle à deux couleurs composé des éléments répétés. Modèle - sélectionnez un des modèles prédéfinis du menu. Couleur de premier plan - cliquez sur cette palette de couleurs pour changer la couleur des éléments du modèle. Couleur d'arrière-plan - cliquez sur cette palette de couleurs pour changer de l'arrière-plan du modèle. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Opacité - utilisez cette section pour régler le niveau d'Opacité des formes automatiques en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Trait - utilisez cette section pour changer la largeur et la couleur du trait de la forme automatique. Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de trait. 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 la forme 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) Style d'habillage - utilisez cette section pour sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Modifier la forme - utilisez cette section pour remplacer la forme automatique insérée par une autre sélectionnée de la liste déroulante. Pour changer les paramètres avancés de la forme automatique, cliquez sur la forme avec le bouton droit et sélectionnez l'option Paramètres avancés dans le menu ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre \"Forme - Paramètres avancés\" s'ouvre : L'onglet Taille comporte les paramètres suivants : Largeur - utilisez l'une de ces options pour modifier la largeur de la forme automatique. Absolue - spécifiez une valeur exacte mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...). Relatif - spécifiez un pourcentage relatif à la largeur de la marge de gauche, la marge (c'est-à-dire la distance entre les marges gauche et droite), la largeur de la page ou la largeur de la marge de droite. Hauteur - utilisez l'une de ces options pour modifier la hauteur de la forme automatique. Absolue - spécifiez une valeur exacte mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...). Relatif - spécifiez un pourcentage relatif à la marge (c'est-à-dire la distance entre les marges supérieure et inférieure), la hauteur de la marge inférieure, la hauteur de la page ou la hauteur de la marge supérieure. Si l'option Verrouiller le ratio d'aspect est cochée, la largeur et la hauteur seront modifiées en conservant le ratio d'aspect original. L'onglet 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 la forme verticalement (à l'envers). L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la façon dont la forme est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - la forme fait partie du texte, comme un caractère, ainsi si le texte est déplacé, la forme est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte : Carré - le texte est ajusté autour des bords de la forme. Rapproché - le texte est ajusté sur le contour de la forme. Au travers - le texte est ajusté autour des bords de la forme et occupe l'espace vide à l'intérieur d'elle. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de la forme. Devant le texte - la forme est affichée sur le texte. Derrière le texte - le texte est affiché sur la forme. Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de forme automatique suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement de forme automatique suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si la forme automatique se déplace en même temps que le texte sur lequel elle est alignée. Chevauchement détermine si deux formes automatiques sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. L'onglet 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 litterine - 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 Marges vous permet de changer les marges internes En haut, En bas, A gauche et A droite (c'est-à-dire la distance entre le texte à l'intérieur de la forme et les bordures de la forme automatique). Remarque : cet onglet n'est disponible que si tu texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau." + "body": "Insérer une forme automatique Pour insérer une forme automatique à votre document, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Forme de la barre d'outils supérieure, sélectionnez l'un des groupes des formes automatiques disponibles : Formes de base, Flèches figurées, Maths, Graphiques, Étoiles et rubans, Légendes, Boutons, Rectangles, Lignes, cliquez sur la forme automatique nécessaire du groupe sélectionné, placez le curseur de la souris là où vous voulez insérer la forme, après avoir ajouté la forme automatique vous pouvez modifier sa taille, sa position et ses propriétés.Remarque: pour ajouter une légende à la forme, assurez-vous que la forme est sélectionnée et commencez à taper le texte. Le texte que vous ajoutez fait partie de la forme (ainsi si vous déplacez ou faites pivoter la forme, le texte change de position lui aussi). Déplacer et redimensionner des formes automatiques Pour modifier la taille de la forme automatique, faites glisser les petits carreaux situés sur les bords de la forme. Pour garder les proportions de la forme automatique sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Lors de la modification des formes, par exemple des flèches figurées ou les légendes, l'icône jaune en forme de diamant est aussi disponible. Elle permet d'ajuster certains aspects de la forme, par exemple, la longueur de la pointe d'une flèche. Pour modifier la position de la forme automatique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur la forme. Faites glisser la forme à la position nécessaire sans relâcher le bouton de la souris. Lorsque vous déplacez la forme automatique, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour déplacer la forme automatique de trois incréments, maintenez la touche Ctrl enfoncée et utilisez les flèches du clavier. Pour déplacer la forme automatique strictement horizontallement / verticallement et l'empêcher de se déplacer dans une direction perpendiculaire, maintenez la touche Maj enfoncée lors du déplacement. Pour faire pivoter la forme automatique, placez le curseur de la souris sur la poignée de rotation ronde et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Modifier les paramètres de la forme automatique Pour aligner et organiser les formes automatiques, utilisez le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer la forme automatique choisie au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper les formes pour effectuer des opérations avec plusieurs formes à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner la forme à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. 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 la forme horizontalement ou verticalement. Paramètres avancés sert à ouvrir la fenêtre 'Forme - Paramètres avancés'. Certains paramètres de la forme automatique peuvent être modifiés en utilisant l'onglet Paramètres de la forme de la barre latérale droite. Pour l'activer, sélectionnez la forme ajoutée avec la souris et sélectionnez l'icône Paramètres de la forme à droite. Vous pouvez y modifier les paramètres suivants : Remplissage - utilisez cette section pour sélectionner le remplissage de la forme automatique. Les options disponibles sont les suivantes: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie à remplir l'espace intérieur de la forme automatique sélectionnée. Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix : Remplissage en dégradé - sélectionnez cette option pour remplir une forme avec deux ou plusieurs couleurs et créer une transition douce entre elles. Particulariser le remplissage en dégrédé sans limites. Cliquez sur l'icône Paramètres de la forme pour ouvrir le menu de Remplissage de la barre latérale droite: Les options de menu disponibles : Style - choisissez une des options disponibles: Linéaire ou Radial: Linéaire - la transition se fait selon un axe horizontal/vertical ou selon la direction sous l'angle de votre choix. Cliquez sur Direction pour choisir la direction prédéfinie et cliquez sur Angle pour préciser l'angle du dégragé. Radial - la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle. Point de dégradé est un points spécifique dans lequel se fait la transition dégradé de couleurs. Utiliser le bouton Ajouter un point de dégradé dans la barre de défilement pour ajouter un dégradé. Le nombre maximal de points est de 10. Chaque dégradé suivant n'affecte pas l'apparence du remplissage en dégradé actuel. Utilisez le bouton Supprimer le point de dégradé pour supprimer un certain dégradé. Ajustez la position du dégradé en glissant l'arrêt dans la barre de défilement ou utiliser le pourcentage de Position pour préciser l'emplacement du point. Pour appliquer une couleur à un point de dégradé, cliquez sur un point dans la barre de défilement, puis 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 arrière-plan de la forme. Si vous souhaitez utiliser une image en tant que l'arrière-plan de la forme, vous pouvez ajouter une image D'un fichier en la sélectionnant sur le disque dur de votre ordinateur ou D'une URL en insérant l'adresse URL appropriée dans la fenêtre ouverte ou À partir de l'espace de stockage en sélectionnant l'image enregistrée sur vortre portail. 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, vous pouvez profiter d'une des options : Étirement ou Mosaïque depuis la liste déroulante.L'option Étirement permet de régler la taille de l'image pour l'adapter à la taille de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. L'option Mosaïque permet d'afficher seulement une partie de l'image plus grande en gardant ses dimensions d'origine, ou de répéter l'image plus petite en conservant ses dimensions initiales sur la surface de la forme automatique afin qu'elle puisse remplir tout l'espace uniformément. Remarque : tout préréglage Texture sélectionné remplit l'espace de façon uniforme, mais vous pouvez toujours appliquer l'effet Étirement, si nécessaire. Modèle - sélectionnez cette option pour sélectionner le modèle à deux couleurs composé des éléments répétés. Modèle - sélectionnez un des modèles prédéfinis du menu. Couleur de premier plan - cliquez sur cette palette de couleurs pour changer la couleur des éléments du modèle. Couleur d'arrière-plan - cliquez sur cette palette de couleurs pour changer de l'arrière-plan du modèle. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Opacité - utilisez cette section pour régler le niveau d'Opacité des formes automatiques en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Trait - utilisez cette section pour changer la largeur et la couleur du trait de la forme automatique. Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de trait. 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 la forme 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) Style d'habillage - utilisez cette section pour sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Modifier la forme - utilisez cette section pour remplacer la forme automatique insérée par une autre sélectionnée de la liste déroulante. Ajouter une ombre - cochez cette case pour affichage de la forme ombré. Adjuster les paramètres avancés d'une forme automatique Pour changer les paramètres avancés de la forme automatique, cliquez sur la forme avec le bouton droit et sélectionnez l'option Paramètres avancés dans le menu ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite. La fenêtre \"Forme - Paramètres avancés\" s'ouvre : L'onglet Taille comporte les paramètres suivants : Largeur - utilisez l'une de ces options pour modifier la largeur de la forme automatique. Absolue - spécifiez une valeur exacte mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...). Relatif - spécifiez un pourcentage relatif à la largeur de la marge de gauche, la marge (c'est-à-dire la distance entre les marges gauche et droite), la largeur de la page ou la largeur de la marge de droite. Hauteur - utilisez l'une de ces options pour modifier la hauteur de la forme automatique. Absolue - spécifiez une valeur exacte mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...). Relatif - spécifiez un pourcentage relatif à la marge (c'est-à-dire la distance entre les marges supérieure et inférieure), la hauteur de la marge inférieure, la hauteur de la page ou la hauteur de la marge supérieure. Si l'option Verrouiller le ratio d'aspect est cochée, la largeur et la hauteur seront modifiées en conservant le ratio d'aspect original. L'onglet 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 la forme verticalement (à l'envers). L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la façon dont la forme est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - la forme fait partie du texte, comme un caractère, ainsi si le texte est déplacé, la forme est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte : Carré - le texte est ajusté autour des bords de la forme. Rapproché - le texte est ajusté sur le contour de la forme. Au travers - le texte est ajusté autour des bords de la forme et occupe l'espace vide à l'intérieur d'elle. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de la forme. Devant le texte - la forme est affichée sur le texte. Derrière le texte - le texte est affiché sur la forme. Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de forme automatique suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement de forme automatique suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si la forme automatique se déplace en même temps que le texte sur lequel elle est alignée. Chevauchement détermine si deux formes automatiques sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. L'onglet 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 litterine - 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 Marges vous permet de changer les marges internes En haut, En bas, A gauche et A droite (c'est-à-dire la distance entre le texte à l'intérieur de la forme et les bordures de la forme automatique). Remarque : cet onglet n'est disponible que si tu texte est ajouté dans la forme automatique, sinon l'onglet est désactivé. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du tableau." }, { "id": "UsageInstructions/InsertBookmarks.htm", "title": "Ajouter des marque-pages", - "body": "Les marque-pages permettent d’aller rapidement à une certaine position dans le document en cours ou d'ajouter un lien vers cette position dans le document. Pour ajouter un marque-pages dans un document : spécifiez l'endroit où vous voulez que le marque-pages soit ajouté : placez le curseur de la souris au début du passage de texte nécessaire, ou sélectionnez le passage de texte nécessaire, passez à l'onglet Références de la barre d'outils supérieure, cliquez sur l'icône Marque-pages de la barre d'outils supérieure, dans la fenêtre Marque-pages qui s'ouvre, entrez le Nom du marque-pages et cliquez sur le bouton Ajouter - un marque-pages sera ajouté à la liste des marque-pages affichée ci-dessous,Note : le nom du marque-pages doit commencer par une lettre, mais il peut aussi contenir des chiffres. Le nom du marque-pages ne peut pas contenir d'espaces, mais peut inclure le caractère de soulignement \"_\". Pour accéder à un des marque-pages ajoutés dans le texte du document : cliquez sur l'icône Marque-pages dans l'onglet Références de la barre d'outils supérieure, dans la fenêtre Marque-pages qui s'ouvre, sélectionnez le marque-pages vers lequel vous voulez vous déplacer. Pour trouver facilement le marque-pages voulu dans la liste, vous pouvez trier la liste par Nom ou par Emplacement de marque-pages dans le texte du document, cochez l'option Marque-pages cachés pour afficher les marque-pages cachés dans la liste (c'est-à-dire les marque-pages automatiquement créés par le programme lors de l'ajout de références à une certaine partie du document. Par exemple, si vous créez un lien hypertexte vers un certain titre dans le document, l'éditeur de document crée automatiquement un marque-pages caché vers la cible de ce lien). cliquez sur le bouton Aller à - le curseur sera positionné à l'endroit du document où le marque-pages sélectionné a été ajouté, ou le passage de texte correspondant sera sélectionné, cliquez sur le bouton Fermer pour fermer la fenêtre. Pour supprimer un marque-pages, sélectionnez-le dans la liste et cliquez sur le bouton Suppr. Pour savoir comment utiliser les marque-pages lors de la création de liens, veuillez consulter la section Ajouter des liens hypertextes." + "body": "Les marque-pages permettent d’aller rapidement à une certaine position dans le document en cours ou d'ajouter un lien vers cette position dans le document. Pour ajouter un marque-pages dans un document : spécifiez l'endroit où vous voulez que le marque-pages soit ajouté : placez le curseur de la souris au début du passage de texte nécessaire, ou sélectionnez le passage de texte nécessaire, passez à l'onglet Références de la barre d'outils supérieure, cliquez sur l'icône Marque-pages de la barre d'outils supérieure, dans la fenêtre Marque-pages qui s'ouvre, entrez le Nom du marque-pages et cliquez sur le bouton Ajouter - un marque-pages sera ajouté à la liste des marque-pages affichée ci-dessous,Note : le nom du marque-pages doit commencer par une lettre, mais il peut aussi contenir des chiffres. Le nom du marque-pages ne peut pas contenir d'espaces, mais peut inclure le caractère de soulignement \"_\". Pour accéder à un des marque-pages ajoutés dans le texte du document : cliquez sur l'icône Marque-pages dans l'onglet Références de la barre d'outils supérieure, dans la fenêtre Marque-pages qui s'ouvre, sélectionnez le marque-pages vers lequel vous voulez vous déplacer. Pour trouver facilement le marque-pages voulu dans la liste, vous pouvez trier la liste par Nom ou par Emplacement de marque-pages dans le texte du document, cochez l'option Marque-pages cachés pour afficher les marque-pages cachés dans la liste (c'est-à-dire les marque-pages automatiquement créés par le programme lors de l'ajout de références à une certaine partie du document. Par exemple, si vous créez un lien hypertexte vers un certain titre dans le document, l'éditeur de document crée automatiquement un marque-pages caché vers la cible de ce lien). cliquez sur le bouton Aller à - le curseur sera positionné à l'endroit du document où le marque-pages sélectionné a été ajouté, ou le passage de texte correspondant sera sélectionné, cliquez sur le bouton Obtenir le lien - une nouvelle fenêtre va apparaître dans laquelle vous pouvez appuyer sur Copier pour copier le lien vers le fichier spécifiant la position du marque-pages référencé. Lorsque vous collez le lien dans la barre d'adresse de votre navigateur et appuyez sur la touche Entrée, le document s'ouvre à l'endroit où le marque-pages est ajouté. Remarque: si vous voulez partager un lien avec d'autres personnes, vous devez définir les autorisations d’accès en utilisant l'option Partage soul l'onglet Collaboration. cliquez sur le bouton Fermer pour fermer la fenêtre. Pour supprimer un marque-pages, sélectionnez-le dans la liste et cliquez sur le bouton Supprimer. Pour savoir comment utiliser les marque-pages lors de la création de liens, veuillez consulter la section Ajouter des liens hypertextes." }, { "id": "UsageInstructions/InsertCharts.htm", "title": "Insérer des graphiques", - "body": "Insérer un graphique Pour insérer un graphique dans votre document, placez le curseur là où vous souhaitez ajouter un graphique, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Insérer un graphique de la barre d'outils supérieure, sélectionnez le type de graphique nécessaire parmi ceux qui sont disponibles - colonne, ligne, secteurs, barres, aires, graphique en points , boursier - et sélectionnez son style,Remarque : les graphiques Colonne, Ligne, Secteur, ou Barre sont aussi disponibles au format 3D. après une fenêtre Éditeur de graphique s'ouvre où vous pouvez entrer les données nécessaires dans les cellules en utilisant les commandes suivantes : et pour copier et coller les données copiées et pour annuler et rétablir les actions pour insérer une fonction et pour diminuer et augmenter les décimales pour changer le format de nombre, c'est à dire la façon d'afficher les chiffres dans les cellules modifiez les paramètres du graphique en cliquant sur le bouton Modifier graphique situé dans la fenêtre Éditeur de graphique. La fenêtre Paramètres du graphique s'ouvre. L'onglet Type et données vous permet de sélectionner le type de graphique ainsi que les données que vous souhaitez utiliser pour créer un graphique. Sélectionnez le Type de graphique que vous souhaitez utiliser : Colonne, Ligne, Secteur, Barre, Aire, XY(Nuage) ou Boursier. Vérifiez la Plage de données sélectionnée et modifiez-la, si nécessaire, en cliquant sur le bouton Sélectionner les données et en entrant la plage de données souhaitée dans le format suivant : Sheet1!A1:B4. Choisissez la disposition des données. Vous pouvez sélectionner la Série de données à utiliser sur l'axe X : en lignes ou en colonnes. 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: Aucun pour ne pas afficher le titre du graphique, Superposition pour superposer et centrer le titre sur la zone de tracé, Pas de 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 : Aucun pour ne pas afficher de légende, Bas pour afficher la légende et l'aligner au bas de la zone de tracé, 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é, Superposer à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposer à 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 : Aucune, Centre, Intérieur bas,Intérieur haut, Extérieur haut. Pour les graphiques en Ligne/XY(Nuage)/Boursier, vous pouvez choisir les options suivantes : Aucune, Centre, Gauche, Droite, Haut, Bas. Pour les graphiques Secteur, vous pouvez choisir les options suivantes : Aucune, Centre, Ajusté à la largeur,Intérieur haut, Extérieur haut. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, en Lignes et en Barres, vous pouvez choisir les options suivantes : Aucun, 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/XY(Nuage). Vous pouvez choisir parmi les options suivantes : Droite pour utiliser des lignes droites entre les points de données, Courbe pour utiliser des courbes lisses entre les points de données, ou Aucune 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/XY(Nuage).Remarque : les options Lignes et Marqueurs sont disponibles uniquement pour les graphiques en Ligne et XY(Nuage). La section Paramètres de l'axe permet de spécifier si vous souhaitez afficher l'Axe horizontal/vertical ou non en sélectionnant l'option Afficher ou Masquer dans la liste déroulante. Vous pouvez également spécifier les paramètres de Titre d'axe horizontal/vertical : Indiquez si vous souhaitez afficher le Titre de l'axe horizontal ou non en sélectionnant l'option voulue dans la liste déroulante : Aucun pour ne pas afficher le titre de l'axe horizontal, Pas de superposition pour afficher le titre en-dessous de l'axe horizontal. Indiquez si vous souhaitez afficher le Titre de l'axe vertical ou non en sélectionnant l'option voulue dans la liste déroulante : Aucun pour ne pas afficher le titre de l'axe vertical, Tourné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal/vertical que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante : Majeures, Mineures ou Majeures et mineures. Vous pouvez masquer le quadrillage à l'aide de l'option Aucun.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. Remarque : les onglets Axe Horizontal/vertical seront désactivés pour les Graphiques à secteurs, car les graphiques de ce type n'ont pas d'axes. 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 XY(Nuage), les deux axes sont des axes de valeur. La section Options des axes permet de modifier les paramètres suivants : Valeur minimale - sert à spécifier la valeur la plus basse affichée 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 Fixe dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale - sert à spécifier la valeur la plus élevée affichée à 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 Fixe 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 Aucun 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 graduationspermet d'ajuster l'apparence des graduations sur l'échelle verticale. Les graduations majeures sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant des valeurs numériques. Les graduations mineures sont les subdivisions d'échelle qui sont placées entre les graduations majeures 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 de majeure/mineure contiennent les options de placement suivantes : Aucune pour ne pas afficher les graduations majeures/mineures, Croix pour afficher les graduations majeures/mineures des deux côtés de l'axe, Intérieur pour afficher les graduations majeures/mineures dans l'axe, Extérieur pour afficher les graduations majeures/mineures à l'extérieur de l'axe. La section Options de libellé permet d'ajuster l'apparence des libellés de graduations majeures qui affichent des valeurs. Pour spécifier la Position du libellé par rapport à l'axe vertical, sélectionnez l'option voulue dans la liste déroulante : Aucun pour ne pas afficher les libellés de graduations, Bas pour afficher les libellés de graduations à gauche de la zone de tracé, Haut pour afficher les libellés de graduations à droite de la zone de tracé, À côté de l'axe pour afficher les libellés de graduations à côté de l'axe. 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 libellés 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 XY(Nuage), les deux axes sont des axes de valeur. La section Options des axes permet de modifier les paramètres suivants : Axes croisés - 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(qui correspond à la première/dernière catégorie) sur l'axe horizontal. Position de l'axe - permet de spécifier où les étiquettes de texte de l'axe doivent être placées : Sur les graduations ou Entre les graduations. Valeurs dans l'ordre inverse - est utilisé pour afficher les catégories dans la direction opposée. Lorsque la case n'est pas cochée, les catégories sont affichées de gauche à droite. Lorsque la case est cochée, les catégories sont triées de droite à gauche. La section Options de graduations permet d'ajuster l'apparence des graduations sur l'échelle horizontale. Les graduations majeures sont les divisions à plus grande échelle qui peuvent avoir des étiquettes affichant les catégories. Les graduations mineures sont les divisions plus petites qui sont placées entre les graduations majeures 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 de majeure/mineure est utilisé pour spécifier les options de placement suivantes : Aucune pour ne pas afficher les graduations majeures/mineures, Croix pour afficher les graduations majeures/mineures des deux côtés de l'axe, Intérieur pour afficher les graduations majeures/mineures dans l'axe, Extérieur pour afficher les graduations majeures/mineures à l'extérieur de l'axe. Intervalle entre les graduations - est utilisé pour spécifier le nombre de catégories à afficher entre deux marques de graduation adjacentes. La section Options de libellé permet d'ajuster l'apparence des libellés qui affichent les catégories. Position du libellé - est utilisé pour spécifier où les libellés doivent être placés par rapport à l'axe horizontal. Sélectionnez l'option souhaitée dans la liste déroulante : Aucun pour ne pas afficher les libellés de graduations, Bas pour afficher les libellés de graduations au bas de la zone de tracé, Haut pour afficher les libellés de graduations en haut de la zone de tracé, À côté de l'axe pour afficher les libellés de graduations à côté de l'axe. Distance du libellé - est utilisé pour spécifier la distance entre les libellés 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 libellés est grande. Intervalle entre les libellés - est utilisé pour spécifier la fréquence à laquelle les libellés doivent être affichés. L'option Auto est sélectionnée par défaut, dans ce cas les libellés 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 libellés pour une catégorie sur deux. 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. Déplacer et redimensionner des graphiques une fois le graphique ajouté, vous pouvez modifier sa taille et sa position. Pour changer la taille du graphique, faites glisser les petits carreaux situés sur ses bords. 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. Pour modifier la position du graphique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'objet vers la position choisie sans relâcher le bouton de la souris. Lorsque vous déplacez le graphique, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. 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 ou le style de décoration. Pour supprimer un élément de graphique, sélectionnez-le avec la souris 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. Ajuster les paramètres du graphique Certains paramètres du graphique peuvent être modifiés en utilisant l'onglet Paramètres du graphique de la barre latérale droite. Pour l'activer, cliquez sur le graphique et sélectionnez l'icône Paramètres du graphique à droite. Vous pouvez y modifier les paramètres suivants : Taille est utilisée pour afficher la Largeur et la Hauteur du graphique actuel. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Changer le type de graphique permet de modifier le type et/ou le style du graphique sélectionné.Pour sélectionner le Style de graphique nécessaire, utilisez le deuxième menu déroulant de la section Modifier le type de graphique. Modifier les données est utilisé pour ouvrir la fenêtre « Éditeur de graphique ».Remarque : pour ouvrir rapidement la fenêtre \"Éditeur de graphiques\", vous pouvez également double-cliquer sur le graphique dans le document. Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer le graphique sélectionné au premier plan, envoyer à l'arrière-plan, avancer ou reculer ainsi que grouper ou dégrouper des graphiques pour effectuer des opérations avec plusieurs à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte. L'option Modifier la limite d'habillage n'est pas disponible pour les graphiques. Modifier les données est utilisé pour ouvrir la fenêtre « Éditeur de graphique ». Paramètres avancés du graphique sert à ouvrir la fenêtre \"Graphique - Paramètres avancés\". Lorsque le graphique est sélectionné, l'icône Paramètres de forme est également disponible sur la droite, car une forme est utilisée comme arrière-plan pour le graphique. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le Remplissage, le Contour et le Style d'habillage de la forme. Notez que vous ne pouvez pas modifier le type de forme. Pour modifier les paramètres avancés, cliquez sur le graphique avec le bouton droit de la souris et sélectionnez Paramètres avancés du graphique du menu contextuel ou cliquez sur le lien de la barre latérale droite Afficher paramètres avancés. La fenêtre propriétés du graphique s'ouvre : L'onglet Taille comporte les paramètres suivants : Largeur et Hauteur - utilisez ces options pour changer la largeur et/ou la hauteur du graphique. Si vous cliquez sur le bouton Proportions constantes (dans ce cas, il ressemble à ceci ), la largeur et la hauteur seront changées en même temps, le ratio d'aspect du graphique original sera préservé. L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la manière dont le graphique est positionné par rapport au texte : il peut faire partie du texte (si vous sélectionnez le style « aligné sur le texte ») ou être contourné par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - le graphique fait partie du texte, comme un caractère, ainsi si le texte est déplacé, le graphique est déplacé lui aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer le graphique indépendamment du texte et définir sa position exacte : Carré - le texte est ajusté autour des bords du graphique. Rapproché - le texte est ajusté sur le contour du graphique. Au travers - le texte est ajusté autour des bords du graphique et occupe l'espace vide à l'intérieur de celui-ci. Haut et bas - le texte est ajusté en haut et en bas du graphique. Devant le texte - le graphique est affiché sur le texte. Derrière le texte - le texte est affiché sur le graphique. Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de graphique suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement de graphique suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si le graphique se déplace en même temps que le texte sur lequel il est aligné. Chevauchement détermine si deux graphiques se chevauchent ou non si vous les faites glisser les unes près des autres sur la page. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique." + "body": "Insérer un graphique Pour insérer un graphique dans votre document, placez le curseur là où vous souhaitez ajouter un graphique, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Insérer un graphique de la barre d'outils supérieure, sélectionnez le type de graphique nécessaire parmi ceux qui sont disponibles - Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY) , Boursier - et sélectionnez son style, Remarque: les graphiques Colonne, Graphique en ligne, Graphique à secteurs, En barres sont aussi disponibles au format 3D. après une fenêtre Éditeur de graphique s'ouvre où vous pouvez entrer les données nécessaires dans les cellules en utilisant les commandes suivantes: et pour copier et coller les données copiées et pour annuler et rétablir les actions pour insérer une fonction et pour diminuer et augmenter les décimales pour changer le format de nombre, c'est à dire la façon d'afficher les chiffres dans les cellules Cliquez sur le bouton Modifier les données situé dans la fenêtre Éditeur de graphique. La fenêtre Données du graphique s'ouvre. 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. Configurez les paramètres du graphique en cliquant sur le bouton Modifier les données dans la fenêtre Éditeur de graphique. La fenêtre Graphique - Paramètres avancés s'ouvre: L'onglet Type vous permet de modifier le type du graphique et les données à utiliser pour créer un graphique. Sélectionnez le Type du graphique à ajouter: Colonne, Graphique en ligne, Graphique à secteurs, En barres, En aires, Nuages de points (XY), Boursier. 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é, Bas pour afficher la légende et l'aligner au bas de 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: Aucun pour ne pas afficher de légende, Bas pour afficher la légende et l'aligner au bas de la zone de tracé, 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é, Superposer à gauche pour superposer et centrer la légende à gauche de la zone de tracé, Superposer à 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: Aucune, Centre, Intérieur bas, Intérieur haut, Extérieur haut. Pour les graphiques en Ligne/ Nuage de points (XY)/Boursier, vous pouvez choisir les options suivantes: Aucune, Centre, Gauche, Droite, Haut. Pour les graphiques Secteur, vous pouvez choisir les options suivantes: Aucune, Centre, Ajusté à la largeur, Intérieur haut, Extérieur haut. Pour les graphiques en Aire ainsi que pour les graphiques 3D en Colonnes, en Lignes et en Barres, vous pouvez choisir les options suivantes : Aucun, 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: Droite pour utiliser des lignes droites entre les points de données, Courbe pour utiliser des courbes lisses entre les points de données, ou Aucune 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). La section Paramètres de l'axe permet de spécifier si vous souhaitez afficher l'Axe horizontal/vertical ou non en sélectionnant l'option Afficher ou Masquer dans la liste déroulante. Vous pouvez également spécifier les paramètres de Titre d'axe horizontal/vertical: Indiquez si vous souhaitez afficher le Titre de l'axe horizontal ou non en sélectionnant l'option voulue dans la liste déroulante: Aucun pour ne pas afficher le titre de l'axe horizontal, Pas de superposition pour afficher le titre en-dessous de l'axe horizontal. Indiquez si vous souhaitez afficher le Titre de l'axe vertical ou non en sélectionnant l'option voulue dans la liste déroulante: Aucun pour ne pas afficher le titre de l'axe vertical, Tourné pour afficher le titre de bas en haut à gauche de l'axe vertical, Horizontal pour afficher le titre horizontalement à gauche de l'axe vertical. La section Quadrillage permet de spécifier les lignes du Quadrillage horizontal/vertical que vous souhaitez afficher en sélectionnant l'option voulue dans la liste déroulante : Principaux, Secondaires ou Principaux et secondaires. Vous pouvez masquer le quadrillage à l'aide de l'option Aucun. 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. Remarque: les onglets Axe Horizontal/vertical seront désactivés pour les Graphiques à secteurs, car les graphiques de ce type n'ont pas d'axes. L'onglet Axe vertical vous permet de modifier les paramètres de l'axe vertical, également appelé 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. La section Options des axes permet de modifier les paramètres suivants: Valeur minimale - sert à spécifier la valeur la plus basse affichée 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 Fixe dans la liste déroulante et spécifier une valeur différente dans le champ de saisie sur la droite. Valeur maximale - sert à spécifier la valeur la plus élevée affichée à 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 Fixe 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 Aucun 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. 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. La section Options d'axe permet de modifier les paramètres suivants: Intersection de l'axe - 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 (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 en ordre inverse - est utilisé pour afficher les catégories en ordre inverse. 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 secondaire 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. 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. Déplacer et redimensionner des graphiques Une fois le graphique ajouté, vous pouvez modifier sa taille et sa position. Pour changer la taille du graphique, faites glisser les petits carreaux situés sur ses bords. 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. Pour modifier la position du graphique, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'objet vers la position choisie sans relâcher le bouton de la souris. Lorsque vous déplacez le graphique, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Remarque: la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. 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 ou le style de décoration. 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, le Trait et le Style d'habillage de la forme. 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 appropié: 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 veuillez accéder à cette 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. Ajuster les paramètres du graphique Certains paramètres du graphique peuvent être modifiés en utilisant l'onglet Paramètres du graphique de la barre latérale droite. Pour l'activer, cliquez sur le graphique et sélectionne l'icône Paramètres du graphique à droite. Vous pouvez y modifier les paramètres suivants: Taille est utilisée pour afficher la Largeur et la Hauteur du graphique actuel. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Changer le type de graphique permet de modifier le type et/ou le style du graphique sélectionné. Pour sélectionner le Style de graphique nécessaire, utilisez le deuxième menu déroulant de la section Modifier le type de graphique. Modifier les données est utilisé pour ouvrir la fenêtre «Éditeur de graphique». Remarque: pour ouvrir rapidement la fenêtre "Éditeur de graphiques", vous pouvez également double-cliquer sur le graphique dans le document. Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes: Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précédemment coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer le graphique sélectionné au premier plan, envoyer à l'arrière-plan, avancer ou reculer ainsi que grouper ou dégrouper des graphiques pour effectuer des opérations avec plusieurs à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte. L'option Modifier la limite d'habillage n'est pas disponible pour les graphiques. Modifier les données est utilisé pour ouvrir la fenêtre «Éditeur de graphique». Paramètres avancés du graphique sert à ouvrir la fenêtre "Graphique - Paramètres avancés". Pour modifier les paramètres avancés, cliquez sur le graphique avec le bouton droit de la souris et sélectionnez Paramètres avancés du graphique 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 du graphique s'ouvre: L'onglet Taille comporte les paramètres suivants: Largeur et Hauteur utilisez ces options pour changer la largeur et/ou la hauteur du graphique. Lorsque le bouton Proportions constantes est activé (dans ce cas, il ressemble à ceci) ), la largeur et la hauteur seront changées en même temps, le ratio d'aspect du graphique original sera préservé. L'onglet Habillage du texte contient les paramètres suivants: Style d'habillage - utilisez cette option pour changer la manière dont le graphique est positionné par rapport au texte : il peut faire partie du texte (si vous sélectionnez le style « aligné sur le texte ») ou être contourné par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - le graphique fait partie du texte, comme un caractère, ainsi si le texte est déplacé, le graphique est déplacé lui aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer le graphique indépendamment du texte et définir sa position exacte: Carré - le texte est ajusté autour des bords du graphique. Rapproché - le texte est ajusté sur le contour du graphique. Au travers - le texte est ajusté autour des bords du graphique et occupe l'espace vide à l'intérieur de celui-ci. Haut et bas - le texte est ajusté en haut et en bas du graphique. Devant le texte - le graphique est affiché sur le texte. Derrière le texte - le texte est affiché sur le graphique. Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné: La section Horizontal vous permet de sélectionner l'un des trois types de positionnement de graphique suivants: Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement de graphique suivants: Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) au-dessous de la ligne, de la marge, de la marge inférieure, du paragraphe, de la page ou la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si le graphique se déplace en même temps que le texte sur lequel il est aligné. Chevauchement détermine si deux graphiques se chevauchent ou non si vous les faites glisser les unes près des autres sur la page. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information du graphique." }, { "id": "UsageInstructions/InsertContentControls.htm", "title": "Insérer des contrôles de contenu", - "body": "À l'aide des contrôles de contenu, vous pouvez créer un formulaire avec des champs de saisie pouvant être renseignés par d'autres utilisateurs ou protéger certaines parties du document contre l'édition ou la suppression. Les contrôles de contenu sont des objets contenant du texte pouvant être mis en forme. Les contrôles de contenu de texte brut ne peuvent pas contenir plus d'un paragraphe, tandis que les contrôles de contenu en texte enrichi peuvent contenir plusieurs paragraphes, listes et objets (images, formes, tableaux, etc.). Ajouter des contrôles de contenu Pour créer un nouveau contrôle de contenu de texte brut, positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle, ou sélectionnez un passage de texte que vous souhaitez transformer en contenu du contrôle. passez à l'onglet Insertion de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu de texte brut dans le menu. Le contrôle sera inséré au point d'insertion dans une ligne du texte existant. Les contrôles de contenu de texte brut ne permettent pas l'ajout de sauts de ligne et ne peuvent pas contenir d'autres objets tels que des images, des tableaux, etc. Pour créer un nouveau contrôle de contenu de texte enrichi, positionnez le point d'insertion à la fin d'un paragraphe après lequel vous voulez ajouter le contrôle, ou sélectionnez un ou plusieurs des paragraphes existants que vous voulez convertir en contenu du contrôle. passez à l'onglet Insertion de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu de texte enrichi dans le menu. Le contrôle sera inséré dans un nouveau paragraphe. Les contrôles de contenu de texte enrichi permettent d'ajouter des sauts de ligne, c'est-à-dire peuvent contenir plusieurs paragraphes ainsi que certains objets, tels que des images, des tableaux, d'autres contrôles de contenu, etc. Remarque : La bordure du contrôle de contenu est visible uniquement lorsque le contrôle est sélectionné. Les bordures n'apparaissent pas sur une version imprimée. Déplacer des contrôles de contenu Les contrôles peuvent être déplacés à un autre endroit du document: cliquez sur le bouton à gauche de la bordure de contrôle pour sélectionner le contrôle et faites-le glisser sans relâcher le bouton de la souris à un autre endroit dans le texte du document. Vous pouvez également copier et coller des contrôles de contenu: sélectionnez le contrôle voulu et utilisez les combinaisons de touches Ctrl+C/Ctrl+V. Modifier des contrôles de contenu Remplacez le texte par défaut dans le contrôle (\"Votre texte ici\") par votre propre texte: sélectionnez le texte par défaut, et tapez un nouveau texte ou copiez un passage de texte de n'importe où et collez-le dans le contrôle de contenu. Le texte contenu dans le contrôle de contenu (texte brut ou texte enrichi) peut être formaté à l'aide des icônes de la barre d'outils supérieure: vous pouvez ajuster le type, la taille, la couleur de police, appliquer des styles de décoration et les préréglages de mise en forme. Il est également possible d'utiliser la fenêtre Paragraphe - Paramètres avancés accessible depuis le menu contextuel ou depuis la barre latérale de droite pour modifier les propriétés du texte. Le texte contenu dans les contrôles de contenu de texte enrichi peut être mis en forme comme un texte normal du document, c'est-à-dire que vous pouvez définir l'interlignage, modifier les retraits de paragraphe, ajuster les taquets de tabulation. Modification des paramètres de contrôle du contenu Pour ouvrir les paramètres de contrôle du contenu, vous pouvez procéder de la manière suivante: Sélectionnez le contrôle de contenu nécessaire, cliquez sur la flèche en regard de l'icône Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Paramètres de contrôle dans le menu. Cliquez avec le bouton droit n'importe où dans le contrôle de contenu et utilisez l'option Paramètres de contrôle du contenu dans le menu contextuel. Une nouvelle fenêtre s'ouvrira où vous pourrez ajuster les paramètres suivants: Spécifiez le Titre ou l'Étiquette du contrôle de contenu dans les champs correspondants. Le titre s'affiche lorsque le contrôle est sélectionné dans le document. Les étiquettes sont utilisées pour identifier les contrôles de contenu afin que vous puissiez y faire référence dans votre code. Choisissez si vous voulez afficher le contrôle de contenu avec une Zone de délimitation ou non. Utilisez l'option Aucune pour afficher le contrôle sans la zone de délimitation. Si vous sélectionnez l'option Zone de délimitation, vous pouvez choisir la Couleur de cette zone à l'aide du champ ci-dessous. Cliquez sur le bouton Appliquer à tous pour appliquer les paramètres d’apparence spécifiés à tous les contrôles de contenu du document. Empêchez le contrôle de contenu d'être supprimé ou modifié en utilisant l'option de la section Verrouillage: Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu. Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification. cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements. Il est également possible de surligner les contrôles de contenu avec une certaine couleur. Pour surligner les contrôles avec une couleur : Cliquez sur le bouton situé à gauche de la bordure du champ pour sélectionner le champ, Cliquez sur la flèche à côté de l'icône Contrôles de contenu dans la barre d'outils supérieure, Sélectionnez l'option Paramètres de surlignage du menu contextuel, Sélectionnez la couleur souhaitée dans les palettes disponibles : Couleurs du thème, Couleurs standard ou spécifiez une nouvelle Couleur personnalisée. Pour supprimer la surbrillance des couleurs précédemment appliquée, utilisez l'option Pas de surbrillance. Les options de surbrillance sélectionnées seront appliquées à tous les contrôles de contenu du document. Retirer des contrôles de contenu Pour supprimer un contrôle et laisser tout son contenu, cliquez sur le contrôle de contenu pour le sélectionner, puis procédez de l'une des façons suivantes: Cliquez sur la flèche en regard de l'icône Contrôles du contenu dans la barre d'outils supérieure et sélectionnez l'option Retirer le contrôle du contenu dans le menu. Cliquez avec le bouton droit sur la sélection et choisissez l'option Supprimer le contrôle de contenu dans le menu contextuel, Pour supprimer un contrôle et tout son contenu, sélectionnez le contrôle nécessaire et appuyez sur la touche Suppr du clavier." + "body": "Les contrôles de contenu sont des objets comportant du contenu spécifique tel que le texte, les objets etc. En fonction du contrôle de contenu choisi, vous pouvez créer un formulaire contenant les zones de texte modifiable pouvant être rempli par d'autres utilisateurs, ou protéger certains éléments qu'on ne puisse les modifier ou supprimer. Remarque: la possibilité d'ajouter de nouveaux contrôles de contenu n'est disponible que dans la version payante. Dans la version gratuite Community vous pouvez modifier les contrôles de contenu existants ainsi que les copier et coller. Actuellement, vous pouvez ajouter les contrôles de contenu suivants: Texte brut, Texte enrichi, Image, Zone de liste déroulante, Liste déroulante, Date, Case à cocher. Texte est le texte comportant un objet qui ne peut pas être modifié. C'est seulement un paragraphe que le contrôle en texte brut peut contenir. Texte enrichi est le texte comportant un objet qui peut être modifié. Les contrôles en texte enrichi peuvent contenir plusieurs paragraphes, listes et objets (images, formes, tableaux etc.). Image est un objet comportant une image. Zone de liste déroulante est un objet comportant une liste déroulante avec un ensemble de choix. Ce contrôle permet de choisir une valeur prédéfinie et la modifier au besoin. Liste déroulante est un objet comportant une liste déroulante avec un ensemble de choix. Ce contrôle permet de choisir une valeur prédéfinie. La valeur choisie ne peut pas être modifiée. Date est l'objet comportant le calendrier qui permet de choisir une date. Case à cocher est un objet permettant d'afficher deux options: la case cochée et la case décochée. Ajouter des contrôles de contenu Créer un nouveau contrôle de contenu de texte brut positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle, ou sélectionnez un passage de texte que vous souhaitez transformer en contrôle du contenu. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu en texte brut dans le menu. Le contrôle sera inséré au point d'insertion dans une ligne du texte existant. Tapez votre texte à remplacer du texte par défaut à l'intérieur du contrôle de contenu (Votre texte ici): sélectionnez le texte par défaut et tapez du texte approprié ou copiez le texte que vous voulez et collez le à l'intérieur du contrôle de contenu. Les contrôles de contenu de texte brut ne permettent pas l'ajout de sauts de ligne et ne peuvent pas contenir d'autres objets tels que des images, des tableaux, etc. Créer un nouveau contrôle de contenu de texte enrichi positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle, ou sélectionnez un passage de texte que vous souhaitez transformer en contrôle du contenu. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Insérer un contrôle de contenu en texte enrichi dans le menu. Le contrôle sera inséré dans un nouveau paragraphe du texte. Tapez votre texte à remplacer du texte par défaut à l'intérieur du contrôle de contenu (Votre texte ici): sélectionnez le texte par défaut et tapez du texte approprié ou copiez le texte que vous voulez et collez le à l'intérieur du contrôle de contenu. Les contrôles de contenu de texte enrichi permettent d'ajouter des sauts de ligne, c'est-à-dire peuvent contenir plusieurs paragraphes ainsi que certains objets, tels que des images, des tableaux, d'autres contrôles de contenu, etc. Créer un nouveau contrôle de contenu d'image positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Image dans le menu et le contrôle de contenu sera inséré au point d'insertion. cliquez sur l'icône Image dans le bouton au dessus de la bordure du contrôle de contenu, la fenêtre de sélection standard va apparaître. Choisissez l'image stockée sur votre ordinateur et cliquez sur Ouvrir. L'image choisie sera affichée à l'intérieur du contrôle de contenu. Pour remplacer l'image, cliquez sur l'icône d'image dans le bouton au dessus de la bordure du contrôle de contenu et sélectionnez une autre image. Créer un nouveau contrôle de contenu Zone de liste déroulante ou Liste déroulante Zone de liste déroulante et la Liste déroulante sont des objets comportant une liste déroulante avec un ensemble de choix. Ces contrôles de contenu sont crées de la même façon. La différence entre les contrôles Zone de liste déroulante et Liste déroulante est que la liste déroulante propose des choix que vous êtes obligé de sélectionner tandis que la Zone de liste déroulante accepte la saisie d’un autre élément. positionnez le point d'insertion dans une ligne du texte où vous souhaitez ajouter le contrôle de contenu. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Zone de liste déroulante et Liste déroulante dans le menu et le contrôle de contenu sera inséré au point d'insertion. cliquez avec le bouton droit sur le contrôle de contenu ajouté et sélectionnez Paramètres du contrôle de contenu du menu contextuel. dans la fenêtre Paramètres du contrôle de contenu qui s'ouvre, passez à l'onglet Zone de liste déroulante ou Liste déroulante en fonction du type de contrôle de contenu sélectionné. pour ajouter un nouveau élément à la liste, cliquez sur le bouton Ajouter et remplissez les rubriques disponibles dans la fenêtre qui s'ouvre: saisissez le texte approprié dans le champ Nom d'affichage, par exemple, Oui, Non, Autre option. Ce texte sera affiché à l'intérieur du contrôle de contenu dans le document. par défaut le texte du champ Valeur coïncide avec celui-ci du champ Nom d'affichage. Si vous souhaitez modifier le texte du champ Valeur, veuillez noter que la valeur doit être unique pour chaque élément. Cliquez sur OK. les boutons Modifier et Effacer à droite servent à modifier ou supprimer les éléments de la liste et les boutons En haut et Bas à changer l'ordre d'affichage des éléments. Une fois les paramètres configurés, cliquez sur OK pour enregistrer la configuration et fermer la fenêtre. Vous pouvez cliquez sur la flèche à droite du contrôle de contenu Zone de liste déroulante ou Liste déroulante ajouté pour ouvrir la liste et sélectionner l'élément approprié. Une fois sélectionné dans la Zone de liste déroulante, on peut modifier le texte affiché en saisissant propre texte partiellement ou entièrement. La Liste déroulante ne permet pas la saisie d’un autre élément. Créer un nouveau contrôle de contenu sélecteur des dates positionnez le point d'insertion dans le texte où vous souhaitez ajouter le contrôle de contenu. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Date dans le menu et le contrôle de contenu indiquant la date actuelle sera inséré au point d'insertion. cliquez avec le bouton droit sur le contrôle de contenu ajouté et sélectionnez Paramètres du contrôle de contenu du menu contextuel. dans la fenêtre Paramètres du contrôle de contenu, passez à l'onglet Format de date. Sélectionnez la Langue et le format de date appropriée dans la liste Afficher le date comme suit. Cliquez sur OK pour appliquer toutes les modifications et fermer la fenêtre. Vous pouvez cliquez sur la flèche à droite du contrôle de contenu Date ajouté pour ouvrir le calendrier et sélectionner la date appropriée. Créer un nouveau contrôle de contenu de case à cocher positionnez le point d'insertion dans le texte où vous souhaitez ajouter le contrôle de contenu. passez à l'onglet Insérer de la barre d'outils supérieure. cliquez sur la flèche en regard de l'icône Contrôles de contenu. choisissez l'option Case à cocher dans le menu et le contrôle de contenu sera inséré au point d'insertion. cliquez avec le bouton droit sur le contrôle de contenu ajouté et sélectionnez Paramètres du contrôle de contenu du menu contextuel. dans la fenêtre Paramètres du contrôle de contenu, passez à l'onglet Case à cocher. cliquez sur le bouton Symbole Activé pour spécifier le symbole indiquant la case cochée ou le Symbole Désactivé pour spécifier la façon d'afficher la case décochée. La fenêtre Symbole s'ouvre. Veuillez consulter cet articlepour en savoir plus sur utilisation des symboles. Une fois les paramètres configurés, cliquez sur OK pour enregistrer la configuration et fermer la fenêtre. La case à cocher s'affiche désactivée. Une fois que vous cliquiez la case à cocher, le symbole qu'on a spécifié comme le Symbole Activé est inséré. Remarque: La bordure du contrôle de contenu est visible uniquement lorsque le contrôle est sélectionné. Les bordures n'apparaissent pas sur une version imprimée. Déplacer des contrôles de contenu Les contrôles peuvent être déplacés à un autre endroit du document: cliquez sur le bouton à gauche de la bordure de contrôle pour sélectionner le contrôle et faites-le glisser sans relâcher le bouton de la souris à un autre endroit dans le texte du document. Vous pouvez également copier et coller des contrôles de contenu: sélectionnez le contrôle voulu et utilisez les combinaisons de touches Ctrl+C/Ctrl+V. Modifier des contrôles de contenu en texte brut et en texte enrichi On peut modifier le texte à l'intérieur des contrôles de contenu en texte brut et en texte enrichi à l'aide des icônes de la barre d'outils supérieure: vous pouvez ajuster le type, la taille et la couleur de police, appliquer des styles de décoration et les configurations de mise en forme. Il est également possible d'utiliser la fenêtre Paragraphe - Paramètres avancés accessible depuis le menu contextuel ou depuis la barre latérale de droite pour modifier les propriétés du texte. Le texte contenu dans les contrôles de contenu de texte enrichi peut être mis en forme comme un texte normal du document, c'est-à-dire que vous pouvez définir l'interlignage, modifier les retraits de paragraphe, ajuster les taquets de tabulation, etc. Modification des paramètres de contrôle du contenu Quel que soit le type du contrôle de contenu, on peut configurer ses paramètres sous les onglets Général et Verrouillage dans la fenêtre Paramètres du contrôle de contenu. Pour ouvrir les paramètres de contrôle du contenu, vous pouvez procéder de la manière suivante: Sélectionnez le contrôle de contenu nécessaire, cliquez sur la flèche en regard de l'icône Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Paramètres de contrôle du menu. Cliquez avec le bouton droit n'importe où dans le contrôle de contenu et utilisez l'option Paramètres de contrôle du contenu dans le menu contextuel. Une nouvelle fenêtre s'ouvrira. Sous l'onglet Général vous pouvez configurer les paramètres suivants: Spécifiez le Titre, l'Espace réservé ou le Tag dans les champs correspondants. Le titre s'affiche lorsque le contrôle est sélectionné dans le document. L'espace réservé est le texte principal qui s'affiche à l'intérieur du contrôle de contenu. Les Tags sont utilisées pour identifier les contrôles de contenu afin que vous puissiez y faire référence dans votre code. Choisissez si vous voulez afficher le contrôle de contenu avec une Boîte d'encombrement ou non. Utilisez l'option Aucun pour afficher le contrôle sans aucune boîte d'encombrement. Si vous sélectionnez l'option Boîte d'encombrement, vous pouvez choisir la Couleur de la boîte à l'aide du champ ci-dessous. Cliquez sur le bouton Appliquer à tous pour appliquer les paramètres d’Apparence spécifiés à tous les contrôles de contenu du document. Sous l'onglet Verrouillage vous pouvez empêchez toute suppression ou modifcation du contrôle de contenu en utilisant les paramètres suivants: Le contrôle du contenu ne peut pas être supprimé - cochez cette case pour empêcher la suppression du contrôle de contenu. Le contenu ne peut pas être modifié - cochez cette case pour protéger le contenu du contrôle de contenu contre une modification. Sous le troisième onglet on peut configurer les paramètres spécifiques de certain type du contrôle de contenu, comme: Zone de liste déroulante, Liste déroulante, Date, Case à cocher. Tous ces paramètres ont déjà été décrits ci-dessus dans la section appropriée à chaque contrôle de contenu. Cliquez sur le bouton OK dans la fenêtre des paramètres pour appliquer les changements. Il est également possible de surligner les contrôles de contenu avec une certaine couleur. Pour surligner les contrôles avec une couleur: Cliquez sur le bouton situé à gauche de la bordure du champ pour sélectionner le contrôle, Cliquez sur la flèche à côté de l'icône Contrôles de contenu dans la barre d'outils supérieure, Sélectionnez l'option Paramètres de surbrillance du menu, Sélectionnez la couleur souhaitée dans les palettes disponibles: Couleurs du thème, Couleurs standard ou spécifiez une nouvelle Couleur personnalisée. Pour supprimer la surbrillance des couleurs précédemment appliquée, utilisez l'option Pas de surbrillance. Les options de surbrillance sélectionnées seront appliquées à tous les contrôles de contenu du document. Supprimer des contrôles de contenu Pour supprimer un contrôle et laisser tout son contenu, cliquez sur le contrôle de contenu pour le sélectionner, puis procédez de l'une des façons suivantes: Cliquez sur la flèche en regard de l'icône Contrôles de contenu dans la barre d'outils supérieure et sélectionnez l'option Supprimer le contrôle du contenu dans le menu. Cliquez avec le bouton droit sur le contrôle de contenu et utilisez l'option Supprimer le contrôle du contenu dans le menu contextuel. Pour supprimer un contrôle et tout son contenu, sélectionnez le contrôle nécessaire et appuyez sur la touche Suppr du clavier." + }, + { + "id": "UsageInstructions/InsertCrossReference.htm", + "title": "Insertion de renvoi", + "body": "Les renvois permettent de créer les liens vers d'autres parties du même document telles que les diagrammes ou les tableaux. Le renvoi apparaît sous la forme d'un lien hypertexte. Créer un renvoi Positionnez le curseur dans le texte à l'endroit où vous souhaitez insérer un renvoi. Passez à l'onglet Références et cliquez sur l'icône Renvoi. Paramétrez le renvoi dans la fenêtre contextuelle Renvoi. Dans la liste déroulante Type de référence spécifiez l'élément vers lequel on veut renvoyer, par exemple, l'objet numéroté (option par défaut), en-tête, signet, note de bas de page, note de fin, équation, figure, et tableau. Sélectionnez l'élément approprié. Dans la liste Insérer la référence à spécifiez les informations que vous voulez insérer dans le document. Votre choix dépend de la nature des éléments que vous avez choisi dans la liste Type de référence. Par exemple, pour l'option En-tête on peut spécifier les informations suivantes: Texte de l'en-tête, Numéro de page, Numéro de l'en-tête, Numéro de l'en-tête (pas de contexte), Numéro de l'en-tête (contexte global), Au-dessus/au-dessous. La liste complète des options dépend du type de référence choisi: Type de référence Insérer la référence à Description Objet numéroté Numéro de page Pour insérer le numéro de page du l'objet numéroté Numéro de paragraphe Pour insérer le numéro de paragraphe du l'objet numéroté Numéro de paragraphe (pas de contexte) Pour insérer le numéro de paragraphe abrégé. On fait la référence à un élément spécifique de la liste numérotée, par exemple vous faites une référence seulement à 1 au lieu de 4.1.1. Numéro de paragraphe (contexte global) Pour insérer le numéro de paragraphe complet, par exemple 4.1.1. Texte du paragraphe Pour insérer la valeur textuelle du paragraphe, par exemple pour 4.1.1. Conditions générales on fait référence seulement à Conditions générales Au-dessus/au-dessous Pour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément. En-tête Texte de l'en-tête Pour insérer le texte complet de l'en-tête Numéro de page Pour insérer le numéro de page d'un en-tête Numéro de l'en-tête Pour insérer la numérotation consécutive de l'en-tête Numéro de l'en-tête (pas de contexte) Pour insérer le numéro de l'en-tête abrégé. Assurez-vous de placer le curseur dans la section à laquelle vous souhaiter faire une référence, par exemple, vous êtes dans la section 4 et vous souhaiter faire référence à l'en-tête 4.B alors au lieu de 4.B s'affiche seulement B. Numéro de l'en-tête (contexte global) Pour insérer le numéro de l'en-tête complet même si le curseur est dans la même section Au-dessus/au-dessous Pour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément. Signet Le texte du signet Pour insérer le texte complet du signet Numéro de page Pour insérer le numéro de page du signet Numéro de paragraphe Pour insérer le numéro de paragraphe du signet Numéro de paragraphe (pas de contexte) Pour insérer le numéro de paragraphe abrégé. On fait la référence seulement à un élément spécifique, par exemple vous faites une référence seulement à 1 au lieu de 4.1.1. Numéro de paragraphe (contexte global) Pour insérer le numéro de paragraphe complet, par exemple 4.1.1. Au-dessus/au-dessous Pour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément. Note de bas de page Numéro de la note de bas de page Pour insérer le numéro de la note de bas de page Numéro de page Pour insérer le numéro de page de la note de bas de page Au-dessus/au-dessous Pour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément. Le numéro de la note de bas de page (mis en forme) Pour insérer le numéro de la note de bas de page mis en forme d'une note de bas de page. La numérotation de notes de bas de page existantes n'est pas affectée Note de fin Le numéro de la note de fin Pour insérer le numéro de la note de fin Numéro de page Pour insérer le numéro de page de la note de fin Au-dessus/au-dessous Pour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément. Le numéro de la note de fin (mis en forme) Pour insérer le numéro de la note de fin mis en forme d'une note de fin. La numérotation de notes de fin existantes n'est pas affectée Équation / Figure / Tableau La légende complète Pour insérer le texte complet de la légende Seulement l'étiquette et le numéro Pour insérer l'étiquette et le numéro de l'objet, par exemple, Tableau 1.1 Seulement le texte de la légende Pour insérer seulement le texte de la légende Numéro de page Pour insérer le numéro de la page comportant du l'objet référencé Au-dessus/au-dessous Pour insérer automatiquement des mots Au-dessus ou Au-dessous en fonction de la position de l'élément. Pour faire apparaître une référence comme un lien actif, cochez la case Insérer en tant que lien hypertexte. Pour spécifier la position de l'élément référencé, cochez la case Inclure au-dessus/au-dessous (si disponible). ONLYOFFICE Document Editor insère automatiquement des mots “au-dessus” ou “au-dessous” en fonction de la position de l'élément. Pour spécifier le séparateur, cochez la case à droite Séparer les numéros avec. Il faut spécifier le séparateur pour les références dans le contexte global. Dans la zone Pour quel en-tête choisissez l’élément spécifique auquel renvoyer en fonction de la Type référence choisi, par exemple: pour l'option En-tête on va afficher la liste complète des en-têtes dans ce document. Pour créer le renvoi cliquez sur Insérer. Supprimer des renvois Pour supprimer un renvoi, sélectionnez le renvoi que vous souhaitez supprimer et appuyez sur la touche Suppr." + }, + { + "id": "UsageInstructions/InsertDateTime.htm", + "title": "Insérer la date et l'heure", + "body": "Pour insérer la Date et l'heure dans votre document, placer le curseur à l'endroit où vous voulez insérer la Date et heure, passez à l'onglet Insérer dans la barre d'outils en haut, cliquez sur l'icône Date et heure dans la barre d'outils en haut, dans la fenêtre Date et l'heure qui s'affiche, configurez les paramètres, comme suit: Sélectionnez la langue visée. Sélectionnez le format parmi ceux proposés. Cochez la case Mettre à jour automatiquement en tant que la date et l'heure sont automatiquement mis à jour. Remarque: Si vous préférez mettre à jour la date et l'heure manuellement, vous pouvez utiliser l'option de Mettre à jour dans le menu contextuel. Sélectionnez l'option Définir par défaut pour utiliser ce format par défaut pour cette langue. Cliquez sur OK." }, { "id": "UsageInstructions/InsertDropCap.htm", "title": "Insérer une lettrine", - "body": "Une Lettrine est une lettre initiale du paragraphe, elle est plus grande que les autres lettres et occupe une hauteur supérieure à la ligne courante. Pour ajouter une lettrine, placez le curseur à l'intérieur du paragraphe dans lequel vous voulez insérer une lettrine, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Insérer une lettrine sur la barre d'outils supérieure, sélectionnez l'option nécessaire dans la liste déroulante : Dans le texte - pour insérer une lettrine dans le paragraphe. Dans la marge - pour placer une lettrine dans la marge gauche. La lettre initiale du paragraphe sélectionné sera transformée en une lettrine. Si vous avez besoin d'ajouter quelques lettres, vous pouvez le faire manuellement : sélectionnez la lettrine et tapez les lettres nécessaires. Pour régler l'apparence de la lettrine (par exemple, taille de police, type, style de décoration ou couleur), sélectionnez la lettre et utilisez les icônes correspondantes sur la barre d'outils supérieure. La lettrine sélectionnée est entourée par un cadre (un conteneur utilisé pour positionner la lettrine sur la page). Vous pouvez facilement changer la taille du cadre en faisant glisser ses bordures ou changer sa position en utilisant l'icône qui apparaît si vous positionnez le curseur sur le cadre. Pour supprimer la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône Insérer une lettrine de la barre d'outils supérieure et choisissez l'option Aucune dans la liste déroulante. Pour modifier les paramètres de la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône de la barre d'outils supérieure Insérer une lettrine et choisissez l'option Paramètres de la lettrine dans la liste déroulante. La fenêtre Lettrine - Paramètres avancés s'ouvre : L'onglet Lettrine vous permet de régler les paramètres suivants : Position sert à changer l'emplacement de la lettrine. Sélectionnez l'option Dans le texte ou Dans la marge, ou cliquez sur Aucune pour supprimer la lettrine. Police sert à sélectionner la police dans la liste des polices disponibles. Hauteur des lignes sert à spécifier le nombre des lignes occupées par la lettrine. Il est possible de sélectionner de 1 à 10 lignes. Distance du texte sert à spécifier l'espace entre le texte du paragraphe et la bordure droite du cadre qui entoure la lettrine. L'onglet Bordures et remplissage vous permet d'ajouter une bordure autour de la lettrine et de régler ses paramètres. Ils sont les suivants : Paramètres de la Bordure (taille, couleur, sa présence ou absence) - définissez la taille des bordures, sélectionnez leur couleur et choisissez les bordures auxquelles (en haut, en bas, à gauche, à droite ou quelques unes à la fois) vous voulez appliquer ces paramètres. Couleur d'arrère-plan - choisissez la couleur pour l'arrère-plan de la lettrine. L'onglet Marges vous permet de définir la distance entre la lettrine et les bordures En haut, En bas, A gauche et A droite autour d'elle (si les bordures ont été préalablement ajoutées). Après avoir ajouté la lettrine vous pouvez également changer les paramètres du Cadre. Pour y accéder, cliquez droit à l'intérieur du cadre et sélectionnez l'option Paramètres avancées du cadre du menu contextuel. La fenêtre Cadre - Paramètres avancés s'ouvre : L'onglet Cadre vous permet de régler les paramètres suivants : Position sert à sélectionner une des styles d'habillage Aligné ou Flottant. Ou vous pouvez cliquer sur Aucune pour supprimer le cadre. Largeur et Hauteur servent à changer la taille du cadre. L'option Auto vous permet de régler la taille du cadre automatiquement en l'ajustant à la lettrine à l'intérieur. L'option Exactement vous permet de spécifier les valeurs fixes. L'option Au moins est utilisée pour définir la hauteur minimale (si vous changez la taille du cadre, la hauteur du cadre change en conséquence, mais elle ne peut pas être inférieure à la valeur spécifiée). Horizontal sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou la colonne, ou à aligner le cadre (à gauche, au centre ou à droite) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte horizontale c'est-à-dire l'espace entre les bordures verticales du cadre et le texte du paragraphe. Vertical sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou le paragraphe, ou à aligner le cadre (en haut, au centre ou en bas) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte verticale c'est-à-dire l'espace entre les bordures horizontales et le texte du paragraphe. Déplacer avec le texte contrôle si la litterine se déplace comme le paragraphe auquel elle est liée. Les onglets Bordures et remplissage et Marges permettent de définir les mêmes paramètres que dans les onglets de la fenêtre Lettrine - Paramètres avancés." + "body": "Une Lettrine est une lettre initiale majuscule placée au début d'un paragraphe ou d'une section. La taille d'une lettrine est généralement plusieurs lignes. Pour ajouter une lettrine, placez le curseur à l'intérieur du paragraphe dans lequel vous voulez insérer une lettrine, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Lettrine sur la barre d'outils supérieure, sélectionnez l'option nécessaire dans la liste déroulante: Dans le texte - pour insérer une lettrine dans le paragraphe. Dans la marge - pour placer une lettrine dans la marge gauche. La lettre initiale du paragraphe sélectionné sera transformée en une lettrine. Si vous avez besoin d'ajouter quelques lettres, vous pouvez le faire manuellement: sélectionnez la lettrine et tapez les lettres nécessaires. Pour régler l'apparence de la lettrine (par exemple, taille de police, type, style de décoration ou couleur), sélectionnez la lettre et utilisez les icônes correspondantes sous l'onglet Accueil sur la barre d'outils supérieure. La lettrine sélectionnée est entourée par un cadre (un conteneur utilisé pour positionner la lettrine sur la page). Vous pouvez facilement changer la taille du cadre en faisant glisser ses bordures ou changer sa position en utilisant l'icône qui apparaît si vous positionnez le curseur sur le cadre. Pour supprimer la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône Lettrine sous l'onglet Insérer sur la barre d'outils supérieure et choisissez l'option Aucune dans la liste déroulante. Pour modifier les paramètres de la lettrine ajoutée, sélectionnez-la, cliquez sur l'icône Lettrine sous l'onglet Insérer sur la barre d'outils supérieure et choisissez l'option Paramètres de la lettrine dans la liste déroulante. La fenêtre Lettrine - Paramètres avancés s'ouvre: L'onglet Lettrine vous permet de régler les paramètres suivants: Position sert à changer l'emplacement de la lettrine. Sélectionnez l'option Dans le texte ou Dans la marge, ou cliquez sur Aucune pour supprimer la lettrine. Police sert à sélectionner la police dans la liste des polices disponibles. Hauteur des lignes sert à spécifier le nombre des lignes occupées par la lettrine. Il est possible de sélectionner de 1 à 10 lignes. Distance du texte sert à spécifier l'espace entre le texte du paragraphe et la bordure droite du cadre qui entoure la lettrine. L'onglet Bordures et remplissage vous permet d'ajouter une bordure autour de la lettrine et de régler ses paramètres. Ils sont les suivants: Paramètres de la Bordure (taille, couleur, sa présence ou absence) - définissez la taille des bordures, sélectionnez leur couleur et choisissez les bordures auxquelles (en haut, en bas, à gauche, à droite ou quelques unes à la fois) vous voulez appliquer ces paramètres. Couleur d'arrière-plan - choisissez la couleur pour l'arrère-plan de la lettrine. L'onglet Marges vous permet de définir la distance entre la lettrine et les bordures En haut, En bas, A gauche et A droite autour d'elle (si les bordures ont été préalablement ajoutées). Après avoir ajouté la lettrine vous pouvez également changer les paramètres du Cadre. Pour y accéder, cliquez droit à l'intérieur du cadre et sélectionnez l'option Paramètres avancées du cadre du menu contextuel. La fenêtre Cadre - Paramètres avancés s'ouvre: L'onglet Cadre vous permet de régler les paramètres suivants: Position sert à sélectionner une des styles d'habillage Aligné ou Flottant. Ou vous pouvez cliquer sur Aucune pour supprimer le cadre. Largeur et Hauteur servent à changer la taille du cadre. L'option Auto vous permet de régler la taille du cadre automatiquement en l'ajustant à la lettrine à l'intérieur. L'option Exactement vous permet de spécifier les valeurs fixes. L'option Au moins est utilisée pour définir la hauteur minimale (si vous changez la taille du cadre, la hauteur du cadre change en conséquence, mais elle ne peut pas être inférieure à la valeur spécifiée). Horizontal sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou la colonne, ou à aligner le cadre (à gauche, au centre ou à droite) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte horizontale c'est-à-dire l'espace entre les bordures verticales du cadre et le texte du paragraphe. Vertical sert à définir la position exacte du cadre des unités sélectionnées par rapport à la marge, la page ou le paragraphe, ou à aligner le cadre (en haut, au centre ou en bas) par rapport à un des points de référence. Vous pouvez également définir la Distance du texte verticale c'est-à-dire l'espace entre les bordures horizontales et le texte du paragraphe. Déplacer avec le texte contrôle si la lettrine se déplace comme le paragraphe auquel elle est liée. Les onglets Bordures et remplissage et Marges permettent de définir les mêmes paramètres que dans les onglets de la fenêtre Lettrine - Paramètres avancés." + }, + { + "id": "UsageInstructions/InsertEndnotes.htm", + "title": "Insérer des notes de fin", + "body": "Utilisez les notes de fin pour donner des explications ou ajouter des commentaires à un terme ou une proposition et citer une source à la fin du document. Insertion de notes de fin Pour insérer la note de fin dans votre document, placez un point d'insertion à la fin du texte ou du mot concerné, passez à l'onglet Références dans la barre d'outils en haut, cliquez sur l'icône Note de bas de page dans la barre d'outils en haut et sélectionnez dans la liste Insérer une note de fin. Le symbole de la note de fin est alors ajouté dans le corps de texte (symbole en exposant qui indique la note de fin), et le point d'insertion se déplace à la fin de document. Vous pouvez saisir votre texte. Il faut suivre la même procédure pour insérer une note de fin suivante sur un autre fragment du texte. La numérotation des notes de fin est appliquée automatiquement. i, ii, iii, etc. par défaut. Affichage des notes de fin dans le document Faites glisser le curseur au symbole de la note de fin dans le texte du document, la note de fin s'affiche dans une petite fenêtre contextuelle. Parcourir les notes de fin Vous pouvez facilement passer d'une note de fin à une autre dans votre document, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, dans la section Passer aux notes de fin utilisez la flèche gauche pour se déplacer à la note de fin suivante ou la flèche droite pour se déplacer à la note de fin précédente. Modification des notes de fin Pour particulariser les notes de fin, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, appuyez sur Paramètres des notes dans le menu, modifiez les paramètres dans la boîte de dialogue Paramètres des notes qui va apparaître: Spécifiez l'Emplacement des notes de fin et sélectionnez l'une des options dans la liste déroulante à droite: Fin de section - les notes de fin son placées à la fin de la section. Fin de document - les notes de fin son placées à la fin du document. Modifiez le Format des notes de fin: Format de nombre - sélectionnez le format de nombre disponible dans la liste: 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Début - utilisez les flèches pour spécifier le nombre ou la lettre à utiliser pour la première note de fin. Numérotation - sélectionnez les options de numérotation: Continue - numérotation de manière séquentielle dans le document, À chaque section - numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque section du document, À chaque page - numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque page du document. Marque particularisée - séquence de symboles ou mots spéciaux à utiliser comme symbole de note de fin (Exemple: * ou Note1). Tapez le symbole/mot dans le champ et cliquez sur Insérer en bas de la boîte dialogue Paramètres des notes. Dans la liste déroulante Appliquer les modifications à sélectionnez si vous voulez appliquer les modifications À tout le document ou seulement À cette section. Remarque: pour définir un format différent pour les notes de fin sur différentes sections du document, il faut tout d'abord utiliser les sauts de sections . Une fois que vous avez terminé, cliquez sur Appliquer. Supprimer le notes de fin Pour supprimer une note de fin, placez un point d'insertion devant le symbole de note de fin dans le texte et cliquez sur la touche Suppr. Toutes les autres notes de fin sont renumérotées. Pour supprimer toutes les notes de fin du document, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, sélectionnez Supprimer les notes dans le menu. dans la boîte de dialogue sélectionnez Supprimer toutes les notes de fin et cliquez sur OK." }, { "id": "UsageInstructions/InsertEquation.htm", "title": "Insérer des équations", - "body": "Document Editor vous permet de créer des équations à l'aide des modèles intégrés, de les modifier, d'insérer des caractères spéciaux (à savoir des opérateurs mathématiques, des lettres grecques, des accents, etc.). Ajouter une nouvelle équation Pour insérer une équation depuis la galerie, placez le curseur à l'intérieur de la ligne choisie, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur la flèche vers le bas à côté de l'icône Équation sur la barre d'outils supérieure, sélectionnez la catégorie d'équation souhaitée 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 voulu(e) dans l'ensemble de modèles correspondant. La boîte de symbole/équation sélectionnée sera insérée à la position du curseur. Si la ligne sélectionnée est vide, l'équation sera centrée. Pour aligner une telle équation à gauche ou à droite, cliquez sur la boîte d'équation et utilisez l'icône ou dans l'onglet Accueil de la barre d'outils supérieure.Chaque modèle d'équation comporte un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé un espace réservé) a un contour en pointillé . Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires. Remarque : pour commencer à créer une équation, vous pouvez également utiliser le raccourci clavier Alt + =. 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/la droite ou d'une ligne vers le haut/bas. Si vous devez créer un espace réservé sous l'emplacement avec le point d'insertion dans le modèle sélectionné, appuyez sur Entrée.Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé : entrez 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 Équation de l'onglet Insertion de la barre d'outils supérieure, 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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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. Une fois le saut de ligne manuel ajouté, vous pouvez appuyer sur la touche Tab pour aligner la nouvelle ligne avec n'importe quel opérateur mathématique de la ligne précédente. 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 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 certains é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. 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 réservé de limite 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 le radical et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu. Pour aligner certains é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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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 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, sélectionnez-la complètement en faisant glisser la souris ou en double-cliquant sur la boîte d'équation et en appuyant 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 et séparateurs englobants 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. Cette option est également disponible pour les équations d'autres types si vous avez déjà ajouté de nouveaux espaces réservés en appuyant sur Entrée. 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." + "body": "Insertion des équations Document Editor vous permet de créer des équations à l'aide des modèles intégrés, de les modifier, d'insérer des caractères spéciaux (à savoir des opérateurs mathématiques, des lettres grecques, des accents, etc.). Ajouter une nouvelle équation Pour insérer une équation depuis la galerie, placez le curseur à l'intérieur de la ligne choisie, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur la flèche vers le bas à côté de l'icône Équation sur la barre d'outils supérieure, sélectionnez la catégorie d'équation souhaitée 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 voulu(e) dans l'ensemble de modèles correspondant. La boîte de symbole/équation sélectionnée sera insérée à la position du curseur. Si la ligne sélectionnée est vide, l'équation sera centrée. Pour aligner une telle équation à gauche ou à droite, cliquez sur la boîte d'équation et utilisez l'icône ou l'icône sous l'onglet Accueil dans la barre d'outils supérieure. Chaque modèle d'équation comporte un ensemble d'emplacements. Un emplacement est une position pour chaque élément qui compose l'équation. Un emplacement vide (également appelé un espace réservé) a un contour en pointillé . Vous devez remplir tous les espaces réservés en spécifiant les valeurs nécessaires. Remarque: pour commencer à créer une équation, vous pouvez également utiliser le raccourci clavier Alt + =. On peut aussi ajouter une légende à l'équation. Veuillez consulter cet article pour en savoir plus sur utilisation des légendes. 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/la droite ou d'une ligne vers le haut/bas. Si vous devez créer un espace réservé sous l'emplacement avec le point d'insertion dans le modèle sélectionné, appuyez sur Entrée. Une fois le point d'insertion positionné, vous pouvez remplir l'espace réservé: entrez 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 Équation sous l'onglet Insérer 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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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. Une fois le saut de ligne manuel ajouté, vous pouvez appuyer sur la touche Tab pour aligner la nouvelle ligne avec n'importe quel opérateur mathématique de la ligne précédente. 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 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 sous 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 certains é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électionner 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 réservé de limite 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 le radical et sélectionner l'option Masquer/Afficher l'espace réservé dans le menu. Pour aligner certains é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 (ou des équations d'autres types, si vous avez déjà ajouté de nouveaux espaces en appuyant sur Entrée), 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 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, sélectionnez-la complètement en faisant glisser la souris ou en double-cliquant sur la boîte d'équation et en appuyant 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 et séparateurs englobants 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. Cette option est également disponible pour les équations d'autres types si vous avez déjà ajouté de nouveaux espaces réservés en appuyant sur Entrée. 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/InsertFootnotes.htm", - "title": "Insérer les notes de bas de page", - "body": "Vous pouvez ajouter des notes de bas de page pour fournir des explications ou des commentaires sur certaines phrases ou termes utilisés dans votre texte, faire des références aux sources, etc. Pour insérer une note de bas de page dans votre document, positionnez le point d'insertion à la fin du passage de texte auquel vous souhaitez ajouter une note de bas de page, passez à l'onglet Références de la barre d'outils supérieure, cliquez sur l'icône Note de bas de page dans la barre d'outils supérieure ou cliquez sur la flèche en regard de l'icône et sélectionnez l'option dans le menu,La marque de note de bas de page (c'est-à-dire le caractère en exposant qui indique une note de bas de page) apparaît dans le texte du document et le point d'insertion se déplace vers le bas de la page actuelle. tapez le texte de la note de bas de page. Répétez les opérations mentionnées ci-dessus pour ajouter les notes de bas de page suivantes à d'autres passages de texte dans le document. Les notes de bas de page sont numérotées automatiquement. Si vous placez le pointeur de la souris sur la marque de la note de bas de page dans le texte du document, une petite fenêtre contextuelle avec le texte de la note apparaît. Pour naviguer facilement entre les notes de bas de page ajoutées dans le texte du document, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références de la barre d'outils supérieure, dans la section Aller aux notes de bas de page, utilisez la flèche pour accéder à la note de bas de page précédente ou la flèche pour accéder à la note de bas de page suivante. Pour modifier les paramètres des notes de bas de page, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références de la barre d'outils supérieure, sélectionnez l'option Paramètres des notes du menu contextuel, changez les paramètres actuels dans la fenêtre Paramètres de Notes qui s'ouvre : Définissez l'Emplacement des notes de bas de page sur la page en sélectionnant l'une des options disponibles : Bas de la page - pour positionner les notes de bas de page au bas de la page (cette option est sélectionnée par défaut). Sous le texte - pour positionner les notes de bas de page plus près du texte. Cette option peut être utile dans les cas où la page contient un court texte. Ajuster le Format des notes de bas de page : Format de numérotation - sélectionnez le format de numérotation voulu parmi ceux disponibles : 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Commencer par - utilisez les flèches pour définir le numéro ou la lettre par laquelle vous voulez commencer à numéroter. Numérotation - sélectionnez un moyen de numéroter vos notes de bas de page : Continu - pour numéroter les notes de bas de page de manière séquentielle dans tout le document, Redémarrer à chaque section - pour commencer la numérotation des notes de bas de page avec le numéro 1 (ou un autre caractère spécifié) au début de chaque section, Redémarrer à chaque page - pour commencer la numérotation des notes de bas de page avec le numéro 1 (ou un autre caractère spécifié) au début de chaque page. Marque personnalisée - définissez un caractère spécial ou un mot que vous souhaitez utiliser comme marque de note de bas de page (par exemple, * ou Note1). Entrez le caractère/mot choisie dans le champ de saisie de texte et cliquez sur le bouton Insérer en bas de la fenêtre Paramètres de Notes. Utilisez la liste déroulante Appliquer les modifications à pour sélectionner si vous souhaitez appliquer les paramètres de notes spécifiés au Document entier ou à la Section en cours uniquement.Remarque : pour utiliser différentes mises en forme de notes de bas de page dans des parties distinctes du document, vous devez d'abord ajouter des sauts de section. Lorsque vous êtes prêt, cliquez sur le bouton Appliquer. Pour supprimer une seule note de bas de page, positionnez le point d'insertion directement avant le repère de note de bas de page dans le texte du document et appuyez sur Suppr. Les autres notes de bas de page seront automatiquement renumérotées. Pour supprimer toutes les notes de bas de page du document, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références de la barre d'outils supérieure, sélectionnez l'option Supprimer toutes les notes du menu contextuel," + "title": "Insérer des notes de bas de page", + "body": "Utilisez les notes de bas de page pour donner des explications ou ajouter des commentaires à un terme ou une proposition et citer une source. Insérer des notes de bas de page Pour insérer une note de bas de page dans votre document, placez un point d'insertion à la fin du texte ou du mot concerné, passez à l'onglet Références dans la barre d'outils en haut, cliquez sur l'icône les Notes de bas de page dans la barre d'outils en haut ou appuyez sur la flèche à côté de l'icône Notes de bas de page et sélectionnez l'option Insérer une note de bas de page du menu, Le symbole de la note de bas de page est alors ajouté dans le corps de texte (symbole en exposant qui indique la note de bas de page), et le point d'insertion se déplace à la fin de document. Vous pouvez saisir votre texte. Il faut suivre la même procédure pour insérer une note de bas de page suivante sur un autre fragment du texte. La numérotation des notes de fin est appliquée automatiquement. Affichage des notes de fin dans le document Faites glisser le curseur au symbole de la note de bas de page dans le texte du document, la note de bas de page s'affiche dans une petite fenêtre contextuelle. Parcourir les notes de bas de page Vous pouvez facilement passer d'une note de bas de page à une autre dans votre document, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, dans la section Accéder aux notes de bas de page utilisez la flèche gauche pour se déplacer à la note de bas de page suivante ou la flèche droite pour se déplacer à la note de bas de page précédente. Modification des notes de bas de page Pour particulariser les notes de bas de page, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, appuyez sur Paramètres des notes dans le menu, modifiez les paramètres dans la boîte de dialogue Paramètres des notes qui va apparaître: Cochez la casse Note de bas de page pour modifier seulement les notes de bas de page. Spécifiez l'Emplacement des notes de bas de page et sélectionnez l'une des options dans la liste déroulante à droite: Bas de page - les notes de bas de page sont placées au bas de la page (cette option est activée par défaut). Sous le texte - les notes de bas de page sont placées près du texte. Cette fonction est utile si le texte sur une page est court. Modifiez le Format des notes de bas de page: Format de nombre- sélectionnez le format de nombre disponible dans la liste: 1, 2, 3,..., a, b, c,..., A, B, C,..., i, ii, iii,..., I, II, III,.... Début- utilisez les flèches pour spécifier le nombre ou la lettre à utiliser pour la première note de fin. Numérotation- sélectionnez les options de numérotation des notes de bas de page: Continue- numérotation de manière séquentielle dans le document, À chaque section- numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque section du document, À chaque page- numérotation redémarre à 1 (ou à une autre séquence de symboles) au début de chaque page du document. Marque personalisée - séquence de symboles ou mots spéciaux à utiliser comme symbole de note de bas de page (Exemple: * ou Note1). Tapez le symbole/mot dans le champ et cliquez sur Insérer en bas de la boîte dialogue Paramètres des notes. Dans la liste déroulante Appliquer les modifications à sélectionnez si vous voulez appliquer les modifications À tout le document ou seulement À cette section. Remarque: pour définir un format différent pour les notes de fin sur différentes sections du document, il faut tout d'abord utiliser les sauts de sections . Une fois que vous avez terminé, cliquez sur Appliquer. Supprimer les notes de bas de page Pour supprimer une note de bas de page, placez un point d'insertion devant le symbole de note de bas de page dans le texte et cliquez sur la touche Supprimer. Toutes les autres notes de bas de page sont renumérotées. Pour supprimer toutes les notes de bas de page du document, cliquez sur la flèche à côté de l'icône Note de bas de page dans l'onglet Références dans la barre d'outils en haut, sélectionnez Supprimer les notes dans le menu. dans la boîte de dialogue sélectionnez Supprimer les notes de bas de page et cliquez sur OK." }, { "id": "UsageInstructions/InsertHeadersFooters.htm", "title": "Insérer les en-têtes et pieds de page", - "body": "Pour ajouter un en-tête ou un pied de page à votre document ou modifier ceux qui déjà existent , passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Modifier l'en-tête ou le pied de page sur la barre d'outils supérieure, sélectionnez l'une des options suivantes : Modifier l'en-tête pour insérer ou modifier le texte d'en-tête. Modifier le pied de page pour insérer ou modifier le texte de pied de page. modifiez les paramètres actuels pour les en-têtes ou pieds de page sur la barre latérale droite Définissez la Position du texte par rapport à la partie supérieure (en-têtes) ou inférieure (pour pieds) de la page. Cochez la case Première page différente pour appliquer un en-tête ou un pied de page différent pour la première page ou si vous ne voulez pas ajouter un en-tête / un pied de page. Utilisez la case Pages paires et impaires différentes pour ajouter de différents en-têtes ou pieds de page pour les pages paires et impaires. L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, alors que les mêmes en-têtes/pieds de page sont appliqués à toutes les sections. Si vous sélectionnez une zone d’en-tête ou de pied de page, vous verrez que сette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lien vers Préсédent pour utiliser de différents en-têtes et pieds de page pour chaque section du document. L'étiquette Identique au précédent sera indisponible. Pour saisir un texte ou modifier le texte déjà saisi et régler les paramètres de l'en-tête ou le pied de page, vous pouvez également double-cliquer sur la partie supérieure ou inférieure de la page ou cliquer avec le bouton droit de la souris et sélectionner l'option - Modifier l'en-tête ou Modifier le pied de page du menu contextuel. Pour passer au corps du document, double-cliquez sur la zone de travail. Le texte que vous utilisez dans l'en-tête ou dans le pied de page sera affiché en gris. Remarque : consultez la section Insérer les numéros de page pour apprendre à ajouter des numéros de page à votre document." + "body": "Insérer les en-têtes et les pieds de page Pour ajouter un en-tête ou un pied de page à votre document ou modifier ceux qui déjà existent, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône En-tête/Pied de page sur la barre d'outils supérieure, sélectionnez l'une des options suivantes: Modifier l'en-tête pour insérer ou modifier le texte d'en-tête. Modifier le pied de page pour insérer ou modifier le texte de pied de page. modifiez les paramètres actuels pour les en-têtes ou les pieds de page sur la barre latérale droite: Définissez la Position du texte par rapport à la partie supérieure pour les en-têtes ou à la partie inférieure pour pieds de la page. Cochez la case Première page différente pour appliquer un en-tête ou un pied de page différent pour la première page ou si vous ne voulez pas ajouter un en-tête / un pied de page. Utilisez la case Pages paires et impaires différentes pour ajouter de différents en-têtes ou pieds de page pour les pages paires et impaires. L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, alors que les mêmes en-têtes/pieds de page sont appliqués à toutes les sections. Si vous sélectionnez une zone d'en-tête ou de pied de page, vous verrez que cette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lien vers précédent pour utiliser de différents en-têtes et pieds de page pour chaque section du document. L'étiquette Identique au précédent ne sera plus affichée. Pour saisir un texte ou modifier le texte déjà saisi et régler les paramètres de l'en-tête ou du pied de page, vous pouvez également double-cliquer sur la partie supérieure ou inférieure de la page ou cliquer avec le bouton droit de la souris et sélectionner l'option - Modifier l'en-tête ou Modifier le pied de page du menu contextuel. Pour passer au corps du document, double-cliquez sur la zone de travail. Le texte que vous utilisez dans l'en-tête ou dans le pied de page sera affiché en gris. Remarque: consultez la section Insérer les numéros de page pour apprendre à ajouter des numéros de page à votre document." }, { "id": "UsageInstructions/InsertImages.htm", "title": "Insérer des images", - "body": "Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants : BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans votre document de texte, placez le curseur là où vous voulez insérer l'image, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Imagede la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image : l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK 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 avoir ajouté l'image, vous pouvez modifier sa taille, ses propriétés et sa position. Déplacer et redimensionner des images Pour changer la taille de l'image, faites glisser les petits carreaux situés sur ses bords. Pour garder les proportions de l'image sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Pour modifier la position de l'image, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'image à la position nécessaire sans relâcher le bouton de la souris. Lorsque vous déplacez l'image, des lignes de guidage s'affichent pour vous aider à positionner l'objet sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour faire pivoter l'image, placez le curseur de la souris sur la poignée de rotation ronde et faites-la glisser vers la droite ou la gauche. Pour limiter la rotation de l'angle à des incréments de 15 degrés, maintenez la touche Maj enfoncée. Note : la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Ajuster les paramètres de l'image Certains paramètres de l'image peuvent être modifiés dans l'onglet Paramètres de l'image de la barre latérale droite. Pour l'activer, cliquez sur l'image et sélectionnez l'icône Paramètres de l'image à droite. Vous pouvez y modifier les paramètres suivants : Taille est utilisée pour afficher la Largeur et la Hauteur de l'image actuelle. Si nécessaire, vous pouvez restaurer la taille d'image par défaut en cliquant sur le bouton Taille par défaut. Le bouton Ajuster à la marge permet de redimensionner l'image, de sorte qu'elle occupe tout l'espace entre les marges gauche et droite de la page.Le bouton Rogner permet de 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 Remplir et 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 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. Rotation permet de faire pivoter l’image 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 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) Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL. Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer l'image sélectionnée au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper des images pour effectuer des opérations avec plusieurs images à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'alignement des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Faire pivoter permet de faire pivoter l’image 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. Rogner est utilisé pour appliquer l'une des options de rognage : Rogner, Remplir ou Ajuster. Sélectionnez l'option Rogner dans le sous-menu, puis faites glisser les poignées de recadrage pour définir la zone de rognage, puis cliquez à nouveau sur l'une de ces trois options dans le sous-menu pour appliquer les modifications. Taille par défaut sert à changer la taille actuelle de l'image ou rétablir la taille par défaut. Remplacer l’image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL. Paramètres avancés sert à ouvrir la fenêtre 'Image - Paramètres avancés'. Lorsque l'image est sélectionnée, l'icône Paramètres de forme est également disponible sur la droite. Vous pouvez cliquer sur cette icône pour ouvrir l'onglet Paramètres de forme dans la barre latérale droite et ajuster le type de contour, la taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. Pour modifier les paramètres avancés de l’image, cliquez sur celle-ci avec le bouton droit de la souris et sélectionnez Paramètres avancés du menu contextuel ou cliquez sur le lien Afficher les paramètres avancés de la barre latérale droite. La fenêtre des propriétés de l'image sera ouverte : L'onglet Taille comporte les paramètres suivants : Largeur et Hauteur - utilisez ces options pour modifier langeur / hauteur de l'image. Si le bouton Proportions constantes est cliqué(auquel cas il ressemble à ceci ), les proportions d'image originales sera gardées lors de la modification de la largeur/hauteur. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Par défaut. L'onglet 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 Habillage du texte contient les paramètres suivants : Style d'habillage - utilisez cette option pour changer la manière dont l'image est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, l'image est déplacée elle aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte : Carré - le texte est ajusté autour des bords de l'image. Rapproché - le texte est ajusté sur le contour de l' image. Au travers - le texte est ajusté autour des bords de l'image et occupe l'espace vide à l'intérieur d'elle. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de l'image. Devant le texte - l'image est affichée sur le texte. Derrière le texte - le texte est affiché sur l'image. Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, droit, gauche). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné : La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants : Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement d'image suivants : Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) sous la ligne, la marge, la marge inférieure, le paragraphe, la page la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel elle est alignée. Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image." + "body": "Document Editor vous permet d'insérer des images aux formats populaires. Les formats d'image pris en charge sont les suivants: BMP, GIF, JPEG, JPG, PNG. Insérer une image Pour insérer une image dans votre document de texte, placez le curseur là où vous voulez insérer l'image, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Image de la barre d'outils supérieure, sélectionnez l'une des options suivantes pour charger l'image: l'option Image à partir d'un fichier ouvre la fenêtre de dialogue standard pour sélectionner le fichier. Sélectionnez le fichier de votre choix sur le disque dur de votre ordinateur et cliquez sur le bouton Ouvrir l'option Image à partir d'une URL ouvre la fenêtre où vous pouvez saisir l'adresse Web de l'image et cliquer sur le bouton OK l'option Image de 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 avoir ajouté l'image, vous pouvez modifier sa taille, ses paramètres et sa position. On peut aussi ajouter une légende à l'image. Veuillez consulter cet article pour en savoir plus sur utilisation des légendes. Déplacer et redimensionner des images Pour changer la taille de l'image, faites glisser les petits carreaux situés sur ses bords. Pour garder les proportions de l'image sélectionnée lors du redimensionnement, maintenez la touche Maj enfoncée et faites glisser l'une des icônes de coin. Pour modifier la position de l'image, utilisez l'icône qui apparaît si vous placez le curseur de votre souris sur l'image. Faites glisser l'image vers la position choisie sans relâcher le bouton de la souris. Lorsque vous déplacez l'image, des lignes de guidage s'affichent pour vous aider à la positionner sur la page avec précision (si un style d'habillage autre que aligné est sélectionné). Pour faire pivoter une image, déplacer le curseur vers la poignée de rotation et faites la glisser dans le sens horaire ou antihoraire. Pour faire pivoter par incréments de 15 degrés, maintenez enfoncée la touche Maj tout en faisant pivoter. Remarque: la liste des raccourcis clavier qui peuvent être utilisés lorsque vous travaillez avec des objets est disponible ici. Ajuster les paramètres de l'image Certains paramètres de l'image peuvent être modifiés en utilisant l'onglet Paramètres de l'image de la barre latérale droite. Pour l'activer, cliquez sur l'image et sélectionnez l'icône Paramètres de l'image à droite. Vous pouvez y modifier les paramètres suivants: Taille est utilisée pour afficher la Largeur et la Hauteur de l'image actuel. Si nécessaire, vous pouvez restaurer la taille d'origine de l'image en cliquant sur le bouton Taille actuelle. Le bouton Ajuster aux marges permet de redimensionner l'image et de l'ajuster dans les marges gauche et droite. Le bouton Rogner sert à recadrer l'image. Cliquez sur le bouton Rogner pour activer les poignées de recadrage qui appairaient par chaque coin et sur les côtés. Faites glisser manuellement les pognées pour définir la zone de recadrage. Vous pouvez positionner le curseur sur la bordure de la zone de recadrage lorsque il se transforme en et faites la glisser. 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 Remplissage et 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 Remplissage, 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. Rotation permet de faire pivoter l'image 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 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) Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte (pour en savoir plus, consultez la section des paramètres avancés ci-dessous). Remplacer l'image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL. Certains paramètres de l'image peuvent être également modifiés en utilisant le menu contextuel. Les options du menu sont les suivantes: Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précédemment coupé / copié ou un objet à la position actuelle du curseur. Organiser sert à placer l'image sélectionnée au premier plan, envoyer à fond, avancer ou reculer ainsi que grouper ou dégrouper des images pour effectuer des opérations avec plusieurs images à la fois. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Aligner sert à aligner le texte à gauche, au centre, à droite, en haut, au milieu, en bas. Pour en savoir plus sur l'organisation des objets, vous pouvez vous référer à cette page. Style d'habillage sert à sélectionner un des styles d'habillage - aligné sur le texte, carré, rapproché, au travers, haut et bas, devant le texte, derrière le texte - ou modifier le contour de l'habillage. L'option Modifier les limites du renvoi à la ligne n'est disponible qu'au cas où vous sélectionnez le style d'habillage autre que 'aligné sur le texte'. Faites glisser les points d'habillage pour personnaliser les limites. Pour créer un nouveau point d'habillage, cliquez sur la ligne rouge et faites-la glisser vers la position désirée. Faire pivoter permet de faire pivoter l'image 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. Rogner est utilisé pour appliquer l'une des options de rognage: Rogner, Remplir ou Ajuster. Sélectionnez l'option Rogner dans le sous-menu, puis faites glisser les poignées de recadrage pour définir la zone de rognage, puis cliquez à nouveau sur l'une de ces trois options dans le sous-menu pour appliquer les modifications. Taille actuelle sert à changer la taille actuelle de l'image et rétablir la taille d'origine. Remplacer l'image sert à remplacer l'image actuelle et charger une autre À partir d'un fichier ou À partir d'une URL. Paramètres avancés de l'image sert à ouvrir la fenêtre "Image - Paramètres avancés". 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 Trait a taille et la couleur ainsi que le type de forme en sélectionnant une autre forme dans le menu Modifier la forme automatique. La forme de l'image changera en conséquence. 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 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 Taille comporte les paramètres suivants: Largeur et Hauteur - utilisez ces options pour changer la largeur et/ou la hauteur. Lorsque le bouton Proportions constantes est activé (Ajouter un ombre) ), le rapport largeur/hauteur d'origine s'ajuste proportionnellement. Pour rétablir la taille par défaut de l'image ajoutée, cliquez sur le bouton Taille actuelle. 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 Habillage du texte contient les paramètres suivants: Style d'habillage - utilisez cette option pour changer la manière dont l'image est positionnée par rapport au texte : elle peut faire partie du texte (si vous sélectionnez le style 'aligné sur le texte') ou être contournée par le texte de tous les côtés (si vous sélectionnez l'un des autres styles). Aligné sur le texte - l'image fait partie du texte, comme un caractère, ainsi si le texte est déplacé, le graphique est déplacé lui aussi. Dans ce cas-là les options de position ne sont pas accessibles. Si vous sélectionnez un des styles suivants, vous pouvez déplacer l'image indépendamment du texte et définir sa position exacte: Carré - le texte est ajusté autour des bords de l'image. Rapproché - le texte est ajusté sur le contour de l'image. Au travers - le texte est ajusté autour des bords du graphique et occupe l'espace vide à l'intérieur de celui-ci. Pour créer l'effet, utilisez l'option Modifier les limites du renvoi à la ligne du menu contextuel. Haut et bas - le texte est ajusté en haut et en bas de l'image. Devant le texte - l'image est affichée sur le texte Derrière le texte - le texte est affiché sur l'image. Si vous avez choisi le style carré, rapproché, au travers, haut et bas, vous avez la possibilité de configurer des paramètres supplémentaires - Distance du texte de tous les côtés (haut, bas, gauche, droit). L'onglet Position n'est disponible qu'au cas où vous choisissez le style d'habillage autre que 'aligné sur le texte'. Il contient les paramètres suivants qui varient selon le type d'habillage sélectionné: La section Horizontal vous permet de sélectionner l'un des trois types de positionnement d'image suivants: Alignement (gauche, centre, droite) par rapport au caractère, à la colonne, à la marge de gauche, à la marge, à la page ou à la marge de droite, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) à droite du caractère, de la colonne, de la marge de gauche, de la marge, de la page ou de la marge de droite, Position relative mesurée en pourcentage par rapport à la marge gauche, à la marge, à la page ou à la marge de droite. La section Vertical vous permet de sélectionner l'un des trois types de positionnement d'image suivants: Alignement (haut, centre, bas) par rapport à la ligne, à la marge, à la marge inférieure, au paragraphe, à la page ou à la marge supérieure, Position absolue mesurée en unités absolues, c.-à-d. Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) au-dessous de la ligne, de la marge, de la marge inférieure, du paragraphe, de la page ou la marge supérieure, Position relative mesurée en pourcentage par rapport à la marge, à la marge inférieure, à la page ou à la marge supérieure. Déplacer avec le texte détermine si l'image se déplace en même temps que le texte sur lequel il est aligné. Chevauchement détermine si deux images sont fusionnées en une seule ou se chevauchent si vous les faites glisser les unes près des autres sur la page. L'onglet Texte de remplacement permet de spécifier un Titre et une Description qui sera lue aux personnes avec des déficiences cognitives ou visuelles pour les aider à mieux comprendre l'information de l'image." + }, + { + "id": "UsageInstructions/InsertLineNumbers.htm", + "title": "Insérer des numéros de ligne", + "body": "ONLYOFFICE Document Editor peut automatiquement compter les lignes dans votre document. Cette fonction est utile lorsque vous devez faire référence à des lignes spécifiques dans un document, comme un contrat juridique ou un code de script. Pour ajouter la numérotation de ligne dans un document, utiliser la fonction Numéros de ligne. Veuillez noter que le texte ajouté aux objets tels que les tableaux, les zones de texte, les graphiques, les en-têtes/pieds de page etc n'est pas inclus dans la numérotation consécutive. Tous ces objets comptent pour une ligne. Ajouter des numéros de ligne Accédez à l'onglet Disposition dans la barre d'outils en haut et appuyez sur l'icône Numéros de ligne. Pour une configuration rapide, sélectionnez les paramètres appropriés dans la liste déroulante: Continue - pour une numérotation consécutive dans l'ensemble du document. Restaurer chaque page - pour commencer la numérotation consécutive sur chaque page. Restaurer chaque section - pour commencer la numérotation consécutive sur chaque section du document. Veuillez consulter ce guide pour en savoir plus sur le sauts de sections. Supprimer pour le paragraphe actif - pour supprimer la numérotation de ligne du paragraphe actuel. Cliquez avec le bouton gauche de la souris et sélectionnez les paragraphes pour lesquels on veut supprimer les numéros de ligne avant d'opter pour cette option. Configurez les paramètres avancés si vous en avez besoin. Cliquez sur Paramètres de la numérotation de ligne dans le menu déroulant Numéros de ligne. Cochez la case Ajouter la numérotation des lignes pour ajouter des numéros de ligne au document et pour accéder aux paramètres avancées: Commencer par - spécifiez à quelle ligne la numérotation doit commencer. Par défaut, il démarre à 1. À partir du texte - saisissez les valeurs de l'espace situé entre le texte et le numéro de ligne. Les unités de distance sont affichées en cm. Le paramètre par défaut est Auto. Compter par - spécifiez la valeur de variable si celle-ci n' augmente pas à 1, c'est-à-dire numéroter chaque ligne ou seulement une sur deux, une sur 3, une sur 4, une sur 5 etc. Saisissez une valeur numérique. Par défaut, il démarre à 1. Restaurer chaque page - pour commencer la numérotation consécutive sur chaque page. Restaurer chaque section - pour commencer la numérotation consécutive sur chaque section du document. Continue - pour une numérotation consécutive dans l'ensemble du document. Dans la liste déroulante Appliquer les modifications à sélectionnez la partie du document à laquelle vous souhaitez ajouter des numéros de lignes. Choisissez parmi les options suivantes: À cette section pour ajouter des numéros de ligne à la section du document spécifiée; A partir de ce point pour ajouter des numéros de ligne à partir du point où votre curseur est placé; A tout le document pour ajouter des numéros de ligne à tout ce document. Par défaut, le paramètre est A tout le document. Cliquez sur OK pour appliquer les modifications. Supprimer les numéros de ligne Pour supprimer les numéros de ligne, accédez à l'onglet Disposition dans la barre d'outils en haut et appuyez sur l'icône Numéros de ligne. sélectionnez l'option Aucune dans le menu déroulant ou appuyez sur Paramètres de numérotation des lignes et décochez la case Ajouter la numérotation de ligne dans la boîte de dialogue Numéros de ligne." }, { "id": "UsageInstructions/InsertPageNumbers.htm", "title": "Insérer les numéros de page", - "body": "Pour insérer des numéros de page dans votre document, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône Modifier l'en-tête ou le pied de page de la barre d'outils supérieure, sélectionnez l'option Insérer le numéro de page du sous-menu, sélectionnez l'une des options suivantes : Pour mettre un numéro de page à chaque page de votre document, sélectionnez la position de numéro de page sur la page. Pour insérer un numéro de page à la position actuelle du curseur, sélectionnez l'option À la position actuelle. Pour insérer le nombre total de pages dans votre document (par ex. si vous souhaitez créer une saisie Page X de Y): placez le curseur où vous souhaitez insérer le nombre total de pages, cliquez sur l'icône Modifier l'en-tête ou le pied de page de la barre d'outils supérieure, sélectionnez l'option Insérer le nombre de pages. Pour modifier les paramètres de la numérotation des pages, double-cliquez sur le numéro de page ajouté, modifiez les paramètres actuels en utilisant la barre latérale droite : Définissez la Position des numéros de page ainsi que la position par rapport à la partie supérieure et inférieure de la page. Cochez la case Première page différente pour appliquer un numéro différent à la première page ou si vous ne voulez pas du tout ajouter le numéro. Utilisez la case Pages paires et impaires différentes pour insérer des numéros de page différents pour les pages paires et impaires. L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, de sorte que la numérotation unifiée est appliquée à toutes les sections. Si vous sélectionnez une zone d’en-tête ou de pied de page, vous verrez que сette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lier au précédent pour utiliser la numérotation des pages différente pour chaque section du document, par exemple, pour commencer la numérotation de chaque section à 1. L'étiquette Identique au précédent sera indisponible. Pour retourner à l'édition du document, double-cliquez sur la zone de travail." + "body": "Pour insérer des numéros de page dans votre document, passez à l'onglet Insérer de la barre d'outils supérieure, cliquez sur l'icône En-tête/Pied de page sur la barre d'outils supérieure, sélectionnez l'option Insérer le numéro de page du sous-menu, sélectionnez l'une des options suivantes: Pour mettre un numéro de page à chaque page de votre document, sélectionnez la position de numéro de page sur la page. Pour insérer un numéro de page à la position actuelle du curseur, sélectionnez l'option À la position actuelle. Remarque: pour insérer le numéro de page courante à la position actuelle du curseur vous pouvez aussi utiliser des raccourcis clavier Ctrl+Maj+P. Pour insérer le nombre total de pages dans votre document (par ex. si vous souhaitez créer une saisie Page X de Y): placez le curseur où vous souhaitez insérer le nombre total de pages, cliquez sur l'icône En-tête/Pied de page sur la barre d'outils supérieure, sélectionnez l'option Insérer le nombre de pages. Pour modifier les paramètres de la numérotation des pages, double-cliquez sur le numéro de page ajouté, modifiez les paramètres actuels en utilisant la barre latérale droite: Définissez la Position des numéros de page ainsi que la position par rapport à la partie supérieure et inférieure de la page. Cochez la case Première page différente pour appliquer un numéro différent à la première page ou si vous ne voulez pas du tout ajouter le numéro. Utilisez la case Pages paires et impaires différentes pour insérer des numéros de page différents pour les pages paires et impaires. L'option Lier au précédent est disponible si vous avez déjà ajouté des sections dans votre document. Sinon, elle sera grisée. En outre, cette option est non disponible pour toute première section (c'est-à-dire quand un en-tête ou un pied qui appartient à la première section est choisi). Par défaut, cette case est cochée, de sorte que la numérotation unifiée est appliquée à toutes les sections. Si vous sélectionnez une zone d'en-tête ou de pied de page, vous verrez que cette zone est marquée par l'étiquette Identique au précédent. Décochez la case Lier au précédent pour utiliser la numérotation des pages différente pour chaque section du document. L'étiquette Identique au précédent ne sera plus affichée. La section Numérotation des pages sert à configurer les paramètres de numérotation des pages de à travers des différentes sections du document. L' option Continuer à partir de la section précédente est active par défaut pour maintenir la numérotation séquentielle après un saut de section. Si vous voulez que la numérotation commence avec un chiffre ou nombre spécifique sur cette section du document, activez le bouton radio Début et saisissez la valeur initiale dans le champ à droite. Pour retourner à l'édition du document, double-cliquez sur la zone de travail." + }, + { + "id": "UsageInstructions/InsertReferences.htm", + "title": "Insérer les références", + "body": "ONLYOFFICE supporte les logiciels de gestion de références bibliographiques Mendeley, Zotero et EasyBib pour insérer des références dans votre document. Mendeley Intégrer Mendeley à ONLYOFFICE Connectez vous à votre compte personnel Mendeley. Passez à l'onglet Modules complémentaires et choisissez Mendeley, le panneau de gauche s'ouvre dans votre document. Appuyez sur Copier le lien et ouvrir la fiche. Le navigateur ouvre la fiche du site Mendeley. Complétez la fiche et notez l'identifiant de l'application ONLYOFFICE. Revenez à votre document. Entrez l'identifiant de l'application et cliquez sur le bouton Enregistrer. Appuyez sur Me connecter. Appuyez sur Continuer. Or, ONLYOFFICE s'est connecté à votre compte Mendeley. Insertion des références Accédez à votre document et placez le curseur à l'endroit où la référence doit être insérée. Passez à l'onglet Modules complémentaires et choisissez Mendeley. Tapez le texte à chercher et appuyez sur la touche Entrée du clavier. Activez une ou plusieurs cases à cocher. [Facultatif] Tapez le texte nouveau à chercher et activez une ou plusieurs cases à cocher. Sélectionnez le style pour référence de la liste déroulante Style. Cliquez sur le bouton Insérer la bibliographie. Zotero Intégrer Zotero à ONLYOFFICE Connectez-vous à votre compte personnel Zotero. Passez à l'onglet Modules complémentaires de votre document ouvert et choisissez Zotero, le panneau de gauche s'ouvre dans votre document. Cliquez sur le lien Configuration Zotero API. Il faut obtenir une clé sur le site Zotéro, la copier et la conserver en vue d'une utilisation ultérieure. Revenez à votre document et coller la clé API. Appuyez sur Enregistrer. Or, ONLYOFFICE s'est connecté à votre compte Zotero. Insertion des références Accédez à votre document et placez le curseur à l'endroit où la référence doit être insérée. Passez à l'onglet Modules complémentaires et choisissez Zotero. Tapez le texte à chercher et appuyez sur la touche Entrée du clavier. Activez une ou plusieurs cases à cocher. [Facultatif] Tapez le texte nouveau à chercher et activez une ou plusieurs cases à cocher. Sélectionnez le style pour référence de la liste déroulante Style. Cliquez sur le bouton Insérer la bibliographie. EasyBib Accédez à votre document et placez le curseur à l'endroit où la référence doit être insérée. Passez à l'onglet Modules complémentaires et choisissez EasyBib. Sélectionnez le type de source à trouver. Tapez le texte à chercher et appuyez sur la touche Entrée du clavier. Cliquez sur '+' de la partie droite du Livre/Journal, de l'article/site Web. Cette source sera ajoutée dans la Bibliographie. Sélectionnez le style de référence. Appuyez sur Ajouter la bibliographie dans le document pour insérer les références." }, { "id": "UsageInstructions/InsertSymbols.htm", "title": "Insérer des symboles et des caractères", - "body": "Que faire si vous avez besoin de symboles ou de caractères spéciaux qui ne sont pas sur votre clavier? Pour insérer de tels symboles dans votre documents, utilisez l’option Insérer un symbole et suivez ces étapes simples: Placez le curseur là où vous voulez insérer un symbole spécial, Basculez vers l’onglet Insérer de la barre d’outils supérieure. Cliquez sur Symbole, De la fenêtre 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. 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 Rechercher, tapez « table de caractères » et ouvrez –la, Appuyez simultanément sur Win+R, puis dans la fenêtre ouverte 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 le caractère nécessaire, copiéz-les dans le presse-papier et collez-les au bon endroit du document." + "body": "Pour insérer des symboles qui ne sont pas sur votre clavier, utilisez l'option Insérer un symbole option et suivez ces étapes simples: placez le curseur là où vous souhaitez ajouter un symbole spécifique, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur Symbole, De la fenêtre 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 Rechercher, tapez 'Table de caractères' et ouvrez-la, Appuyez simultanément sur Win+R, puis dans la fenêtre ouverte 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 le caractère nécessaire, copiez-les dans le presse-papier et collez-les au bon endroit du document." }, { "id": "UsageInstructions/InsertTables.htm", "title": "Insérer des tableaux", - "body": "Insérer un tableau Pour insérer un tableau dans le texte de votre document, placez le curseur à l'endroit où vous voulez insérer le tableau, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Insérer un tableau sur la la barre d'outils supérieure, sélectionnez une des options pour créer le tableau : soit un tableau avec le nombre prédéfini de cellules (10 par 8 cellules maximum) Si vous voulez ajouter rapidement un tableau, il vous suffit de sélectionner le nombre de lignes (8 au maximum) et de colonnes (10 au maximum). soit un tableau personnalisé Si vous avez besoin d'un tableau de plus de 10 par 8 cellules, sélectionnez l'option Insérer un tableau personnalisé pour ouvrir la fenêtre et spécifiez le nombre nécessaire de lignes et de colonnes, ensuite cliquez sur le bouton OK. après avoir ajouté le tableau, vous pouvez modifier ses propriétés, sa taille et sa position. Pour redimensionner un tableau, placez le curseur de la souris sur la poignée dans son coin inférieur droit et faites-la glisser jusqu'à ce que la taille du tableau soit atteinte. Vous pouvez également modifier manuellement la largeur d'une certaine colonne ou la hauteur d'une ligne. Déplacez le curseur de la souris sur la bordure droite de la colonne de sorte que le curseur se transforme en flèche bidirectionnelle et faites glisser la bordure vers la gauche ou la droite pour définir la largeur nécessaire. Pour modifier manuellement la hauteur d'une seule ligne, déplacez le curseur de la souris sur la bordure inférieure de la ligne afin que le curseur devienne la flèche bidirectionnelle et déplacez la bordure vers le haut ou le bas. Pour déplacer une table, maintenez la poignée dans son coin supérieur gauche et faites-la glisser à l'endroit voulu dans le document. Sélectionnez un tableau ou une portion de tableau Pour sélectionner un tableau entier, cliquez sur la poignée dans son coin supérieur gauche. Pour sélectionner une certaine cellule, déplacez le curseur de la souris sur le côté gauche de la cellule nécessaire pour que le curseur devienne la flèche noire , puis cliquez avec le bouton gauche de la souris. Pour sélectionner une certaine ligne, déplacez le curseur de la souris sur la bordure gauche du tableau à côté de la ligne voulue pour que le curseur devienne la flèche noire horizontale , puis cliquez avec le bouton gauche de la souris. Pour sélectionner une certaine colonne, déplacez le curseur de la souris sur la bordure supérieure de la colonne voulue pour que le curseur se transforme en flèche noire dirigée vers le bas , puis cliquez avec le bouton gauche de la souris. Il est également possible de sélectionner une cellule, une ligne, une colonne ou un tableau à l'aide des options du menu contextuel ou de la section Lignes et colonnes de la barre latérale droite. Remarque : pour vous déplacer dans un tableau, vous pouvez utiliser des raccourcis clavier. Ajuster les paramètres du tableau Certaines paramètres du tableau ainsi que sa structure peuvent être modifiés à l'aide du menu contextuel. Les options du menu sont les suivantes : Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précedement coupé / copié ou un objet à la position actuelle du curseur. Sélectionner sert à sélectionner une ligne, une colonne, une cellule ou un tableau. Insérer sert à insérer une ligne au-dessus ou en dessous de la ligne où le curseur est placé ainsi qu'insérer une colonne à gauche ou à droite de la сolonne à la position actuelle du curseur. Supprimer sert à supprimer une ligne, une colonne ou un tableau. Fusionner les cellules est disponible si deux ou plusieurs cellules sont sélectionnées et est utilisé pour les fusionner. Fractionner la cellule... sert à ouvrir la fenêtre où vous pouvez sélectionner le nombre nécessaire de colonnes et de lignes de la cellule qui doit être divisée. Distribuer les lignes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même hauteur sans changer la hauteur globale du tableau. Distribuer les colonnes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même largeur sans modifier la largeur globale du tableau. Alignement vertical de cellule sert à aligner le texte en haut, au centre ou en bas de la cellule sélectionnée. Orientation du texte - sert à modifier l'orientation du texte dans une cellule. Vous pouvez placer le texte horizontalement, verticalement de haut en bas (Rotation du texte vers le bas), ou verticalement de bas en haut (Rotation du texte vers le haut). Paramètres avancés du tableau sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'. Lien hypertexte sert à insérer un lien hypertexte. Paramètres avancés du paragraphe- sert à ouvrir la fenêtre 'Paragraphe - Paramètres avancés'. Vous pouvez également modifier les propriétés du tableau en utilisant la barre latérale droite : Lignes et Colonnes servent à sélectionner les parties du tableau à souligner. Pour les lignes : En-tête - pour souligner la première ligne Total - pour souligner la dernière ligne À bandes - pour souligner chaque deuxième ligne Pour les colonnes : Premier - pour souligner la première colonne Dernier - pour souligner la dernière colonne À bandes - pour souligner chaque deuxième colonne Sélectionner à partir d'un modèle sert à choisir un modèle de tableau à partir de ceux qui sont disponibles. Style des bordures sert à sélectionner la taille de la bordure, la couleur, le style ainsi que la couleur d'arrière-plan. Lignes & colonnes sert à effectuer certaines opérations avec le tableau : sélectionner, supprimer, insérer des lignes et des colonnes, fusionner des cellules, fractionner une cellule. Taille de cellule est utilisée pour ajuster la largeur et la hauteur de la cellule actuellement sélectionnée. Dans cette section, vous pouvez également Distribuer les lignes afin que toutes les cellules sélectionnées aient la même hauteur ou Distribuer les colonnes de sorte que toutes les cellules sélectionnées aient la même largeur. Ajouter une formule permet d'insérer une formule dans la cellule de tableau sélectionnée. Répéter en haut de chaque page en tant que ligne d'en-tête sert à insérer la même rangée d'en-tête en haut de chaque page dans les tableaux longs. Afficher les paramètres avancés sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'. Pour modifier les paramètres du tableau avancés, cliquez sur le tableau avec le clic droit de la souris et sélectionnez l'option Paramètres avancés du tableau du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre Propriétés du tableau s'ouvre : L'onglet Tableau permet de modifier les paramètres de tout le tableau. La section Taille du tableau contient les paramètres suivants : Largeur - par défaut, la largeur du tableau est ajustée automatiquement à la largeur de la page, c-à-d le tableau occupe tout l'espace entre la marge gauche et la marge droite de la page. Vous pouvez cocher cette case et spécifier la largeur du tableau manuellement. Mesure en - permet de définir la largeur du tableau en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option choisie dans l'onglet Fichier -> Paramètres avancés... tab) ou en Pour cent de la largeur totale de la page.Remarque: vous pouvez aussi ajuster la taille du tableau manuellement en changeant la hauteur des lignes et la largeur des colonnes. Déplacez le curseur de la souris sur la bordure de la ligne/ de la colonne jusqu'à ce qu'elle se transforme en flèche bidirectionnelle et faites glisser la bordure. Vous pouvez aussi utiliser les marqueurs sur la règle horizontale pour changer la largeur de la colonne et les marqueurs sur la règle verticale pour modifier la hauteur de la ligne. Redimensionner automatiquement pour ajuster au contenu - permet de changer automatiquement la largeur de chaque colonne selon le texte dans ses cellules. La section Marges des cellules par défaut permet de changer l'espace entre le texte dans les cellules et la bordure de la cellule utilisé par défaut. La section Options permet de modifier les paramètres suivants : Espacement entre les cellules - l'espacement des cellules qui sera rempli par la couleur de l'Arrière-plan de tableau. L'onglet Cellule permet de modifier les paramètres des cellules individuelles. D'abord vous devez sélectionner la cellule à appliquer les modifications ou sélectionner le tableau à modifier les propriétés de toutes ses cellules. La section Taille de la cellule contient les paramètres suivants : Largeur préférée - permet de définir la largeur de la cellule par défaut. C'est la taille à laquelle la cellule essaie de correspondre, mais dans certains cas ce n'est pas possible se s'adapter à cette valeur exacte. Par exemple, si le texte dans une cellule dépasse la largeur spécifiée, il sera rompu par la ligne suivante de sorte que la largeur de cellule préférée reste intacte, mais si vous insérez une nouvelle colonne, la largeur préférée sera réduite. Mesure en - permet de définir la largeur de la cellule en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) ou en Pour cent de la largeur totale du tableau.Remarque : vous pouvez aussi définir la largeur de la cellule manuellement. Pour rendre une cellule plus large ou plus étroite dans une colonne, sélectionnez la cellule nécessaire et déplacez le curseur de la souris sur sa bordure droite jusqu'à ce qu'elle se transforme en flèche bidirectionnelle, puis faites glisser la bordure. Pour modifier la largeur de toutes les cellules d'une colonne, utilisez les marqueurs sur la règle horizontale pour modifier la largeur de la colonne. La section Marges de la cellule permet d'ajuster l'espace entre le texte dans les cellules et la bordure de la cellule. Par défaut, les valeurs standard sont utilisées (les valeurs par défaut peuvent être modifiées également en utilisant l'onglet Tableau), mais vous pouvez désactiver l'option Utiliser marges par défaut et entrer les valeurs nécessaires manuellement. La section Option de la cellule permet de modifier le paramètre suivant : L'option Envelopper le texte est activée par défaut. Il permet d'envelopper le texte dans une cellule qui dépasse sa largeur sur la ligne suivante en agrandissant la hauteur de la rangée et en gardant la largeur de la colonne inchangée. L'onglet Bordures & arrière-plan contient les paramètres suivants: Les paramètres de la Bordure (taille, couleur, présence ou absence) - définissez la taille de la bordure, sélectionnez sa couleur et choisissez la façon d'affichage dans les cellules.Remarque : si vous choisissez de ne pas afficher les bordures du tableau en cliquant sur le bouton ou en désélectionnant toutes les bordures manuellement sur le diagramme, les bordures seront indiquées par une ligne pointillée. Pour les faire disparaître, cliquez sur l'icône Caractères non imprimables sur la barre d'outils supérieure et sélectionnez l'option Bordures du tableau cachées. Fond de la cellule - la couleur d'arrière plan dans les cellules (disponible uniquement si une ou plusieurs cellules sont sélectionnées ou l'option Espacement entre les cellules est sélectionnée dans l'onglet Tableau ). Fond du tableau - la couleur d'arrière plan du tableau ou le fond de l'espacement entre les cellules dans le cas où l'option Espacement entre les cellules est chosie dans l'onglet Tableau. L'onglet Position du tableau est disponible uniquement si l'option Flottant de l'onglet Habillage du texte est sélectionnée et contient les paramètres suivants : Horizontal sert à régler l'alignment du tableau (à gauche, au centre, à droite) par rapport à la marge, la page ou le texte aussi bien que la position à droite de la marge, la page ou le texte. Vertical sert à régler l'alignment du tableau (à gauche, au centre, à droite) par rapport à la marge, la page ou le texte aussi bien que la position en dessous de la marge, la page ou le texte. La section Options permet de modifier les paramètres suivants : Déplacer avec le texte contrôle si la tableau se déplace comme le texte dans lequel il est inséré. Autoriser le chevauchement sert à déterminer si deux tableaux sont fusionnés en un seul grand tableau ou se chevauchent si vous les faites glisser les uns près des autres sur la page. L'onglet Habillage du texte contient les paramètres suivants : Style d'habillage du texte - Tableau aligné ou Tableau flottant. Utilisez l'option voulue pour changer la façon de positionner le tableau par rapport au texte : soit il sera une partie du texte ( si vous avez choisi le style aligné), soit il sera entouré par le texte de tous les côtés (si vous avez choisi le style flottant). Après avoir sélectionné le style d'habillage, les paramètres d'habillage supplémentaires peuvent être définis pour les tableaux alignés et flottants : Pour les tableaux alignés, vous pouvez spécifier l'Alignement du tableau et le Retrait à gauche. Pour les tableaux flottants, vous pouvez spécifier la distance du texte et la position du tableau dans l'onglet Position du tableau. 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." + "body": "Insérer un tableau Pour insérer un tableau dans le texte de votre document, placez le curseur à l'endroit où vous voulez insérer le tableau, passez à l'onglet Insertion de la barre d'outils supérieure, cliquez sur l'icône Tableau sur la la barre d'outils supérieure, sélectionnez une des options pour créer le tableau: soit un tableau avec le nombre prédéfini de cellules (10 par 8 cellules maximum) Si vous voulez ajouter rapidement un tableau, il vous suffit de sélectionner le nombre de lignes (8 au maximum) et de colonnes (10 au maximum). soit un tableau personnalisé Si vous avez besoin d'un tableau de plus de 10 par 8 cellules, sélectionnez l'option Insérer un tableau personnalisé pour ouvrir la fenêtre et spécifiez le nombre nécessaire de lignes et de colonnes, ensuite cliquez sur le bouton OK. Sélectionnez l'option Dessiner un tableau, si vous souhaitez dessiner un tableau à la souris. Cette option est utile lorsque vous devez créer un tableau et délimiter des lignes et des colonnes de tailles différentes. Le pointeur de la souris se transforme en crayon . Tracez le contour du tableau où vous souhaitez l'ajouter, puis tracez les traits horizontaux pour délimiter des lignes et les traits verticaux pour délimiter des colonnes à l'intérieur du contour. après avoir ajouté le tableau, vous pouvez modifier sa taille, ses paramètres et sa position. Pour redimensionner un tableau, placez le curseur de la souris sur la poignée dans son coin inférieur droit et faites-la glisser jusqu'à ce que la taille du tableau soit atteinte. Vous pouvez également modifier manuellement la largeur d'une certaine colonne ou la hauteur d'une ligne. Déplacez le curseur de la souris sur la bordure droite de la colonne de sorte que le curseur se transforme en flèche bidirectionnelle et faites glisser la bordure vers la gauche ou la droite pour définir la largeur nécessaire. Pour modifier manuellement la hauteur d'une seule ligne, déplacez le curseur de la souris sur la bordure inférieure de la ligne afin que le curseur devienne la flèche bidirectionnelle et déplacez la bordure vers le haut ou le bas. Pour déplacer une table, maintenez la poignée dans son coin supérieur gauche et faites-la glisser à l'endroit voulu dans le document. On peut aussi ajouter une légende au tableau. Veuillez consulter cet article pour en savoir plus sur utilisation des légendes avec les tableaux. Sélectionnez un tableau ou une portion de tableau Pour sélectionner un tableau entier, cliquez sur la poignée dans son coin supérieur gauche. Pour sélectionner une certaine cellule, déplacez le curseur de la souris sur le côté gauche de la cellule nécessaire pour que le curseur devienne la flèche noire , puis cliquez avec le bouton gauche de la souris. Pour sélectionner une certaine ligne, déplacez le curseur de la souris sur la bordure gauche du tableau à côté de la ligne voulue pour que le curseur devienne la flèche noire horizontale , puis cliquez avec le bouton gauche de la souris. Pour sélectionner une certaine colonne, déplacez le curseur de la souris sur la bordure supérieure de la colonne voulue pour que le curseur se transforme en flèche noire dirigée vers le bas , puis cliquez avec le bouton gauche de la souris. Il est également possible de sélectionner une cellule, une ligne, une colonne ou un tableau à l'aide des options du menu contextuel ou de la section Lignes et colonnes de la barre latérale droite. Remarque: pour vous déplacer dans un tableau, vous pouvez utiliser des raccourcis clavier. Ajuster les paramètres du tableau Certaines paramètres du tableau ainsi que sa structure peuvent être modifiés à l'aide du menu contextuel. Les options du menu sont les suivantes: Couper, Copier, Coller - les options nécessaires pour couper ou coller le texte / l'objet sélectionné et coller un passage de texte précédemment coupé / copié ou un objet à la position actuelle du curseur. Sélectionner sert à sélectionner une ligne, une colonne, une cellule ou un tableau. Insérer sert à insérer une ligne au-dessus ou en dessous de la ligne où le curseur est placé ainsi qu'insérer une colonne à gauche ou à droite de la colonne à la position actuelle du curseur. Il est possible d'insérer plusieurs lignes ou colonnes. Lorsque l'option Plusieurs lignes/colonnes est sélectionnée, la fenêtre Insérer plusieurs apparaît. Sélectionnez Lignes ou Colonnes dans la liste, spécifiez le nombre de colonnes/lignes que vous souhaitez insérer et spécifiez l'endroit où les insérer: Au-dessus du curseur ou Au-dessous du curseur et cliquez sur OK. Supprimer sert à supprimer une ligne, une colonne ou un tableau. Lorsque l'option Cellule est sélectionnée, la fenêtre Supprimer les cellules apparaît où on peut choisir parmi les options: Décaler les cellules vers la gauche, Supprimer la ligne entière ou Supprimer la colonne entière. Fusionner les cellules est disponible si deux ou plusieurs cellules sont sélectionnées et est utilisé pour les fusionner. Il est aussi possible de fusionner les cellules en effaçant la bordure à l'aide de l'outil gomme. Pour le faire, cliquez sur l'icône Tableau dans la barre d'outils supérieure et sélectionnez l'option Supprimer un tableau. Le pointeur de la souris se transforme en gomme . Faites glisser le pointeur de la souris vers la bordure séparant les cellules que vous souhaitez fusionner et effacez-la. Fractionner la cellule... sert à ouvrir la fenêtre où vous pouvez sélectionner le nombre nécessaire de colonnes et de lignes de la cellule qui doit être divisée. Il est aussi possible de fractionner la cellule en dessinant les lignes et les colonnes à l'aide de l'outil crayon. Pour le faire, cliquez sur l'icône Tableau dans la barre d'outils supérieure et sélectionnez l'option Dessiner un tableau. Le pointeur de la souris se transforme en crayon . Tracez un trait horizontal pour délimiter une ligne ou un trait vertical pour délimiter une colonne. Distribuer les lignes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même hauteur sans changer la hauteur globale du tableau. Distribuer les colonnes est utilisé pour ajuster les cellules sélectionnées afin qu'elles aient la même largeur sans modifier la largeur globale du tableau. Alignement vertical de cellule sert à aligner le texte en haut, au centre ou en bas de la cellule sélectionnée. Orientation du texte sert à modifier l'orientation du texte dans une cellule. Vous pouvez placer le texte horizontalement, verticalement de haut en bas (Rotation du texte vers le bas), ou verticalement de bas en haut (Rotation du texte vers le haut). Paramètres avancés du tableau sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'. Lien hypertexte sert à insérer un lien hypertexte. Paramètres avancés du paragraphe sert à ouvrir la fenêtre 'Paragraphe - Paramètres avancés'. Vous pouvez également modifier les propriétés du tableau en utilisant la barre latérale droite: Lignes et Colonnes servent à sélectionner les parties du tableau à mettre en surbrillance. Pour les lignes: En-tête - pour souligner la première ligne Total - pour souligner la dernière ligne À bandes - pour souligner chaque deuxième ligne Pour les colonnes: Premier - pour souligner la première colonne Dernier - pour souligner la dernière colonne À bandes - pour souligner chaque deuxième colonne Sélectionner à partir d'un modèle sert à choisir un modèle de tableau à partir de ceux qui sont disponibles. Style des bordures sert à sélectionner la taille de la bordure, la couleur, le style ainsi que la couleur d'arrière-plan. Lignes et colonnes sert à effectuer certaines opérations avec le tableau : sélectionner, supprimer, insérer des lignes et des colonnes, fusionner des cellules, fractionner une cellule. Taille des lignes et des colonnes est utilisée pour ajuster la largeur et la hauteur de la cellule actuellement sélectionnée. Dans cette section, vous pouvez également Distribuer les lignes afin que toutes les cellules sélectionnées aient la même hauteur ou Distribuer les colonnes de sorte que toutes les cellules sélectionnées aient la même largeur. Ajouter une formule permet d'insérer une formule dans la cellule de tableau sélectionnée. Répéter en haut de chaque page en tant que ligne d'en-tête sert à insérer la même rangée d'en-tête en haut de chaque page dans les tableaux longs. Afficher les paramètres avancés sert à ouvrir la fenêtre 'Tableau - Paramètres avancés'. Configurer les paramètres avancés du tableau Pour modifier les paramètres du tableau avancés, cliquez sur le tableau avec le clic droit de la souris et sélectionnez l'option Paramètres avancés du tableau du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite. La fenêtre des paramètres du tableau s'ouvre: L'onglet Tableau permet de modifier les paramètres de tout le tableau. La section Taille du tableau contient les paramètres suivants: Largeur - par défaut, la largeur du tableau est ajustée automatiquement à la largeur de la page, c-à-d le tableau occupe tout l'espace entre la marge gauche et la marge droite de la page. Vous pouvez cocher cette case et spécifier la largeur du tableau manuellement. Mesure en permet de définir la largeur du tableau en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option choisie dans l'onglet Fichier -> Paramètres avancés... tab) ou en Pour cent de la largeur totale de la page. Remarque: vous pouvez aussi ajuster la taille du tableau manuellement en changeant la hauteur des lignes et la largeur des colonnes. Déplacez le curseur de la souris sur la bordure de la ligne/ de la colonne jusqu'à ce qu'elle se transforme en flèche bidirectionnelle et faites glisser la bordure. Vous pouvez aussi utiliser les marqueurs sur la règle horizontale pour changer la largeur de la colonne et les marqueurs sur la règle verticale pour modifier la hauteur de la ligne. Redimensionner automatiquement pour ajuster au contenu - permet de changer automatiquement la largeur de chaque colonne selon le texte dans ses cellules. La section Marges des cellules par défaut permet de changer l'espace entre le texte dans les cellules et la bordure de la cellule utilisé par défaut. La section Options permet de modifier les paramètres suivants: Espacement entre les cellules - l'espacement des cellules qui sera rempli par la couleur de l'Arrière-plan de tableau. L'onglet Cellule permet de modifier les paramètres des cellules individuelles. D'abord vous devez sélectionner la cellule à appliquer les modifications ou sélectionner le tableau à modifier les propriétés de toutes ses cellules. La section Taille de la cellule contient les paramètres suivants: Largeur préférée - permet de définir la largeur de la cellule par défaut. C'est la taille à laquelle la cellule essaie de correspondre, mais dans certains cas ce n'est pas possible se s'adapter à cette valeur exacte. Par exemple, si le texte dans une cellule dépasse la largeur spécifiée, il sera rompu par la ligne suivante de sorte que la largeur de cellule préférée reste intacte, mais si vous insérez une nouvelle colonne, la largeur préférée sera réduite. Mesure en - permet de définir la largeur de la cellule en unités absolues c-à-d Centimètres/Points/Pouces (selon l'option spécifiée dans l'onglet Fichier -> Paramètres avancés...) ou en Pour cent de la largeur totale du tableau. Remarque: vous pouvez aussi définir la largeur de la cellule manuellement. Pour rendre une cellule plus large ou plus étroite dans une colonne, sélectionnez la cellule nécessaire et déplacez le curseur de la souris sur sa bordure droite jusqu'à ce qu'elle se transforme en flèche bidirectionnelle, puis faites glisser la bordure. Pour modifier la largeur de toutes les cellules d'une colonne, utilisez les marqueurs sur la règle horizontale pour modifier la largeur de la colonne. La section Marges de la cellule permet d'ajuster l'espace entre le texte dans les cellules et la bordure de la cellule. Par défaut, les valeurs standard sont utilisées (les valeurs par défaut peuvent être modifiées également en utilisant l'onglet Tableau), mais vous pouvez désactiver l'option Utiliser marges par défaut et entrer les valeurs nécessaires manuellement. La section Option de la cellule permet de modifier le paramètre suivant: L'option Envelopper le texte est activée par défaut. Il permet d'envelopper le texte dans une cellule qui dépasse sa largeur sur la ligne suivante en agrandissant la hauteur de la rangée et en gardant la largeur de la colonne inchangée. L'onglet Bordures et arrière-plan contient les paramètres suivants: Les paramètres de la Bordure (taille, couleur, présence ou absence) - définissez la taille de la bordure, sélectionnez sa couleur et choisissez la façon d'affichage dans les cellules. Remarque: si vous choisissez de ne pas afficher les bordures du tableau en cliquant sur le bouton ou en désélectionnant toutes les bordures manuellement sur le diagramme, les bordures seront indiquées par une ligne pointillée. Pour les faire disparaître, cliquez sur l'icône Caractères non imprimables sur la barre d'outils supérieure et sélectionnez l'option Bordures du tableau cachées. Fond de la cellule - la couleur d'arrière plan dans les cellules (disponible uniquement si une ou plusieurs cellules sont sélectionnées ou l'option Espacement entre les cellules est sélectionnée dans l'onglet Tableau). Fond du tableau - la couleur d'arrière plan du tableau ou le fond de l'espacement entre les cellules dans le cas où l'option Espacement entre les cellules est choisie dans l'onglet Tableau. L'onglet Position du tableau est disponible uniquement si l'option Tableau flottant sous l'onglet Habillage du texte est sélectionnée et contient les paramètres suivants: Horizontal sert à régler l'alignement du tableau par rapport à la marge (à gauche, au centre, à droite), la page ou le texte aussi bien que la position à droite de la marge, la page ou le texte. Vertical sert à régler l'alignement du tableau par rapport à la marge (à gauche, au centre, à droite), la page ou le texte aussi bien que la position en dessous de la marge, la page ou le texte. La section Options permet de modifier les paramètres suivants: Déplacer avec le texte contrôle si la tableau se déplace comme le texte dans lequel il est inséré. Autoriser le chevauchement sert à déterminer si deux tableaux sont fusionnés en un seul grand tableau ou se chevauchent si vous les faites glisser les uns près des autres sur la page. L'onglet Habillage du texte contient les paramètres suivants: Style d'habillage du texte - Tableau aligné ou Tableau flottant. Utilisez l'option voulue pour changer la façon de positionner le tableau par rapport au texte : soit il sera une partie du texte ( si vous avez choisi le style aligné), soit il sera entouré par le texte de tous les côtés (si vous avez choisi le style flottant). Après avoir sélectionné le style d'habillage, les paramètres d'habillage supplémentaires peuvent être définis pour les tableaux alignés et flottants: Pour les tableaux alignés, vous pouvez spécifier l'Alignement du tableau et le Retrait à gauche. Pour les tableaux flottants, vous pouvez spécifier la distance du texte et la position du tableau sous l'onglet Position du tableau. 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." }, { "id": "UsageInstructions/InsertTextObjects.htm", "title": "Insérer des objets textuels", - "body": "Pour rendre votre texte plus explicite et attirer l'attention sur une partie spécifique du document, 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 prédéfini et couleur qui permet d'appliquer certains effets de texte). Ajouter un objet textuel Vous pouvez ajouter un objet texte n'importe où sur la page. 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é à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. cliquez en dehors de l'objet texte pour appliquer les modifications et revenir au document. 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, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contour, le style d'habillage de la zone de texte ou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. pour aligner la zone de texte sur la page, organiser les zones de texte en fonction d'autres objets, pivoter ou retourner une zone de texte, modifier un style d'habillage ou accéder aux paramètres avancés de forme, cliquez avec le bouton droit sur la bordure de zone de texte et utilisez 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. 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. Pour faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles : Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Pour aligner le texte verticalement dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Alignement vertical, puis choisissez l'une des options disponibles : Aligner en haut, Aligner au centre ou Aligner en bas. Les autres options de mise en forme que vous pouvez appliquer sont les mêmes que celles du texte standard. Veuillez vous reporter aux sections d'aide correspondantes pour en savoir plus sur l'opération concernée. Vous pouvez : Aligner le texte horizontalement dans la zone de texte ajuster le type, la taille, la couleur de police, appliquer des styles de décoration et des préréglages de formatage définir l'interligne, modifier les retraits de paragraphe, ajuster les taquets pour le texte multiligne dans la zone de texte Insérer un lien hypertexte Vous pouvez également cliquer sur l'icône des Paramètres du Text Art dans la barre latérale droite et modifier certains paramètres de style. Modifier un style Text Art Sélectionnez un objet texte et cliquez sur l'icône des Paramètres 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. Changer le Remplissage de la police. Les options disponibles sont les suivantes : Couleur - sélectionnez cette option pour spécifier la couleur unie pour le remplissage de l'espace intérieur de la forme automatique sélectionnée. Cliquez sur la case de couleur et sélectionnez la couleur voulue à partir de l'ensemble de couleurs disponibles ou spécifiez n'importe quelle couleur de votre choix : Dégradé - sélectionnez cette option pour sélectionner deux couleurs et remplir les lettres d'une transition douce entre elles. Style - choisissez une des options disponibles : Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle). Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes : du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle. Dégradé - cliquez sur le curseur de dégradé gauche au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé. Remarque : si une de ces deux options est sélectionnée, vous pouvez toujours régler le niveau d'Opacité en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Ajustez la largeur, la couleur et le type du Contour de la police. Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes : 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de trait. 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). 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": "Pour rendre votre texte plus explicite et attirer l'attention sur une partie spécifique du document, 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 prédéfini et couleur qui permet d'appliquer certains effets de texte). Ajouter un objet textuel Vous pouvez ajouter un objet texte n'importe où sur la page. Pour le faire: passez à l'onglet Insérer 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é à la position actuelle du curseur. Sélectionnez le texte par défaut dans la zone de texte avec la souris et remplacez-le par votre propre texte. cliquez en dehors de l'objet texte pour appliquer les modifications et revenir au document. 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, utilisez les poignées spéciales sur les bords de la forme. Pour modifier le remplissage, le contour, le style d'habillage de la zone de texte ou remplacer la boîte rectangulaire par une forme différente, cliquez sur l'icône Paramètres de forme dans la barre latérale de droite et utilisez les options correspondantes. Pour aligner la zone de texte sur la page, organiser les zones de texte en fonction d'autres objets, pivoter ou retourner une zone de texte, modifier un style d'habillage ou accéder aux paramètres avancés de forme, cliquez avec le bouton droit sur la bordure de zone de texte et utilisez 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. 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. Pour faire pivoter le texte dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Direction du texte, puis choisissez l'une des options disponibles: Horizontal (sélectionné par défaut), Rotation du texte vers le bas (définit une direction verticale, de haut en bas) ou Rotation du texte vers le haut (définit une direction verticale, de bas en haut). Pour aligner le texte verticalement dans la zone de texte, cliquez avec le bouton droit sur le texte, sélectionnez l'option Alignement vertical, puis choisissez l'une des options disponibles: Aligner en haut, Aligner au centre ou Aligner en bas. Les autres options de mise en forme que vous pouvez appliquer sont les mêmes que celles du texte standard. Veuillez vous reporter aux sections d'aide correspondantes pour en savoir plus sur l'opération concernée. Vous pouvez: aligner le texte horizontalement dans la zone de texte ajuster le type, la taille, la couleur de police, appliquer des styles de décoration et des préréglages de formatage définir l'interligne, modifier les retraits de paragraphe, ajuster les taquets pour le texte multiligne dans la zone de texte insérer un lien hypertexte Vous pouvez également cliquer sur l'icône des Paramètres de Text Art dans la barre latérale droite et modifier certains paramètres de style. 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. Changer le Remplissage de la police. Les options disponibles sont les suivantes: Couleur de remplissage - sélectionnez cette option pour spécifier la couleur unie pour le remplissage de l'espace intérieur des lettres. 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: Remplissage en dégradé - sélectionnez cette option pour sélectionner deux couleurs et remplir les lettres d'une transition douce entre elles. Style - choisissez une des options disponibles: Linéaire (la transition se fait selon un axe horizontal/vertical ou en diagonale, sous l'angle de 45 degrés) ou Radial (la transition se fait autour d'un point, les couleurs se fondent progressivement du centre aux bords en formant un cercle). Direction - choisissez un modèle du menu. Si vous avez sélectionné le style Linéaire, vous pouvez choisir une des directions suivantes: du haut à gauche vers le bas à droite, du haut en bas, du haut à droite vers le bas à gauche, de droite à gauche, du bas à droite vers le haut à gauche, du bas en haut, du bas à gauche vers le haut à droite, de gauche à droite. Si vous avez choisi le style Radial, il n'est disponible qu'un seul modèle. Dégradé - cliquez sur le curseur de dégradé gauche au-dessous de la barre de dégradé pour activer la palette de couleurs qui correspond à la première couleur. Cliquez sur la palette de couleurs à droite pour sélectionner la première couleur. Faites glisser le curseur pour définir le point de dégradé c'est-à-dire le point quand une couleur se fond dans une autre. Utilisez le curseur droit au-dessous de la barre de dégradé pour spécifier la deuxième couleur et définir le point de dégradé. Remarque: si une de ces deux options est sélectionnée, vous pouvez toujours régler le niveau d'Opacité en faisant glisser le curseur ou en saisissant la valeur de pourcentage à la main. La valeur par défaut est 100%. Elle correspond à l'opacité complète. La valeur 0% correspond à la transparence totale. Pas de remplissage - sélectionnez cette option si vous ne voulez pas utiliser un remplissage. Ajustez la largeur, la couleur et le type du Contour de la police. Pour modifier la largeur du trait, sélectionnez une des options disponibles depuis la liste déroulante Taille. Les options disponibles sont les suivantes: 0,5 pt, 1 pt, 1,5 pt, 2,25 pt, 3 pt, 4,5 pt, 6 pt ou Pas de ligne si vous ne voulez pas utiliser de trait. 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). 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/LineSpacing.htm", "title": "Régler l'interligne du paragraphe", - "body": "En utilisant Document Editor, vous pouvez définir la hauteur de la ligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et précédent ou suivant. Pour le faire, placez le curseur dans le paragraphe choisi, ou sélectionnez plusieurs paragraphes avec la souris ou tout le texte en utilisant la combinaison de touches Ctrl+A, utilisez les champs correspondants de la barre latérale droite pour obtenir les résultats nécessaires : Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options : Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. N'ajoutez pas l'intervalle entre les paragraphes du même style - cochez cette case si vous n'avez pas besoin d'espace entre les paragraphes du même style. Pour modifier rapidement l'interligne du paragraphe actuel, vous cliquez sur l'icône Interligne du paragraphe de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste : 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes." + "body": "En utilisant Document Editor, vous pouvez définir la hauteur de la ligne pour les lignes de texte dans le paragraphe ainsi que les marges entre le paragraphe courant et précédent ou suivant. Pour ce faire, placez le curseur dans le paragraphe choisi, ou sélectionnez plusieurs paragraphes avec la souris ou tout le texte en utilisant la combinaison de touches Ctrl+A, utilisez les champs correspondants de la barre latérale droite pour obtenir les résultats nécessaires: Interligne - réglez la hauteur de la ligne pour les lignes de texte dans le paragraphe. Vous pouvez choisir parmi trois options: Au moins (sert à régler l'interligne minimale qui est nécessaire pour adapter la plus grande police ou le graphique à la ligne), Multiple (sert à régler l'interligne exprimée en nombre supérieur à 1), Exactement (sert à définir l'interligne fixe). Spécifiez la valeur nécessaire dans le champ situé à droite. Espacement de paragraphe - définissez l'espace entre les paragraphes. Avant - réglez la taille de l'espace avant le paragraphe. Après - réglez la taille de l'espace après le paragraphe. N'ajoutez pas l'intervalle entre les paragraphes du même style - cochez cette case si vous n'avez pas besoin d'espace entre les paragraphes du même style. On peut configurer les mêmes paramètres dans la fenêtre Paragraphe - Paramètres avancés. Pour ouvrir la fenêtre Paragraphe - Paramètres avancés, cliquer avec le bouton droit sur le texte et sélectionnez l'option Paramètres avancés du paragraphe dans le menu ou utilisez l'option Afficher les paramètres avancés sur la barre latérale droite. Passez à l'onglet Retraits et espacement, section Espacement. Pour modifier rapidement l'interligne du paragraphe actuel, vous pouvez aussi cliquer sur l'icône Interligne du paragraphe sous l'onglet Accueil de la barre d'outils supérieure et sélectionnez la valeur nécessaire dans la liste: 1.0, 1.15, 1.5, 2.0, 2.5, ou 3.0 lignes." + }, + { + "id": "UsageInstructions/MathAutoCorrect.htm", + "title": "Fonctionnalités de correction automatique", + "body": "Les fonctionnalités de correction automatique ONLYOFFICE Docs 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-> Options de 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-> Options de 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 Document Editor à présent. On peut trouver la liste complète de codes disponibles sous l'onglet Fichier -> Paramètres avancés -> Vérification-> Options de correction automatique -> AutoMaths. 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 Operateurs \\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-> Options de 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 met en forme automatiquement lors de la saisie selon les paramètres de format automatique, comme par exemple appliquer une liste à puces ou une liste numérotée lorsqu'il détecte que vous tapez une liste, remplacer les guillemets ou les traits d'union par un tiret demi-cadratin. Si vous souhaitez désactiver une des options de mise en forme automatique, désactivez la case à coche 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-> Options de correction automatique -> Mise en forme automatique au cours de la frappe" }, { "id": "UsageInstructions/NonprintingCharacters.htm", "title": "Afficher/masquer les caractères non imprimables", "body": "Les caractères non imprimables aident à éditer le document. Ils indiquent la présence de différents types de mises en forme, mais ils ne sont pas imprimés, même quand ils sont affichés à l'écran. Pour afficher ou masquer les caractères non imprimables, cliquez sur l'icône Caractères non imprimables dans l'onglet Accueil de la barre d'outils supérieure. Les caractères non imprimables sont les suivants : Espaces Il est inséré lorsque vous appuyez sur la Barre d'espacement sur le clavier. Il crée un espace entre les caractères. Tabulations Il est inséré lorsque vous appuyez sur la touche Tabulation. Il est utilisé pour faire avancer le curseur sur le prochain taquet de tabulation. Marques de paragraphe Il est inséré lorsque vous appuyez sur la touche Entrée. Il est utilisé pour terminer un paragraphe et ajouter un peu d'espace après. Il contient des informations sur la mise en forme du paragraphe. Sauts de ligne Il est inséré lorsque vous utilisez la combinaison de touches Maj+Entrée. Il rompt la ligne actuelle et met des lignes de texte très rapprochées. Retour à la ligne est principalement utilisé dans les titres et les en-têtes. Espace insécable Il est inséré lorsque vous utilisez la combinaison de touches Ctrl+Maj+Espace. Il crée un espace entre les caractères qui ne peuvent pas être utilisés pour commencer une nouvelle ligne. Sauts de page Il est inséré lorsque vous utilisez l'icône Sauts de page dans l'onglet Insérer de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de page ou sélectionnez l'option Saut de page avant du menu contextuel ou de la fenêtre des paramètres avancés. Sauts de section Il est inséré lorsque vous utilisez l'icône Sauts de page dans l'onglet Insérer ou Disposition de la barre d'outils supérieure puis sélectionnez une des options du sous-menu Insérer un saut de section (l’indicateur de saut de section diffère selon l'option choisie : Page suivante, Page continue, Page paire ou Page impaire). Sauts de colonne Il est inséré lorsque vous utilisez l'icône Sauts de page dans l'onglet Insérer ou Disposition de la barre d'outils supérieure puis sélectionnez l'option Insérer un saut de colonne. Marquers des tableaux Fin de cellule et Fin de ligne Ces marqueurs contiennent des codes de mise en forme de la cellule individuelle et de la ligne respectivement. Petit carré noir dans la marge gauche d'un paragraphe Il indique qu'au moins une des options de paragraphe a été appliquée, par exemple Lignes solidaires, Saut de page avant. Symboles d'ancre Ils indiquent la position des objets flottants ( valables pour tout style d'habillage sauf le style En ligne), par exemple images, formes automatiques, graphiques. Vous devez sélectionner un objet pour faire son ancre visible." }, + { + "id": "UsageInstructions/OCR.htm", + "title": "Extraction du texte incrusté dans l'image", + "body": "En utilisant ONLYOFFICE vous pouvez extraire du texte incrusté dans des images (.png .jpg) et l'insérer dans votre document. Accédez à votre document et placez le curseur à l'endroit où le texte doit être inséré. Passez à l'onglet Modules complémentaires et choisissez OCR dans le menu. Appuyez sur Charger fichier et choisissez l'image. Sélectionnez la langue à reconnaître de la liste déroulante Choisir la langue. Appuyez sur Reconnaître. Appuyez sur Insérer le texte. Vérifiez les erreurs et la mise en page." + }, { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Créer un nouveau document ou ouvrir un document existant", @@ -253,22 +303,27 @@ var indexes = { "id": "UsageInstructions/PageBreaks.htm", "title": "Insérer des sauts de page", - "body": "Dans Document Editor, vous pouvez ajouter un saut de page pour commencer une nouvelle page, insérer une page blanche et régler les options de pagination. Pour insérer un saut de page à la position actuelle du curseur, cliquez sur l'icône Sauts de page de l'onglet Insertion ou Mise en page de la barre d'outils supérieure ou cliquez sur la flèche en regard de cette icône et sélectionnez l'option Insérer un saut de page dans le menu. Vous pouvez également utiliser la combinaison de touches Ctrl+Entrée. Pour insérer une page blanche à la position actuelle du curseur, cliquez sur l'icône Page vierge dans l'onglet Insérer de la barre d'outils supérieure. Cela insère deux sauts de page qui créent une page blanche. Pour insérer un saut de page avant le paragraphe sélectionné c'est-à-dire pour commencer ce paragraphe en haut d'une nouvelle page : cliquez avec le bouton droit de la souris et sélectionnez l'option Saut de page avant du menu contextuel, ou cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite et cochez la case Saut de page avant dans la fenêtre Paragraphe - Paramètres avancés ouverte. Pour garder les lignes solidaires de sorte que seuleument des paragraphes entiers seront placés sur la nouvelle page (c'est-à-dire il n'y aura aucun saut de page entre les lignes dans un seul paragraphe), cliquez avec le bouton droit de la souris et sélectionnez l'option Lignes solidaires du menu contextuel, ou cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite et cochez la case Lignes solidaires dans la fenêtre Paragraphe - Paramètres avancés ouverte. La fenêtre Paragraphe - Paramètres avancés vous permet de définir deux autres options de pagination : Paragraphes solidaires sert à empêcher l’application du saut de page entre le paragraphe sélectionné et celui-ci qui le suit. Éviter orphelines est sélectionné par défaut et sert à empêcher l’application d'une ligne (première ou dernière) d'un paragraphe en haut ou en bas d'une page." + "body": "Dans Document Editor, vous pouvez ajouter un saut de page pour commencer une nouvelle page, insérer une page blanche et régler les options de pagination. Pour insérer un saut de page à la position actuelle du curseur, cliquez sur l'icône Sauts de page sous l'onglet Insérer ou Disposition de la barre d'outils supérieure ou cliquez sur la flèche en regard de cette icône et sélectionnez l'option Insérer un saut de page dans le menu. Vous pouvez également utiliser la combinaison de touches Ctrl+Entrée. Pour insérer une page blanche à la position actuelle du curseur, cliquez sur l'icône Page vierge sous l'onglet Insérer de la barre d'outils supérieure. Cela insère deux sauts de page qui créent une page blanche. Pour insérer un saut de page avant le paragraphe sélectionné c'est-à-dire pour commencer ce paragraphe en haut d'une nouvelle page: cliquez avec le bouton droit de la souris et sélectionnez l'option Saut de page avant du menu contextuel, ou cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite et cochez la case Saut de page avant sous l'onglet Enchaînements dans la fenêtre Paragraphe - Paramètres avancés ouverte. Pour garder les lignes solidaires de sorte que seulement des paragraphes entiers seront placés sur la nouvelle page (c'est-à-dire il n'y aura aucun saut de page entre les lignes dans un seul paragraphe), cliquez avec le bouton droit de la souris et sélectionnez l'option Lignes solidaires du menu contextuel, ou cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher paramètres avancés sur la barre latérale droite et cochez la case Lignes solidaires sous l'onglet Enchaînements dans la fenêtre Paragraphe - Paramètres avancés ouverte. L'onglet Enchaînements dans la fenêtre Paragraphe - Paramètres avancés vous permet de définir deux autres options de pagination: Paragraphes solidaires sert à empêcher l'application du saut de page entre le paragraphe sélectionné et celui-ci qui le suit. Éviter orphelines est sélectionné par défaut et sert à empêcher l'application d'une ligne (première ou dernière) d'un paragraphe en haut ou en bas d'une page." }, { "id": "UsageInstructions/ParagraphIndents.htm", "title": "Changer les retraits de paragraphe", "body": "En utilisant Document Editor, vous pouvez changer le premier décalage de la ligne sur la partie gauche de la page aussi bien que le décalage du paragraphe du côté gauche et du côté droit de la page. Pour le faire, placez le curseur dans le paragraphe de votre choix, ou sélectionnez plusieurs paragraphes avec la souris ou tout le texte en utilisant la combinaison de touches Ctrl+A, cliquez sur le bouton droit de la souris et sélectionnez l'option Paramètres avancés du paragraphe du menu contextuel ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite, dans la fenêtre ouverte Paragraphe - Paramètres avancés, définissez le retrait nécessaire pour la Première ligne et le décalage du paragraphe du côté gauche et du côté droit de la page, cliquez sur le bouton OK. Pour modifier rapidement le retrait de paragraphe du côté gauche de la page, vous pouvez également utiliser les icônes respectives dans l'onglet Accueil de la barre d'outils supérieure : Réduire le retrait et Augmenter le retrait . Vous pouvez également utilisez la régle horizontale pour changer les retraits.Sélectionnez le(s) paragraphe(s) et faites glisser les marqueurs tout au long de la règle. Le marqueur Retrait de première ligne sert à définir le décalage du côté gauche de la page pour la première ligne du paragraphe. Le marqueur Retrait négatif sert à définir le décalage du côté gauche de la page pour la deuxième ligne et toutes les lignes suivantes du paragraphe. Le marqueur Retrait de gauche sert à définir le décalage du paragraphe du côté gauche de la page. Le marqueur Retrait de droite sert à définir le décalage du paragraphe du côté droit de la page." }, + { + "id": "UsageInstructions/PhotoEditor.htm", + "title": "Modification d'une image", + "body": "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 document. Passez à l'onglet Modules complémentaires 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 document." + }, { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Enregistrer / télécharger / imprimer votre document", - "body": "Enregistrement Par défaut, en ligne Document Editor enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés. Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Remarque : dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés. Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins : DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option Modèle de document (DOTX ou OTT). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme, sélectionnez l'un des formats disponibles selon vos besoins : DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins : DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer le document actif, cliquez sur l'icône Imprimer 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. Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe." + "body": "Enregistrer /télécharger / imprimer votre document Enregistrement Par défaut, Document Editor en ligne enregistre automatiquement votre fichier toutes les 2 secondes afin de prévenir la perte des données en cas de fermeture inattendue de l'éditeur. Si vous co-éditez le fichier en mode Rapide, le minuteur récupère les mises à jour 25 fois par seconde et enregistre les modifications si elles ont été effectuées. Lorsque le fichier est co-édité en mode Strict, les modifications sont automatiquement sauvegardées à des intervalles de 10 minutes. Si nécessaire, vous pouvez facilement changer la périodicité de l'enregistrement automatique ou même désactiver cette fonction sur la page Paramètres avancés . Pour enregistrer manuellement votre document actuel dans le format et l'emplacement actuels, cliquez sur l'icône Enregistrer dans la partie gauche de l'en-tête de l'éditeur, ou utilisez la combinaison des touches Ctrl+S, ou cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Enregistrer. Remarque: dans la version de bureau, pour éviter la perte de données en cas de fermeture inattendue du programme, vous pouvez activer l'option Récupération automatique sur la page Paramètres avancés . Dans la version de bureau, vous pouvez enregistrer le document sous un autre nom, dans un nouvel emplacement ou format, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, ODT, RTF, TXT, PDF, PDFA. Vous pouvez également choisir l'option Modèle de document (DOTX ou OTT). Téléchargement en cours Dans la version en ligne, vous pouvez télécharger le document résultant sur le disque dur de votre ordinateur, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Télécharger comme..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML. Enregistrer une copie Dans la version en ligne, vous pouvez enregistrer une copie du fichier sur votre portail, cliquez sur l'onglet Fichier de la barre d'outils supérieure, sélectionnez l'option Enregistrer la copie sous..., sélectionnez l'un des formats disponibles selon vos besoins: DOCX, PDF, ODT, TXT, DOTX, PDF/A, OTT, RTF, HTML, sélectionnez un emplacement pour le fichier sur le portail et appuyez sur Enregistrer. Impression Pour imprimer le document actif, cliquez sur l'icône Imprimer 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. Il est aussi possible d'imprimer un passage de texte en utilisant l'option Imprimer la sélection dans le menu contextuel aussi bien dans la mode Édition que dans la mode Affichage (cliquez avec le bouton droit de la souris et sélectionnez l'option Imprimer la sélection). Dans la version de bureau, le fichier sera imprimé directement. Dans la version en ligne, un fichier PDF sera généré à partir du document. Vous pouvez l'ouvrir et l'imprimer, ou l'enregistrer sur le disque dur de l'ordinateur ou sur un support amovible pour l'imprimer plus tard. Certains navigateurs (par ex. Chrome et Opera) supportent l'impression directe." }, { "id": "UsageInstructions/SectionBreaks.htm", "title": "Insérer les sauts de section", - "body": "Les sauts de section vous permettent d'appliquer des mises en page et mises en formes différentes pour de certaines parties de votre document. Par exemple, vous pouvez utiliser des en-têtes et pieds de page, des numérotations des pages, des marges, la taille, l'orientation, ou le numéro de colonne individuels pour chaque section séparée. Remarque : un saut de section inséré définit la mise en page de la partie précédente du document. Pour insérer un saut de section à la position actuelle du curseur : cliquez sur l'icône Saut de section dans l'onglet Insérer ou Disposition de la barre d'outils supérieure, sélectionnez l'option Insérer un saut de section sélectionnez le type du saut de section nécessaire: Page suivante - pour commencer une nouvelle section sur la page suivante Page continue - pour commencer une nouvelle section sur la page actuelle Page paire - pour commencer une nouvelle section sur la page suivante paire Page impaire - pour commencer une nouvelle section sur la page suivante impaire Des sauts d'une section ajoutés sont indiqués dans votre document par un double trait pointillé: Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône de l'onglet Accueil sur la barre d'outils supérieure pour les afficher. Pour supprimer un saut de section, sélectionnez-le avec le souris et appuyez sur la touche Supprimer. Lorsque vous supprimez un saut de section, la mise en forme de cette section sera également supprimée, car un saut de section définit la mise en forme de la section précédente. La partie du document qui précède le saut de section supprimé acquiert la mise en forme de la partie qui la suive." + "body": "Les sauts de section vous permettent d'appliquer des mises en page et mises en formes différentes pour de certaines parties de votre document. Par exemple, vous pouvez utiliser des en-têtes et pieds de page, des numérotations des pages, des marges, la taille, l'orientation, ou le numéro de colonne individuels pour chaque section séparée. Remarque : un saut de section inséré définit la mise en page de la partie précédente du document. Pour insérer un saut de section à la position actuelle du curseur : cliquez sur l'icône Saut de section dans l'onglet Insérer ou Disposition de la barre d'outils supérieure, sélectionnez l'option Insérer un saut de section sélectionnez le type du saut de section nécessaire: Page suivante - pour commencer une nouvelle section sur la page suivante Page continue - pour commencer une nouvelle section sur la page actuelle Page paire - pour commencer une nouvelle section sur la page suivante paire Page impaire - pour commencer une nouvelle section sur la page suivante impaire Des sauts d'une section ajoutés sont indiqués dans votre document par un double trait pointillé: Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône de l'onglet Accueil sur la barre d'outils supérieure pour les afficher. Pour supprimer un saut de section, sélectionnez-le avec le souris et appuyez sur la touche Suppr. Lorsque vous supprimez un saut de section, la mise en forme de cette section sera également supprimée, car un saut de section définit la mise en forme de la section précédente. La partie du document qui précède le saut de section supprimé acquiert la mise en forme de la partie qui la suive." }, { "id": "UsageInstructions/SetOutlineLevel.htm", @@ -278,21 +333,46 @@ var indexes = { "id": "UsageInstructions/SetPageParameters.htm", "title": "Régler les paramètres de page", - "body": "Pour modifier la mise en page, c'est-à-dire définir l'orientation et la taille de la page, ajuster les marges et insérer des colonnes, utilisez les icônes correspondantes dans l'onglet Mise en page de la barre d'outils supérieure. Remarque: tous ces paramètres sont appliqués au document entier. Si vous voulez définir de différentes marges de page, l'orientation, la taille, ou le numéro de colonne pour les parties différentes de votre document, consultez cette page. Orientation de page Changez l'orientation de page actuelle en cliquant sur l'icône Orientation de page . Le type d'orientation par défaut est Portrait qui peut être commuté sur Album. Taille de la page Changez le format A4 par défaut en cliquant sur l'icône Taille de la page et sélectionnez la taille nécessaire dans la liste. Les formats offerts sont les suivants : US Letter (21,59cm x 27,94cm) US Legal (21,59cm x 35,56cm) A4 (21cm x 29,7cm) A5 (14,81cm x 20,99cm) B5 (17,6cm x 25,01cm) Envelope #10 (10,48cm x 24,13cm) Envelope DL (11,01cm x 22,01cm) Tabloid (27,94cm x 43,17cm) AЗ (29,7cm x 42,01cm) Tabloid Oversize (30,48cm x 45,71cm) ROC 16K (19,68cm x 27,3cm) Envelope Choukei 3 (11,99cm x 23,49cm) Super B/A3 (33,02cm x 48,25cm) Vous pouvez définir une taille de la page particulière en utilisant l'option Taille personnalisée dans la liste. La fenêtre Taille de la page s'ouvrira où vous pourrez sélectionner le Préréglage voulu (US Letter, US Legal, A4, A5, B5, Enveloppe #10, Enveloppe DL, Tabloid, AЗ, Tabloid Oversize, ROC 16K, Enveloppe Choukei 3, Super B/A3, A0, A1, A2, A6) ou définir des valeurs personnalisées de Largeur et Hauteur. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Marges de la page Modifiez les marges par défaut, c-à-d l’espace entre les bords de la page et le texte du paragraphe, en cliquant sur l'icône Marges et sélectionnez un des paramètres prédéfinis : Normal, US Normal, Étroit, Modérer, Large. Vous pouvez aussi utiliser l'option Marges personnalisées pour définir les valeurs nécessaires dans la fenêtre Marges qui s'ouvre. Entrez les valeurs des marges Haut, Bas, Gauche et Droite de la page dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK. Les marges personnalisées seront appliquées au document actuel et l'option Dernière mesure avec les paramètres spécifiés apparaît dans la liste des Marges de la page pour que vous puissiez les appliquer à d'autres documents. Vous pouvez également modifier les marges manuellement en faisant glisser la bordure entre les zones grises et blanches sur les règles (les zones grises des règles indiquent les marges de page): Colonnes Pour appliquez une mise en page multicolonne, cliquez sur l'icône Insérer des colonnes et sélectionnez le type de la colonne nécessaire dans la liste déroulante. Les options suivantes sont disponibles : Deux - pour ajouter deux colonnes de la même largeur, Trois - pour ajouter trois colonnes de la même largeur, A gauche - pour ajouter deux colonnes: une étroite colonne à gauche et une large colonne à droite, A droite - pour ajouter deux colonnes: une étroite colonne à droite et une large colonne à gauche. Si vous souhaitez ajuster les paramètres de colonne, sélectionnez l'option Colonnes personnalisées dans la liste. La fenêtre Colonnes s'ouvrira où vous pourrez définir le Nombre de colonnes nécessaire (il est possible d'ajouter jusqu'à 12 colonnes) et l'Espacement entre les colonnes. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Cochez la case Diviseur de colonne pour ajouter une ligne verticale entre les colonnes. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Pour spécifier exactement la position d'une nouvelle colonne, placez le curseur avant le texte à déplacer dans une nouvelle colonne, cliquez sur l'icône Sauts de page de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de colonne. Le texte sera déplacé vers la colonne suivante. Les sauts de colonne ajoutés sont indiqués dans votre document par une ligne pointillée: . Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône de l'onglet Accueil de la barre d'outils supérieure pour les afficher. Pour supprimer un saut de colonne,sélectionnez-le avec le souris et appuyez sur une touche Supprimer. Pour modifier manuellement la largeur et l'espacement entre les colonnes, vous pouvez utiliser la règle horizontale. Pour annuler les colonnes et revenir à la disposition en une seule colonne, cliquez sur l'icône Insérer des colonnes de la barre d'outils supérieure et sélectionnez l'option Une dans la liste." + "body": "Pour modifier la mise en page, c'est-à-dire définir l'orientation et la taille de la page, ajuster les marges et insérer des colonnes, utilisez les icônes correspondantes dans l'onglet Disposition de la barre d'outils supérieure. Remarque: tous ces paramètres sont appliqués au document entier. Si vous voulez définir de différentes marges de page, l'orientation, la taille, ou le numéro de colonne pour les parties différentes de votre document, consultez cette page. Orientation de page Changez l'orientation de page actuelle en cliquant sur l'icône Orientation . Le type d'orientation par défaut est Portrait qui peut être commuté sur Paysage. Taille de la page Changez le format A4 par défaut en cliquant sur l'icône Taille de la page et sélectionnez la taille nécessaire dans la liste. Les formats offerts sont les suivants: US Letter (21,59cm x 27,94cm) US Legal (21,59cm x 35,56cm) A4 (21cm x 29,7cm) A5 (14,81cm x 20,99cm) B5 (17,6cm x 25,01cm) Envelope #10 (10,48cm x 24,13cm) Envelope DL (11,01cm x 22,01cm) Tabloid (27,94cm x 43,17cm) AЗ (29,7cm x 42,01cm) Tabloid Oversize (30,48cm x 45,71cm) ROC 16K (19,68cm x 27,3cm) Envelope Choukei 3 (11,99cm x 23,49cm) Super B/A3 (33,02cm x 48,25cm) Vous pouvez définir une taille de la page particulière en utilisant l'option Taille personnalisée dans la liste. La fenêtre Taille de la page s'ouvrira où vous pourrez sélectionner le Préréglage voulu (US Letter, US Legal, A4, A5, B5, Enveloppe #10, Enveloppe DL, Tabloid, AЗ, Tabloid Oversize, ROC 16K, Enveloppe Choukei 3, Super B/A3, A0, A1, A2, A6) ou définir des valeurs personnalisées de Largeur et Hauteur. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Marges de la page Modifiez les marges par défaut, c-à-d l'espace entre les bords de la page et le texte du paragraphe, en cliquant sur l'icône Marges et sélectionnez un des paramètres prédéfinis: Normal, US Normal, Étroit, Modérer, Large. Vous pouvez aussi utiliser l'option Marges personnalisées pour définir les valeurs nécessaires dans la fenêtre Marges qui s'ouvre. Entrez les valeurs des marges Haut, Bas, Gauche et Droite de la page dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Position de la reliure permet de définir l'espace supplémentaire à la marge latérale gauche ou supérieure du document. La Position de reliure assure que la reliure n'empiète pas sur le texte. Dans la fenêtre Marges spécifiez la talle de marge et la position de la reliure appropriée. Remarque: ce n'est pas possible de définir la Position de reliure lorsque l'option des Pages en vis-à-vis est active. Dans le menu déroulante Plusieurs pages, choisissez l'option des Pages en vis-à-vis pour configurer des pages en regard dans des documents recto verso. Lorsque cette option est activée, les marges Gauche et Droite se transforment en marges A l'intérieur et A l'extérieur respectivement. Dans le menu déroulante Orientation choisissez Portrait ou Paysage. Toutes les modifications apportées s'affichent dans la fenêtre Aperçu. Lorsque tout est prêt, cliquez sur OK. Les marges personnalisées seront appliquées au document actuel et l'option Dernière mesure avec les paramètres spécifiés apparaît dans la liste des Marges de la page pour que vous puissiez les appliquer à d'autres documents. Vous pouvez également modifier les marges manuellement en faisant glisser la bordure entre les zones grises et blanches sur les règles (les zones grises des règles indiquent les marges de page): Colonnes Pour appliquez une mise en page multicolonne, cliquez sur l'icône Colonnes et sélectionnez le type de la colonne nécessaire dans la liste déroulante. Les options suivantes sont disponibles: Deux - pour ajouter deux colonnes de la même largeur, Trois - pour ajouter trois colonnes de la même largeur, A gauche - pour ajouter deux colonnes: une étroite colonne à gauche et une large colonne à droite, A droite - pour ajouter deux colonnes: une étroite colonne à droite et une large colonne à gauche. Si vous souhaitez ajuster les paramètres de colonne, sélectionnez l'option Colonnes personnalisées dans la liste. La fenêtre Colonnes s'ouvrira où vous pourrez définir le Nombre de colonnes nécessaire (il est possible d'ajouter jusqu'à 12 colonnes) et l'Espacement entre les colonnes. Entrez vos nouvelles valeurs dans les champs d'entrées ou ajustez les valeurs existantes en utilisant les boutons de direction. Cochez la case Diviseur de colonne pour ajouter une ligne verticale entre les colonnes. Lorsque tout est prêt, cliquez sur OK pour appliquer les changements. Pour spécifier exactement la position d'une nouvelle colonne, placez le curseur avant le texte à déplacer dans une nouvelle colonne, cliquez sur l'icône Sauts de la barre d'outils supérieure et sélectionnez l'option Insérer un saut de colonne. Le texte sera déplacé vers la colonne suivante. Les sauts de colonne ajoutés sont indiqués dans votre document par une ligne pointillée: . Si vous ne voyez pas de sauts de section insérés, cliquez sur l'icône sous l'onglet Accueil de la barre d'outils supérieure pour les afficher. Pour supprimer un saut de colonne,sélectionnez-le avec le souris et appuyez sur une touche Suppr. Pour modifier manuellement la largeur et l'espacement entre les colonnes, vous pouvez utiliser la règle horizontale. Pour annuler les colonnes et revenir à la disposition en une seule colonne, cliquez sur l'icône Colonnes de la barre d'outils supérieure et sélectionnez l'option Une dans la liste." }, { "id": "UsageInstructions/SetTabStops.htm", "title": "Définir des taquets de tabulation", - "body": "Document Editor 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. Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale : Sélectionnez le type du taquet de tabulation en cliquant sur le bouton dans le coin supérieur gauche de la zone de travail. Trois types de taquets de tabulationsont disponibles : De gauche - sert à aligner le texte sur le côté gauche du taquet de tabulation ; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . Du centre - sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . De droite - sert à aligner le texte sur le côté droit du taquet de tabulation ; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur . Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. Vous pouvez également utiliser la fenêtre des paramètres avancés du paragraphe pour régler les taquets de tabulation. Cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite, et passez à l'onglet Tabulation de la fenêtre Paragraphe - Paramètres avancés.Vous y pouvez définir les paramètres suivants : 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. Si vous avez déjà ajouté qualques taquets de tabulation en utilisant la règle, tous ces taquets seront affichés dans cette liste. La tabulation Par défaut est 1.25 cm. Vous pouvez augmenter ou diminuer cette valeur en utilisant les boutons à flèche ou en saisissant la valeur nécessaire dans le champ. Alignement sert à définir le type d'alignment 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. Points de suite - permet de choisir un caractère utilisé pour créer des points de suite pour chacune des positions de tabulation. Les points de suite sont une ligne de caractères (points ou traits d'union) qui remplissent l'espace entre les taquets. Sélectionnez le taquet voulu dans la liste, choisissez le type de points de suite dans la liste dans la liste déroulante et cliquez sur le bouton .Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste." + "body": "Document Editor vous permet de changer des taquets de tabulation. Taquet de tabulation est l'emplacement où le curseur s'arrête quand vous appuyez sur la touche Tab du clavier. Pour définir les taquets de tabulation vous pouvez utiliser la règle horizontale: Sélectionnez le type du taquet de tabulation en cliquant sur le bouton dans le coin supérieur gauche de la zone de travail. Trois types de taquets de tabulation sont disponibles: De gauche sert à aligner le texte sur le côté gauche du taquet de tabulation; le texte se déplace à droite du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de Taquet de tabulation de gauche . Du centre sert à centrer le texte à l'emplacement du taquet de tabulation. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de Taquet de tabulation centré . De droite sert à aligner le texte sur le côté droit du taquet de tabulation; le texte se déplace à gauche du taquet de tabulation quand vous saisissez le texte. Le taquet de tabulation sera indiqué sur la règle horizontale par le marqueur de Taquet de tabulation de droite . Cliquez sur le bord inférieur de la règle là où vous voulez positionner le taquet de tabulation. Faites-le glisser tout au long de la règle pour changer son emplacement. Pour supprimer le taquet de tabulation ajouté faites-le glisser en dehors de la règle. Vous pouvez également utiliser la fenêtre des paramètres avancés du paragraphe pour régler les taquets de tabulation. Cliquez avec le bouton droit de la souris, sélectionnez l'option Paramètres avancés du paragraphe du menu ou utilisez le lien Afficher les paramètres avancés sur la barre latérale droite, et passez à l'onglet Tabulation de la fenêtre Paragraphe - Paramètres avancés. Vous y pouvez définir les paramètres suivants: La tabulation Par défaut est 1.25 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. Si vous avez déjà ajouté quelques taquets de tabulation en utilisant la règle, tous ces taquets seront affichés dans cette liste. 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. Guide permet de choisir un caractère utilisé pour créer un guide pour chacune des positions de tabulation. Le guide est une ligne de caractères (points ou traits d'union) qui remplissent l'espace entre les taquets. Sélectionnez le taquet voulu dans la liste, choisissez le type de points de suite dans la liste dans la liste déroulante et cliquez sur le bouton Spécifier. Pour supprimer un taquet de tabulation de la liste sélectionnez-le et cliquez sur le bouton Supprimer ou utilisez le bouton Supprimer tout pour vider la liste." + }, + { + "id": "UsageInstructions/Speech.htm", + "title": "Lire un texte à haute voix", + "body": "ONLYOFFICE dispose d'une extension qui va lire un texte à voix haute. Sélectionnez le texte à lire à haute voix. Passez à l'onglet Modules complémentaires et choisissez Parole. Le texte sera lu à haute voix." + }, + { + "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 vous permet de trouver les synonymes. Retrouvez les antonymes du mot affiché aussi. Sélectionnez le mot dans votre document. 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 document." + }, + { + "id": "UsageInstructions/Translator.htm", + "title": "Traduire un texte", + "body": "Vous pouvez traduire votre document dans de nombreuses langues disponibles. Sélectionnez le texte à traduire. Passez à l'onglet Modules complémentaires et choisissez Traducteur, l'application de traduction fait son apparition dans le panneau de gauche. La langue du texte choisie est détectée automatiquement et le texte est traduit dans la langue par défaut. Changez la langue cible: Cliquer sur la liste déroulante en bas du panneau et sélectionnez la langue préférée. La traduction va changer tout de suite. Détection erronée de la langue source Lorsqu'une détection erronée se produit, il faut modifier les paramètres de l'application: Cliquer sur la liste déroulante en haut du panneau et sélectionnez la langue préférée." }, { "id": "UsageInstructions/UseMailMerge.htm", "title": "Utiliser le Publipostage", - "body": "Remarque : cette option n'est disponible que dans la version en ligne. La fonctionnalité Publipostage est utilisée pour créer un ensemble de documents combinant un contenu commun provenant d'un document texte et des composants individuels (variables, tels que des noms, des messages d'accueil, etc.) extraits d'une feuille de calcul (d'une liste de clients par exemple). Elle peut se révéler utile si vous devez créer beaucoup de lettres personnalisées à envoyer aux destinataires. Pour commencer à travailler avec la fonctionnalité Publipostage, Préparer une source de données et la charger dans le document principal La source de données utilisée pour le publipostage doit être une feuille de calcul .xlsx stockée sur votre portail. Ouvrez une feuille de calcul existante ou créez-en une nouvelle et assurez-vous qu'elle réponde aux exigences suivantes.La feuille de calcul doit comporter une ligne d'en-tête avec les titres des colonnes, car les valeurs de la première cellule de chaque colonne désignent des champs de fusion (c'est-à-dire des variables que vous pouvez insérer dans le texte). Chaque colonne doit contenir un ensemble de valeurs réelles pour une variable. Chaque ligne de la feuille de calcul doit correspondre à un enregistrement distinct (c'est-à-dire un ensemble de valeurs appartenant à un destinataire donné). Pendant le processus de fusion, une copie du document principal sera créée pour chaque enregistrement et chaque champ de fusion inséré dans le texte principal sera remplacé par une valeur réelle de la colonne correspondante. Si vous devez envoyer le résultat par courrier électronique, la feuille de calcul doit également inclure une colonne avec les adresses électroniques des destinataires. Ouvrez un document texte existant ou créez-en un nouveau. Il doit contenir le texte principal qui sera le même pour chaque version du document fusionné. Cliquez sur l'icône Fusionner dans l'onglet Accueil de la barre d'outils supérieure. La fenêtre Sélectionner la source de données s'ouvre : Elle affiche la liste de toutes vos feuilles de calcul .xlsx stockées dans la section Mes documents. Pour naviguer entre les autres sections du module Documents, utilisez le menu dans la partie gauche de la fenêtre. Sélectionnez le fichier dont vous avez besoin et cliquez sur OK. Une fois la source de données chargée, l'onglet Paramètres de publipostage sera disponible dans la barre latérale droite. Vérifier ou modifier la liste des destinataires Cliquez sur le bouton Modifier la liste des destinataires en haut de la barre latérale droite pour ouvrir la fenêtre Fusionner les destinataires, où le contenu de la source de données sélectionnée est affiché. Ici, vous pouvez ajouter de nouvelles informations, modifier ou supprimer les données existantes, si nécessaire. Pour simplifier l'utilisation des données, vous pouvez utiliser les icônes situées au haut de la fenêtre : et pour copier et coller les données copiées et pour annuler et rétablir les actions et - pour trier vos données dans une plage sélectionnée de cellules dans l'ordre croissant ou décroissant - pour activer le filtre pour la plage de cellules sélectionnée précédemment ou supprimer le filtre appliqué - pour effacer tous les paramètres de filtre appliquésRemarque : pour en savoir plus sur l'utilisation des filtres, reportez-vous à la section Trier et filtrer les données de l'aide de Spreadsheet Editor. - pour rechercher une certaine valeur et la remplacer par une autre, si nécessaireRemarque : pour en savoir plus sur l'utilisation de l'outil Rechercher et remplacer, reportez-vous à la section Fonctions rechercher et remplacer de l'aide de Spreadsheet Editor. Une fois toutes les modifications nécessaires effectuées, cliquez sur le bouton Enregistrer et quitter. Pour annuler les modifications, cliquez sur le bouton Fermer. Insérer des champs de fusion et vérifier les résultats Placez le curseur de la souris dans le texte du document principal où vous souhaitez insérer un champ de fusion, cliquez sur le bouton Insérer un champ de fusion dans la barre latérale droite et sélectionnez le champ voulu dans la liste. Les champs disponibles correspondent aux données de la première cellule de chaque colonne de la source de données sélectionnée. Ajoutez tous les champs que vous voulez n'importe où dans le document. Activez l'option Mettre en surbrillance les champs de fusion dans la barre latérale droite pour rendre les champs insérés plus visibles dans le texte du document. Activez le sélecteur Aperçu des résultats dans la barre latérale droite pour afficher le texte du document avec les champs de fusion remplacés par les valeurs réelles de la source de données. Utilisez les boutons fléchés pour prévisualiser les versions du document fusionné pour chaque enregistrement. Pour supprimer un champ inséré, désactivez le mode Aperçu des résultats, sélectionnez le champ avec la souris et appuyez sur la touche Suppr du clavier. Pour remplacer un champ inséré, désactivez le mode Aperçu des résultats, sélectionnez le champ avec la souris, cliquez sur le bouton Insérer un champ de fusion dans la barre latérale de droite et choisissez un nouveau champ dans la liste. Spécifier les paramètres de fusion Sélectionnez le type de fusion. Vous pouvez lancer le publipostage ou enregistrer le résultat sous forme de fichier au format PDF ou Docx pour pouvoir l'imprimer ou le modifier ultérieurement. Sélectionnez l'option voulue dans la liste Fusionner vers : PDF - pour créer un document unique au format PDF qui inclut toutes les copies fusionnées afin que vous puissiez les imprimer plus tard Docx - pour créer un document unique au format Docx qui inclut toutes les copies fusionnées afin que vous puissiez éditer les copies individuelles plus tard Email - pour envoyer les résultats aux destinataires par emailRemarque : les adresses e-mail des destinataires doivent être spécifiées dans la source de données chargée et vous devez disposer d'au moins un compte de messagerie connecté dans le module Courrier de votre portail. Choisissez les enregistrements auxquels vous voulez appliquer la fusion : Tous les enregistrements (cette option est sélectionnée par défaut) - pour créer des documents fusionnés pour tous les enregistrements de la source de données chargée Enregistrement actuel - pour créer un document fusionné pour l'enregistrement actuellement affiché De ... À - pour créer des documents fusionnés pour une série d'enregistrements (dans ce cas, vous devez spécifier deux valeurs : le numéro du premier enregistrement et celui du dernier enregistrement dans la plage souhaitée)Remarque : la quantité maximale autorisée de destinataires est de 100. Si vous avez plus de 100 destinataires dans votre source de données, exécutez le publipostage par étapes : spécifiez les valeurs comprises entre 1 et 100, attendez la fin du processus de fusion, puis répétez l'opération en spécifiant les valeurs comprises entre 101 et N etc. . Terminer la fusion Si vous avez décidé d'enregistrer les résultats de la fusion sous forme de fichier, cliquez sur le bouton Télécharger pour stocker le fichier n'importe où sur votre PC. Vous trouverez le fichier téléchargé dans votre dossier Téléchargements par défaut. cliquez sur le bouton Enregistrer pour enregistrer le fichier sur votre portail. Dans la fenêtre Dossier de sauvegarde qui s'ouvre, vous pouvez modifier le nom du fichier et spécifier le dossier dans lequel vous souhaitez enregistrer le fichier. Vous pouvez également cocher la case Ouvrir le document fusionné dans un nouvel onglet pour vérifier le résultat une fois le processus de fusion terminé. Enfin, cliquez sur Enregistrer dans la fenêtre Dossier de sauvegarde. Si vous avez sélectionné l'option Email, le bouton Fusionner sera disponible dans la barre latérale droite. Après avoir cliqué dessus, la fenêtre Envoyer par Email s'ouvre : Dans la liste De, sélectionnez le compte de messagerie que vous souhaitez utiliser pour l'envoi du mail, si plusieurs comptes sont connectés dans le module Courrier. Dans la liste À, sélectionnez le champ de fusion correspondant aux adresses e-mail des destinataires, s'il n'a pas été sélectionné automatiquement. Entrez l'objet de votre message dans le champ Objet. Sélectionnez le format du mail dans la liste déroulante : HTML, Joindre en DOCX ou Joindre en PDF. Lorsque l'une des deux dernières options est sélectionnée, vous devez également spécifier le Nom du fichier pour les pièces jointes et entrer le Message (le texte qui sera envoyé aux destinataires). Cliquez sur le bouton Envoyer. Une fois l'envoi terminé, vous recevrez une notification à votre adresse e-mail spécifiée dans le champ De." + "body": "Remarque : cette option n'est disponible que dans la version en ligne. La fonctionnalité Publipostage est utilisée pour créer un ensemble de documents combinant un contenu commun provenant d'un document texte et des composants individuels (variables, tels que des noms, des messages d'accueil, etc.) extraits d'une feuille de calcul (d'une liste de clients par exemple). Elle peut se révéler utile si vous devez créer beaucoup de lettres personnalisées à envoyer aux destinataires. Pour commencer à travailler avec la fonctionnalité Publipostage, Préparer une source de données et la charger dans le document principal La source de données utilisée pour le publipostage doit être une feuille de calcul .xlsx stockée sur votre portail. Ouvrez une feuille de calcul existante ou créez-en une nouvelle et assurez-vous qu'elle réponde aux exigences suivantes.La feuille de calcul doit comporter une ligne d'en-tête avec les titres des colonnes, car les valeurs de la première cellule de chaque colonne désignent des champs de fusion (c'est-à-dire des variables que vous pouvez insérer dans le texte). Chaque colonne doit contenir un ensemble de valeurs réelles pour une variable. Chaque ligne de la feuille de calcul doit correspondre à un enregistrement distinct (c'est-à-dire un ensemble de valeurs appartenant à un destinataire donné). Pendant le processus de fusion, une copie du document principal sera créée pour chaque enregistrement et chaque champ de fusion inséré dans le texte principal sera remplacé par une valeur réelle de la colonne correspondante. Si vous devez envoyer le résultat par courrier électronique, la feuille de calcul doit également inclure une colonne avec les adresses électroniques des destinataires. Ouvrez un document texte existant ou créez-en un nouveau. Il doit contenir le texte principal qui sera le même pour chaque version du document fusionné. Cliquez sur l'icône Fusionner dans l'onglet Accueil de la barre d'outils supérieure. La fenêtre Sélectionner la source de données s'ouvre : Elle affiche la liste de toutes vos feuilles de calcul .xlsx stockées dans la section Mes documents. Pour naviguer entre les autres sections du module Documents, utilisez le menu dans la partie gauche de la fenêtre. Sélectionnez le fichier dont vous avez besoin et cliquez sur OK. Une fois la source de données chargée, l'onglet Paramètres de publipostage sera disponible dans la barre latérale droite. Vérifier ou modifier la liste des destinataires Cliquez sur le bouton Modifier la liste des destinataires en haut de la barre latérale droite pour ouvrir la fenêtre Fusionner les destinataires, où le contenu de la source de données sélectionnée est affiché. Ici, vous pouvez ajouter de nouvelles informations, modifier ou supprimer les données existantes, si nécessaire. Pour simplifier l'utilisation des données, vous pouvez utiliser les icônes situées au haut de la fenêtre : et pour copier et coller les données copiées et pour annuler et rétablir les actions et - pour trier vos données dans une plage sélectionnée de cellules dans l'ordre croissant ou décroissant - pour activer le filtre pour la plage de cellules sélectionnée précédemment ou supprimer le filtre appliqué - pour effacer tous les paramètres de filtre appliquésRemarque : pour en savoir plus sur l'utilisation des filtres, reportez-vous à la section Trier et filtrer les données de l'aide de Spreadsheet Editor. - pour rechercher une certaine valeur et la remplacer par une autre, si nécessaireRemarque : pour en savoir plus sur l'utilisation de l'outil Rechercher et remplacer, reportez-vous à la section Fonctions rechercher et remplacer de l'aide de Spreadsheet Editor. Une fois toutes les modifications nécessaires effectuées, cliquez sur le bouton Enregistrer et quitter. Pour annuler les modifications, cliquez sur le bouton Fermer. Insérer des champs de fusion et vérifier les résultats Placez le curseur de la souris dans le texte du document principal où vous souhaitez insérer un champ de fusion, cliquez sur le bouton Insérer un champ de fusion dans la barre latérale droite et sélectionnez le champ voulu dans la liste. Les champs disponibles correspondent aux données de la première cellule de chaque colonne de la source de données sélectionnée. Ajoutez tous les champs que vous voulez n'importe où dans le document. Activez l'option Mettre en surbrillance les champs de fusion dans la barre latérale droite pour rendre les champs insérés plus visibles dans le texte du document. Activez le sélecteur Aperçu des résultats dans la barre latérale droite pour afficher le texte du document avec les champs de fusion remplacés par les valeurs réelles de la source de données. Utilisez les boutons fléchés pour prévisualiser les versions du document fusionné pour chaque enregistrement. Pour supprimer un champ inséré, désactivez le mode Aperçu des résultats, sélectionnez le champ avec la souris et appuyez sur la touche Suppr du clavier. Pour remplacer un champ inséré, désactivez le mode Aperçu des résultats, sélectionnez le champ avec la souris, cliquez sur le bouton Insérer un champ de fusion dans la barre latérale de droite et choisissez un nouveau champ dans la liste. Spécifier les paramètres de fusion Sélectionnez le type de fusion. Vous pouvez lancer le publipostage ou enregistrer le résultat sous forme de fichier au format PDF ou Docx pour pouvoir l'imprimer ou le modifier ultérieurement. Sélectionnez l'option voulue dans la liste Fusionner vers : PDF - pour créer un document unique au format PDF qui inclut toutes les copies fusionnées afin que vous puissiez les imprimer plus tard Docx - pour créer un document unique au format Docx qui inclut toutes les copies fusionnées afin que vous puissiez éditer les copies individuelles plus tard Email - pour envoyer les résultats aux destinataires par emailRemarque : les adresses e-mail des destinataires doivent être spécifiées dans la source de données chargée et vous devez disposer d'au moins un compte de messagerie connecté dans le module Mail de votre portail. Choisissez les enregistrements auxquels vous voulez appliquer la fusion : Tous les enregistrements (cette option est sélectionnée par défaut) - pour créer des documents fusionnés pour tous les enregistrements de la source de données chargée Enregistrement actuel - pour créer un document fusionné pour l'enregistrement actuellement affiché De ... À - pour créer des documents fusionnés pour une série d'enregistrements (dans ce cas, vous devez spécifier deux valeurs : le numéro du premier enregistrement et celui du dernier enregistrement dans la plage souhaitée)Remarque : la quantité maximale autorisée de destinataires est de 100. Si vous avez plus de 100 destinataires dans votre source de données, exécutez le publipostage par étapes : spécifiez les valeurs comprises entre 1 et 100, attendez la fin du processus de fusion, puis répétez l'opération en spécifiant les valeurs comprises entre 101 et N etc. . Terminer la fusion Si vous avez décidé d'enregistrer les résultats de la fusion sous forme de fichier, cliquez sur le bouton Télécharger pour stocker le fichier n'importe où sur votre PC. Vous trouverez le fichier téléchargé dans votre dossier Téléchargements par défaut. cliquez sur le bouton Enregistrer pour enregistrer le fichier sur votre portail. Dans la fenêtre Dossier de sauvegarde qui s'ouvre, vous pouvez modifier le nom du fichier et spécifier le dossier dans lequel vous souhaitez enregistrer le fichier. Vous pouvez également cocher la case Ouvrir le document fusionné dans un nouvel onglet pour vérifier le résultat une fois le processus de fusion terminé. Enfin, cliquez sur Enregistrer dans la fenêtre Dossier de sauvegarde. Si vous avez sélectionné l'option Email, le bouton Fusionner sera disponible dans la barre latérale droite. Après avoir cliqué dessus, la fenêtre Envoyer par Email s'ouvre : Dans la liste De, sélectionnez le compte de messagerie que vous souhaitez utiliser pour l'envoi du mail, si plusieurs comptes sont connectés dans le module Courrier. Dans la liste À, sélectionnez le champ de fusion correspondant aux adresses e-mail des destinataires, s'il n'a pas été sélectionné automatiquement. Entrez l'objet de votre message dans le champ Objet. Sélectionnez le format du mail dans la liste déroulante : HTML, Joindre en DOCX ou Joindre en PDF. Lorsque l'une des deux dernières options est sélectionnée, vous devez également spécifier le Nom du fichier pour les pièces jointes et entrer le Message (le texte qui sera envoyé aux destinataires). Cliquez sur le bouton Envoyer. Une fois l'envoi terminé, vous recevrez une notification à votre adresse e-mail spécifiée dans le champ De." }, { "id": "UsageInstructions/ViewDocInfo.htm", "title": "Afficher les informations sur le document", - "body": "Pour accéder aux informations détaillées sur le document actuellement édité, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Informations sur le document.... Informations générales Les informations du document comprennent le titre du document, l'application avec laquelle le document a été créé et les statistiques : le nombre de pages, paragraphes, mots, symboles, symboles avec espaces. Dans la version en ligne, les informations suivantes sont également affichées : auteur, lieu, date de création. Remarque : Les éditeurs en ligne vous permettent de modifier le titre du document 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 document, sélectionnez l'option Droits d'accès... dans la barre latérale de gauche. Si vous avez l'accès complet à cette présentation, 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 à ce document, sélectionnez l'option Historique des versions dans la barre latérale de gauche. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions de l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce document (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 document, 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. 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. 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 document, sélectionnez l'option Retour au document." + "body": "Pour accéder aux informations détaillées sur le document actuellement édité, cliquez sur l'onglet Fichier de la barre d'outils supérieure et sélectionnez l'option Descriptif du document.... Informations générales Le descriptif du document comprend l'ensemble des propriétés d'un document. 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. Statistiques - le nombre de pages, paragraphes, mots, symboles, symboles avec des espaces. 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 document. Cette option est disponible pour édition collaborative du document quand plusieurs utilisateurs travaillent sur un même document. Application - l'application dans laquelle on a créé le document. 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 document 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 disponible que pour les utilisateurs disposant des autorisations en Lecture seule. Pour savoir qui a le droit d'afficher ou de modifier le document, 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 disponible que pour les utilisateurs disposant des autorisations en Lecture seule. Pour afficher toutes les modifications apportées à ce document, sélectionnez l'option Historique des versions dans la barre latérale de gauche. Il est également possible d'ouvrir l'historique des versions à l'aide de l'icône Historique des versions de l'onglet Collaboration de la barre d'outils supérieure. Vous verrez la liste des versions de ce document (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 document, 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. 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. 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 document, sélectionnez l'option Retour au document." + }, + { + "id": "UsageInstructions/Wordpress.htm", + "title": "Télécharger un document sur Wordpress", + "body": "Vous pouvez écrire vos articles dans l'environnement ONLYOFFICE et les télécharger sur Wordpress. Se connecter à Wordpress Ouvrez un document. Passez à l'onglet Module complémentaires et choisissez Wordpress. Connectez-vous à votre compte Wordpress et choisissez la page web à laquelle vous souhaitez ajouter votre document. Tapez le titre de votre article. Cliquer sur Publier pour le publier tout de suite ou sur Enregistrer comme brouillon pour le publier plus tard de votre site ou application Wordpress." + }, + { + "id": "UsageInstructions/YouTube.htm", + "title": "Insérer une vidéo", + "body": "Vous pouvez insérer une vidéo dans votre document. 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 document et placez le curseur à l'endroit où la vidéo doit être insérée. Passezà l'onglet Modules compléméntaires 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 document" } ] \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm index d42d8f09e..4604bc96b 100644 --- a/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm @@ -33,7 +33,9 @@
  • PhotoEditor consente di modificare le immagini: ritagliare, capovolgere, ruotare, disegnare linee e forme, aggiungere icone e testo, caricare una maschera e applicare filtri come Scala di grigi, Inverti, Seppia, Sfocatura, Precisione, Rilievo, ecc.,
  • Speech consente di convertire il testo selezionato in voce (disponibile solo nella versione online),
  • Thesaurus consente di cercare sinonimi e contrari di una parola e sostituirla con quella selezionata,
  • -
  • Translator consente di tradurre il testo selezionato in altre lingue,
  • +
  • Translator consente di tradurre il testo selezionato in altre lingue, +

    Note: this plugin doesn't work in Internet Explorer.

    +
  • YouTube consente d’incorporare video di YouTube nel tuo documento.
  • I plugin Wordpress ed EasyBib possono essere utilizzati se si collegano i servizi corrispondenti nelle impostazioni del portale. È possibile utilizzare le seguenti istruzioni per la versione server o per la versione SaaS.

    diff --git a/apps/documenteditor/main/resources/help/it/editor.css b/apps/documenteditor/main/resources/help/it/editor.css index 0b550e306..66db82aed 100644 --- a/apps/documenteditor/main/resources/help/it/editor.css +++ b/apps/documenteditor/main/resources/help/it/editor.css @@ -6,11 +6,21 @@ color: #444; background: #fff; } +.cross-reference th{ +text-align: center; +vertical-align: middle; +} + +.cross-reference td{ +text-align: center; +vertical-align: middle; +} + img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -152,4 +162,53 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; +} +.forms { + display: inline-block; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/Contents.json b/apps/documenteditor/main/resources/help/ru/Contents.json index b0f7dead1..e57a0198b 100644 --- a/apps/documenteditor/main/resources/help/ru/Contents.json +++ b/apps/documenteditor/main/resources/help/ru/Contents.json @@ -14,8 +14,11 @@ {"src":"UsageInstructions/NonprintingCharacters.htm", "name": "Отображение/скрытие непечатаемых символов"}, {"src":"UsageInstructions/SectionBreaks.htm", "name": "Вставка разрывов раздела"}, {"src":"UsageInstructions/InsertHeadersFooters.htm", "name": "Вставка колонтитулов"}, - {"src":"UsageInstructions/InsertPageNumbers.htm", "name": "Вставка номеров страниц" }, + { "src": "UsageInstructions/InsertPageNumbers.htm", "name": "Вставка номеров страниц" }, + {"src": "UsageInstructions/InsertLineNumbers.htm", "name": "Вставка нумерации строк"}, { "src": "UsageInstructions/InsertFootnotes.htm", "name": "Вставка сносок" }, + { "src": "UsageInstructions/InsertEndnotes.htm", "name": "Вставка концевых сносок" }, + { "src": "UsageInstructions/ConvertFootnotesEndnotes.htm", "name": "Преобразование сносок и концевых сносок" }, { "src": "UsageInstructions/InsertBookmarks.htm", "name": "Добавление закладок" }, {"src": "UsageInstructions/AddWatermark.htm", "name": "Добавление подложки"}, { "src": "UsageInstructions/AlignText.htm", "name": "Выравнивание текста в абзаце", "headername": "Форматирование абзаца" }, @@ -47,8 +50,7 @@ {"src": "UsageInstructions/InsertContentControls.htm", "name": "Вставка элементов управления содержимым" }, {"src": "UsageInstructions/CreateTableOfContents.htm", "name": "Создание оглавления" }, {"src":"UsageInstructions/UseMailMerge.htm", "name": "Использование слияния", "headername": "Слияние"}, - { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, - {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Автозамена математическими символами" }, + { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, {"src":"HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование документа", "headername": "Совместное редактирование документов"}, { "src": "HelpfulHints/Review.htm", "name": "Рецензирование документа" }, {"src": "HelpfulHints/Comparison.htm", "name": "Сравнение документов"}, @@ -56,8 +58,9 @@ {"src":"UsageInstructions/SavePrintDownload.htm", "name": "Сохранение/скачивание/печать документа" }, {"src":"HelpfulHints/AdvancedSettings.htm", "name": "Дополнительные параметры редактора документов" }, {"src":"HelpfulHints/Navigation.htm", "name": "Параметры представления и инструменты навигации"}, - {"src":"HelpfulHints/Search.htm", "name": "Функция поиска и замены"}, - {"src":"HelpfulHints/SpellChecking.htm", "name": "Проверка орфографии"}, + {"src":"HelpfulHints/Search.htm", "name": "Функция поиска и замены"}, + { "src": "HelpfulHints/SpellChecking.htm", "name": "Проверка орфографии" }, + {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Функции автозамены" }, {"src":"HelpfulHints/About.htm", "name": "О редакторе документов", "headername": "Полезные советы"}, {"src":"HelpfulHints/SupportedFormats.htm", "name": "Поддерживаемые форматы электронных документов"}, {"src":"HelpfulHints/KeyboardShortcuts.htm", "name": "Сочетания клавиш"} diff --git a/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index 5aeedcd6f..1e8b94808 100644 --- a/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/documenteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -33,7 +33,9 @@
  • Фоторедактор - позволяет редактировать изображения: обрезать, отражать, поворачивать их, рисовать линии и фигуры, добавлять иконки и текст, загружать маску и применять фильтры, такие как Оттенки серого, Инверсия, Сепия, Размытие, Резкость, Рельеф и другие,
  • Речь - позволяет преобразовать выделенный текст в речь (доступно только в онлайн-версии),
  • Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант,
  • -
  • Переводчик - позволяет переводить выделенный текст на другие языки,
  • +
  • Переводчик - позволяет переводить выделенный текст на другие языки, +

    Примечание: этот плагин не работает в Internet Explorer.

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

    diff --git a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm index a4334fc36..35618637d 100644 --- a/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm +++ b/apps/documenteditor/main/resources/help/ru/UsageInstructions/InsertCharts.htm @@ -9,288 +9,335 @@ -
    -
    - -
    -

    Вставка диаграмм

    +
    +
    + +
    +

    Вставка диаграмм

    Вставка диаграммы

    -

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

    -
      -
    1. установите курсор там, где требуется поместить диаграмму,
    2. +

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

      +
        +
      1. установите курсор там, где требуется поместить диаграмму,
      2. перейдите на вкладку Вставка верхней панели инструментов,
      3. щелкните по значку Значок Диаграмма Диаграмма на верхней панели инструментов,
      4. -
      5. выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, -

        Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D.

        -
      6. -
      7. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: -
          -
        • Копировать и Вставить для копирования и вставки скопированных данных
        • -
        • Отменить и Повторить для отмены и повтора действий
        • -
        • Вставить функцию для вставки функции
        • -
        • Уменьшить разрядность и Увеличить разрядность для уменьшения и увеличения числа десятичных знаков
        • -
        • Формат чисел для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках
        • -
        -

        Окно Редактор диаграмм

        -
      8. -
      9. измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. -

        Окно Диаграмма - дополнительные параметры

        - На вкладке Тип и данные можно изменить тип диаграммы, а также данные, которые вы хотите использовать для создания диаграммы. -
          -
        • Выберите Тип диаграммы, который требуется применить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая.
        • -
        • - Проверьте выбранный Диапазон данных и при необходимости измените его. Для этого нажмите кнопку Значок Выбор данных. -

          Окно Выбор диапазона данных

          -

          В окне Выбор диапазона данных введите нужный диапазон данных в формате Sheet1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK.

          -
        • -
        • - Измените способ расположения данных. Можно выбрать ряды данных для использования по оси X: в строках или в столбцах. -
        • -
        -

        Окно Диаграмма - дополнительные параметры

        -

        На вкладке Макет можно изменить расположение элементов диаграммы:

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

            Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D.

          • - Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, + после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: +
              +
            • Копировать и Вставить для копирования и вставки скопированных данных
            • +
            • Отменить и Повторить для отмены и повтора действий
            • +
            • Вставить функцию для вставки функции
            • +
            • Уменьшить разрядность и Увеличить разрядность для уменьшения и увеличения числа десятичных знаков
            • +
            • Формат чисел для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках
            • +
            +

            Окно Редактор диаграмм

          • - Без наложения, чтобы показать заголовок над областью построения диаграммы. -
          • -
          -
        • -
        • - Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: -
            -
          • - Нет, чтобы условные обозначения не отображались, + Нажмите кнопку Выбрать данные, расположенную в окне Редактора диаграмм. Откроется окно Данные диаграммы. +
              +
            1. + Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключием строк / столбцов. +

              Окно Диапазон данных

              +
                +
              • + Диапазон данных для диаграммы - выберите данные для вашей диаграммы. +
                  +
                • + Щелкните значок Иконка Выбор данных справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. +

                  Окно Диапазон данных для диаграммы

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

                  Окно Изменить ряд

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

                  Окно Подписи оси

                  +
                • +
                +
              • +
              • Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси.
              • +
              +
            2. +
            3. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно.
            4. +
          • - Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, -
          • -
          • - Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, -
          • -
          • - Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, -
          • -
          • - Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, -
          • -
          • - Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, -
          • -
          • - Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. -
          • -
          -
        • -
        • - Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных):
          -
            -
          • укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. -
              -
            • Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху.
            • -
            • Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу.
            • -
            • Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху.
            • -
            • Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру.
            • -
            -
          • -
          • выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение,
          • -
          • введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных.
          • -
          -
        • -
        • Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались.
        • -
        • - Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. -

          Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм.

          -
        • -
        • - В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: -
            -
          • - Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: -
              -
            • Нет, чтобы название горизонтальной оси не отображалось,
            • -
            • Без наложения, чтобы показать название под горизонтальной осью.
            • -
            -
          • -
          • - Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: -
              -
            • Нет, чтобы название вертикальной оси не отображалось,
            • -
            • Повернутое, чтобы показать название снизу вверх слева от вертикальной оси,
            • -
            • По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси.
            • -
            -
          • -
          -
        • -
        • - В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. -

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

          -
        • -
        -

        - Окно Диаграмма - дополнительные параметры -

        -

        - Примечание: Вкладки Вертикальная/горизонтальная ось недоступны для круговых диаграмм, так как у круговых диаграмм нет осей. -

        -

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

        -
          -
        • - Раздел Параметры оси позволяет установить следующие параметры: -
            -
          • - Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; - в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать - из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. -
          • -
          • - Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; - в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать - из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. -
          • -
          • - Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. - По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. - Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. -
          • -
          • - Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция - может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым - (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения - из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, - Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. -
          • -
          • - Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится - внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. -
          • -
          -
        • -
        • - Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные - деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, - которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться - линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся - следующие опции размещения: -
            -
          • - Нет, чтобы деления основного/дополнительного типа не отображались, -
          • -
          • - На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси, -
          • -
          • - Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси, -
          • -
          • - Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси. -
          • -
          -
        • -
        • - Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. - Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: -
            -
          • - Нет, чтобы подписи не отображались, -
          • -
          • - Ниже, чтобы показывать подписи слева от области диаграммы, -
          • -
          • - Выше, чтобы показывать подписи справа от области диаграммы, -
          • -
          • - Рядом с осью, чтобы показывать подписи рядом с осью. -
          • -
          -
        • -
        -

        - Окно Диаграмма - дополнительные параметры -

        -

        - На вкладке Горизонтальная ось можно изменить параметры горизонтальной оси, которую также называют - осью категорий или осью X, где отображаются текстовые подписи. Обратите внимание, что для Гистограмм горизонтальная ось является осью значений, на которой отображаются числовые значения, - так что в этом случае опции вкладки Горизонтальная ось будут соответствовать опциям, описанным в предыдущем разделе. Для точечных диаграмм обе оси являются осями значений. -

        -
          -
        • - Раздел Параметры оси позволяет установить следующие параметры: -
            -
          • - Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. - Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум - (что соответствует первой и последней категории) на горизонтальной оси. -
          • -
          • - Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями. -
          • -
          • - Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. - Когда этот флажок отмечен, категории располагаются справа налево. -
          • -
          -
        • -
        • - Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные - деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, - которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться - линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: -
            -
          • - Основной/Дополнительный тип - используется для указания следующих вариантов размещения: - Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы - отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы - отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы - отображать деления основного/дополнительного типа с наружной стороны оси. -
          • -
          • - Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. -
          • -
          -
        • -
        • - Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. -
            -
          • - Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. - Выберите нужную опцию из выпадающего списка: - Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, - Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. -
          • -
          • - Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. - Чем это значение больше, тем дальше расположены подписи от осей. -
          • -
          • - Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция - Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. - Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. -
          • -
          -
        • -
        + измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. +

        Окно Диаграмма - дополнительные параметры

        + На вкладке Тип можно изменить тип диаграммы. +
          +
        • Выберите Тип диаграммы, который вы ходите применить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая.
        • +
        +

        Окно Диаграмма - дополнительные параметры

        +

        На вкладке Макет можно изменить расположение элементов диаграммы:

        +
          +
        • + Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: +
            +
          • + Нет, чтобы заголовок диаграммы не отображался, +
          • +
          • + Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, +
          • +
          • + Без наложения, чтобы показать заголовок над областью построения диаграммы. +
          • +
          +
        • +
        • + Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: +
            +
          • + Нет, чтобы условные обозначения не отображались, +
          • +
          • + Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, +
          • +
          • + Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, +
          • +
          • + Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, +
          • +
          • + Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, +
          • +
          • + Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, +
          • +
          • + Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. +
          • +
          +
        • +
        • + Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных):
          +
            +
          • + укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. +
              +
            • Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху.
            • +
            • Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу.
            • +
            • Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху.
            • +
            • Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру.
            • +
            +
          • +
          • выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение,
          • +
          • введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных.
          • +
          +
        • +
        • Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались.
        • +
        • + Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. +

          Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм.

          +
        • +
        • + В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: +
            +
          • + Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: +
              +
            • Нет, чтобы название горизонтальной оси не отображалось,
            • +
            • Без наложения, чтобы показать название под горизонтальной осью.
            • +
            +
          • +
          • + Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: +
              +
            • Нет, чтобы название вертикальной оси не отображалось,
            • +
            • Повернутое, чтобы показать название снизу вверх слева от вертикальной оси,
            • +
            • По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси.
            • +
            +
          • +
          +
        • +
        • + В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. +

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

          +
        • +
        +

        + Окно Диаграмма - дополнительные параметры +

        +

        + Примечание: Вкладки Вертикальная/горизонтальная ось недоступны для круговых диаграмм, так как у круговых диаграмм нет осей. +

        +

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

        +
          +
        • + Раздел Параметры оси позволяет установить следующие параметры: +
            +
          • + Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; + в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать + из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. +
          • +
          • + Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; + в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать + из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. +
          • +
          • + Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. + По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. + Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. +
          • +
          • + Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция + может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым + (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения + из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, + Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. +
          • +
          • + Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится + внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. +
          • +
          +
        • +
        • + Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные + деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, + которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться + линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся + следующие опции размещения: +
            +
          • + Нет, чтобы деления основного/дополнительного типа не отображались, +
          • +
          • + На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси, +
          • +
          • + Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси, +
          • +
          • + Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси. +
          • +
          +
        • +
        • + Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. + Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: +
            +
          • + Нет, чтобы подписи не отображались, +
          • +
          • + Ниже, чтобы показывать подписи слева от области диаграммы, +
          • +
          • + Выше, чтобы показывать подписи справа от области диаграммы, +
          • +
          • + Рядом с осью, чтобы показывать подписи рядом с осью. +
          • +
          +
        • +
        +

        + Окно Диаграмма - дополнительные параметры +

        +

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

        +
          +
        • + Раздел Параметры оси позволяет установить следующие параметры: +
            +
          • + Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. + Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум + (что соответствует первой и последней категории) на горизонтальной оси. +
          • +
          • + Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями. +
          • +
          • + Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. + Когда этот флажок отмечен, категории располагаются справа налево. +
          • +
          +
        • +
        • + Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные + деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, + которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться + линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: +
            +
          • + Основной/Дополнительный тип - используется для указания следующих вариантов размещения: + Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы + отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы + отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы + отображать деления основного/дополнительного типа с наружной стороны оси. +
          • +
          • + Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. +
          • +
          +
        • +
        • + Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. +
            +
          • + Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. + Выберите нужную опцию из выпадающего списка: + Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, + Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. +
          • +
          • + Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. + Чем это значение больше, тем дальше расположены подписи от осей. +
          • +
          • + Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция + Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. + Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. +
          • +
          +
        • +
        +

        Окно Диаграмма - дополнительные параметры

        +

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

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

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

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

        -
      10. -
      -
      -

      Перемещение и изменение размера диаграмм

      -

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

      -

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

      + +
    +
    +

    Перемещение и изменение размера диаграмм

    +

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

    +

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

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

    @@ -305,73 +352,83 @@ и задать заливку, обводку и Стиль обтекания. Обратите внимание на то, что тип фигуры изменить нельзя. -

    +

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

    Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен.

    -

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

    -

    Изменение размера элементов диаграммы

    -

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

    -

    Перемещение элементов диаграммы

    -

    Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре.

    +

    Если вам нужно изменить размер элементов диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых квадратов Значок Квадратик, расположенных по периметру элемента.

    +

    Изменить размер элемент диаграммы

    +

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

    +

    Передвинуть элемент диаграммы

    +

    Чтобы удалить элемент диаграммы, выберите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре.

    Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы.

    3D-диаграмма


    Изменение параметров диаграммы

    Вкладка Параметры диаграммы

    -

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

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

      Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы.

      +

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

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

        Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы.

      • -
      • Изменить данные - используется для вызова окна 'Редактор диаграмм'. -

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

        -
      • -
      -

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

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

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

        +
      • +
      +

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

      +
        +
      • Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор.
      • +
      • Порядок - используется, чтобы вынести выбранную диаграмму на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать диаграммы для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице.
      • +
      • Выравнивание - используется, чтобы выровнять диаграмму по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице.
      • +
      • Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом. Опция Изменить границу обтекания для диаграмм недоступна.
      • Изменить данные - используется для вызова окна 'Редактор диаграмм'.
      • Дополнительные параметры диаграммы - используется для вызова окна 'Диаграмма - дополнительные параметры'.
      • -
      - -
      -

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

      -

      Диаграмма - дополнительные параметры: Размер

      -

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

      -
        -
      • Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции Кнопка Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы.
      • -
      -

      Диаграмма - дополнительные параметры: Обтекание текстом

      -

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

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

          -

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

          -
        • -
        • Стиль обтекания - Вокруг рамки Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает диаграмму.

        • -
        • Стиль обтекания - По контуру По контуру - текст обтекает реальные контуры диаграммы.

        • -
        • Стиль обтекания - Сквозное Сквозное - текст обтекает вокруг контуров диаграммы и заполняет незамкнутое свободное место внутри диаграммы.

        • -
        • Стиль обтекания - Сверху и снизу Сверху и снизу - текст находится только выше и ниже диаграммы.

        • -
        • Стиль обтекания - Перед текстом Перед текстом - диаграмма перекрывает текст.

        • -
        • Стиль обтекания - За текстом За текстом - текст перекрывает диаграмму.

        • -
        -
      • -
      -

      При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа).

      +
    +

    + При выборе диаграммы справа также появляется значок Параметры фигуры Значок Параметры фигуры, + поскольку фигура используется в качестве фона для диаграммы. Щелкнув по этому значку, можно открыть вкладку Параметры фигуры на правой боковой панели инструментов + и задать заливку, + обводку + и Стиль обтекания. Обратите внимание на то, что тип фигуры изменить нельзя. +

    +
    +

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

    +

    Диаграмма - дополнительные параметры: Размер

    +

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

    +
      +
    • Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции Кнопка Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы.
    • +
    +

    Диаграмма - дополнительные параметры: Обтекание текстом

    +

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

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

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

        +

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

        +
      • +
      • Стиль обтекания - Вокруг рамки Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает диаграмму.

      • +
      • Стиль обтекания - По контуру По контуру - текст обтекает реальные контуры диаграммы.

      • +
      • Стиль обтекания - Сквозное Сквозное - текст обтекает вокруг контуров диаграммы и заполняет незамкнутое свободное место внутри диаграммы.

      • +
      • Стиль обтекания - Сверху и снизу Сверху и снизу - текст находится только выше и ниже диаграммы.

      • +
      • Стиль обтекания - Перед текстом Перед текстом - диаграмма перекрывает текст.

      • +
      • Стиль обтекания - За текстом За текстом - текст перекрывает диаграмму.

      • +
      +
    • +
    +

    При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа).

    Диаграмма - дополнительные параметры: Положение

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

    -
      +
      • В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования диаграммы:
          @@ -388,11 +445,11 @@
        • Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля.
      • -
      • Опция Перемещать с текстом определяет, будет ли диаграмма перемещаться вместе с текстом, к которому она привязана.
      • -
      • Опция Разрешить перекрытие определяет, будут ли перекрываться две диаграммы, если перетащить их близко друг к другу на странице.
      • -
      +
    • Опция Перемещать с текстом определяет, будет ли диаграмма перемещаться вместе с текстом, к которому она привязана.
    • +
    • Опция Разрешить перекрытие определяет, будут ли перекрываться две диаграммы, если перетащить их близко друг к другу на странице.
    • +

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

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

    -
    +
    \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/editor.css b/apps/documenteditor/main/resources/help/ru/editor.css index 7a743ebc1..ecaa6b72d 100644 --- a/apps/documenteditor/main/resources/help/ru/editor.css +++ b/apps/documenteditor/main/resources/help/ru/editor.css @@ -6,11 +6,21 @@ color: #444; background: #fff; } +.cross-reference th{ +text-align: center; +vertical-align: middle; +} + +.cross-reference td{ +text-align: center; +vertical-align: middle; +} + img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -220,4 +230,7 @@ kbd { } .right_option { border-radius: 0 2px 2px 0; +} +.forms { + display: inline-block; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/help/ru/images/axislabels.png b/apps/documenteditor/main/resources/help/ru/images/axislabels.png new file mode 100644 index 000000000..e4ed4ea7b Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/axislabels.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartdata.png b/apps/documenteditor/main/resources/help/ru/images/chartdata.png new file mode 100644 index 000000000..4d4cb1e68 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/chartdata.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartsettings.png b/apps/documenteditor/main/resources/help/ru/images/chartsettings.png index 7374f2b6a..bacc43baf 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/chartsettings.png and b/apps/documenteditor/main/resources/help/ru/images/chartsettings.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartsettings2.png b/apps/documenteditor/main/resources/help/ru/images/chartsettings2.png index dc56b8b2e..689aa67df 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/chartsettings2.png and b/apps/documenteditor/main/resources/help/ru/images/chartsettings2.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartsettings3.png b/apps/documenteditor/main/resources/help/ru/images/chartsettings3.png index f4709617a..92f701766 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/chartsettings3.png and b/apps/documenteditor/main/resources/help/ru/images/chartsettings3.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartsettings4.png b/apps/documenteditor/main/resources/help/ru/images/chartsettings4.png index 533dc0e82..5394432c0 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/chartsettings4.png and b/apps/documenteditor/main/resources/help/ru/images/chartsettings4.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartsettings5.png b/apps/documenteditor/main/resources/help/ru/images/chartsettings5.png index 2b1029ffc..f849be913 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/chartsettings5.png and b/apps/documenteditor/main/resources/help/ru/images/chartsettings5.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/chartsettings6.png b/apps/documenteditor/main/resources/help/ru/images/chartsettings6.png new file mode 100644 index 000000000..efed7f465 Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/chartsettings6.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/editseries.png b/apps/documenteditor/main/resources/help/ru/images/editseries.png new file mode 100644 index 000000000..d0699da2a Binary files /dev/null and b/apps/documenteditor/main/resources/help/ru/images/editseries.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/highlightcolor.png b/apps/documenteditor/main/resources/help/ru/images/highlightcolor.png index 85ef0822b..ba856daf1 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/highlightcolor.png and b/apps/documenteditor/main/resources/help/ru/images/highlightcolor.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png index 8cbb26618..5357d76f3 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/desktop_pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png index c7d9e2268..1de2187ca 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/documenteditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/documenteditor/main/resources/help/ru/images/selectdata.png b/apps/documenteditor/main/resources/help/ru/images/selectdata.png index 03eaf7d38..4a64e40f0 100644 Binary files a/apps/documenteditor/main/resources/help/ru/images/selectdata.png and b/apps/documenteditor/main/resources/help/ru/images/selectdata.png differ diff --git a/apps/documenteditor/main/resources/help/ru/search/indexes.js b/apps/documenteditor/main/resources/help/ru/search/indexes.js index 8e6d12567..0e4307ea2 100644 --- a/apps/documenteditor/main/resources/help/ru/search/indexes.js +++ b/apps/documenteditor/main/resources/help/ru/search/indexes.js @@ -193,7 +193,7 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Вставка диаграмм", - "body": "Вставка диаграммы Для вставки диаграммы в документ: установите курсор там, где требуется поместить диаграмму, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: и для копирования и вставки скопированных данных и для отмены и повтора действий для вставки функции и для уменьшения и увеличения числа десятичных знаков для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. На вкладке Тип и данные можно изменить тип диаграммы, а также данные, которые вы хотите использовать для создания диаграммы. Выберите Тип диаграммы, который требуется применить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая. Проверьте выбранный Диапазон данных и при необходимости измените его. Для этого нажмите кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Sheet1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Измените способ расположения данных. Можно выбрать ряды данных для использования по оси X: в строках или в столбцах. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название горизонтальной оси не отображалось, Без наложения, чтобы показать название под горизонтальной осью. Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название вертикальной оси не отображалось, Повернутое, чтобы показать название снизу вверх слева от вертикальной оси, По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси. В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. Примечание: разделы Параметры оси и Линии сетки будут недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. Примечание: Вкладки Вертикальная/горизонтальная ось недоступны для круговых диаграмм, так как у круговых диаграмм нет осей. На вкладке Вертикальная ось можно изменить параметры вертикальной оси, которую называют также осью значений или осью Y, где указываются числовые значения. Обратите, пожалуйста, внимание, что для гистограмм вертикальная ось является осью категорий, на которой показываются текстовые подписи, так что в этом случае опции вкладки Вертикальная ось будут соответствовать опциям, о которых пойдет речь в следующей вкладке. Для точечных диаграмм обе оси являются осями категорий. Раздел Параметры оси позволяет установить следующие параметры: Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся следующие опции размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет, чтобы подписи не отображались, Ниже, чтобы показывать подписи слева от области диаграммы, Выше, чтобы показывать подписи справа от области диаграммы, Рядом с осью, чтобы показывать подписи рядом с осью. На вкладке Горизонтальная ось можно изменить параметры горизонтальной оси, которую также называют осью категорий или осью X, где отображаются текстовые подписи. Обратите внимание, что для Гистограмм горизонтальная ось является осью значений, на которой отображаются числовые значения, так что в этом случае опции вкладки Горизонтальная ось будут соответствовать опциям, описанным в предыдущем разделе. Для точечных диаграмм обе оси являются осями значений. Раздел Параметры оси позволяет установить следующие параметры: Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум (что соответствует первой и последней категории) на горизонтальной оси. Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. Перемещение и изменение размера диаграмм После того, как диаграмма будет добавлена, можно изменить ее размер и положение. Для изменения размера диаграммы перетаскивайте маленькие квадраты , расположенные по ее краям. Чтобы сохранить исходные пропорции выбранной диаграммы при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения диаграммы используйте значок , который появляется после наведения курсора мыши на диаграмму. Перетащите диаграмму на нужное место, не отпуская кнопку мыши. При перемещении диаграммы на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, размер, цвет шрифта или его стиль оформления. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. При выборе диаграммы справа также появляется значок Параметры фигуры , поскольку фигура используется в качестве фона для диаграммы. Щелкнув по этому значку, можно открыть вкладку Параметры фигуры на правой боковой панели инструментов и задать заливку, обводку и Стиль обтекания. Обратите внимание на то, что тип фигуры изменить нельзя. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если требуется изменить размер элемента диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых маркеров , расположенных по периметру элемента. Чтобы изменить позицию элемента, щелкните по нему левой кнопкой мыши, убедитесь, что курсор принял вид , удерживайте левую кнопку мыши и перетащите элемент в нужное место. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. Изменение параметров диаграммы Некоторые параметры диаграммы можно изменить с помощью вкладки Параметры диаграммы на правой боковой панели. Чтобы ее активировать, щелкните по диаграмме и выберите значок Параметры диаграммы справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту диаграммы. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Изменить тип диаграммы - используется, чтобы изменить выбранный тип и/или стиль диаграммы. Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы. Изменить данные - используется для вызова окна 'Редактор диаграмм'. Примечание: для быстрого вызова окна 'Редактор диаграмм' можно также дважды щелкнуть мышкой по диаграмме в документе. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранную диаграмму на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать диаграммы для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять диаграмму по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом. Опция Изменить границу обтекания для диаграмм недоступна. Изменить данные - используется для вызова окна 'Редактор диаграмм'. Дополнительные параметры диаграммы - используется для вызова окна 'Диаграмма - дополнительные параметры'. Чтобы изменить дополнительные параметры диаграммы, щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры диаграммы. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств диаграммы: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы. Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения диаграммы относительно текста: или она будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать ее со всех сторон (если выбран один из остальных стилей). В тексте - диаграмма считается частью текста, как отдельный символ, поэтому при перемещении текста диаграмма тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, диаграмму можно перемещать независимо от текста и и точно задавать положение диаграммы на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает диаграмму. По контуру - текст обтекает реальные контуры диаграммы. Сквозное - текст обтекает вокруг контуров диаграммы и заполняет незамкнутое свободное место внутри диаграммы. Сверху и снизу - текст находится только выше и ниже диаграммы. Перед текстом - диаграмма перекрывает текст. За текстом - текст перекрывает диаграмму. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования диаграммы: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования диаграммы: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли диаграмма перемещаться вместе с текстом, к которому она привязана. Опция Разрешить перекрытие определяет, будут ли перекрываться две диаграммы, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма." + "body": "Вставка диаграммы Для вставки диаграммы в документ: установите курсор там, где требуется поместить диаграмму, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: и для копирования и вставки скопированных данных и для отмены и повтора действий для вставки функции и для уменьшения и увеличения числа десятичных знаков для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках Нажмите кнопку Выбрать данные, расположенную в окне Редактора диаграмм. Откроется окно Данные диаграммы. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключием строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории. В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. На вкладке Тип можно изменить тип диаграммы. Выберите Тип диаграммы, который вы ходите применить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название горизонтальной оси не отображалось, Без наложения, чтобы показать название под горизонтальной осью. Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название вертикальной оси не отображалось, Повернутое, чтобы показать название снизу вверх слева от вертикальной оси, По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси. В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. Примечание: разделы Параметры оси и Линии сетки будут недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. Примечание: Вкладки Вертикальная/горизонтальная ось недоступны для круговых диаграмм, так как у круговых диаграмм нет осей. На вкладке Вертикальная ось можно изменить параметры вертикальной оси, которую называют также осью значений или осью Y, где указываются числовые значения. Обратите, пожалуйста, внимание, что для гистограмм вертикальная ось является осью категорий, на которой показываются текстовые подписи, так что в этом случае опции вкладки Вертикальная ось будут соответствовать опциям, о которых пойдет речь в следующей вкладке. Для точечных диаграмм обе оси являются осями категорий. Раздел Параметры оси позволяет установить следующие параметры: Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся следующие опции размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет, чтобы подписи не отображались, Ниже, чтобы показывать подписи слева от области диаграммы, Выше, чтобы показывать подписи справа от области диаграммы, Рядом с осью, чтобы показывать подписи рядом с осью. На вкладке Горизонтальная ось можно изменить параметры горизонтальной оси, которую также называют осью категорий или осью X, где отображаются текстовые подписи. Обратите внимание, что для Гистограмм горизонтальная ось является осью значений, на которой отображаются числовые значения, так что в этом случае опции вкладки Горизонтальная ось будут соответствовать опциям, описанным в предыдущем разделе. Для точечных диаграмм обе оси являются осями значений. Раздел Параметры оси позволяет установить следующие параметры: Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум (что соответствует первой и последней категории) на горизонтальной оси. Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), диаграмма будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер диаграммы также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее, не допуская изменения размера диаграммы. Если ячейка перемещается, диаграмма будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры диаграммы останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера диаграммы при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. Перемещение и изменение размера диаграмм После того, как диаграмма будет добавлена, можно изменить ее размер и положение. Для изменения размера диаграммы перетаскивайте маленькие квадраты , расположенные по ее краям. Чтобы сохранить исходные пропорции выбранной диаграммы при изменении размера, удерживайте клавишу Shift и перетаскивайте один из угловых значков. Для изменения местоположения диаграммы используйте значок , который появляется после наведения курсора мыши на диаграмму. Перетащите диаграмму на нужное место, не отпуская кнопку мыши. При перемещении диаграммы на экране появляются направляющие, которые помогают точно расположить объект на странице (если выбран стиль обтекания, отличный от стиля \"В тексте\"). Примечание: список сочетаний клавиш, которые можно использовать при работе с объектами, доступен здесь. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, размер, цвет шрифта или его стиль оформления. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. При выборе диаграммы справа также появляется значок Параметры фигуры , поскольку фигура используется в качестве фона для диаграммы. Щелкнув по этому значку, можно открыть вкладку Параметры фигуры на правой боковой панели инструментов и задать заливку, обводку и Стиль обтекания. Обратите внимание на то, что тип фигуры изменить нельзя. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если вам нужно изменить размер элементов диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых квадратов , расположенных по периметру элемента. Чтобы изменить положение элемента, щелкните по нему левой кнопкой мыши, убедитесь, что ваш курсор изменился на , удерживайте левую кнопку мыши и перетащите элемент в нужное положение. Чтобы удалить элемент диаграммы, выберите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. Изменение параметров диаграммы Некоторые параметры диаграммы можно изменить с помощью вкладки Параметры диаграммы на правой боковой панели. Чтобы ее активировать, щелкните по диаграмме и выберите значок Параметры диаграммы справа. Здесь можно изменить следующие свойства: Размер - используется, чтобы просмотреть текущую Ширину и Высоту диаграммы. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом (для получения дополнительной информации смотрите описание дополнительных параметров ниже). Изменить тип диаграммы - используется, чтобы изменить выбранный тип и/или стиль диаграммы. Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы. Изменить данные - используется для вызова окна 'Редактор диаграмм'. Примечание: для быстрого вызова окна 'Редактор диаграмм' можно также дважды щелкнуть мышкой по диаграмме в документе. Некоторые из этих опций можно также найти в контекстном меню. Меню содержит следующие пункты: Вырезать, копировать, вставить - стандартные опции, которые используются для вырезания или копирования выделенного текста/объекта и вставки ранее вырезанного/скопированного фрагмента текста или объекта в то место, где находится курсор. Порядок - используется, чтобы вынести выбранную диаграмму на передний план, переместить на задний план, перенести вперед или назад, а также сгруппировать или разгруппировать диаграммы для выполнения операций над несколькими из них сразу. Подробнее о расположении объектов в определенном порядке рассказывается на этой странице. Выравнивание - используется, чтобы выровнять диаграмму по левому краю, по центру, по правому краю, по верхнему краю, по середине, по нижнему краю. Подробнее о выравнивании объектов рассказывается на этой странице. Стиль обтекания - используется, чтобы выбрать один из доступных стилей обтекания текстом - в тексте, вокруг рамки, по контуру, сквозное, сверху и снизу, перед текстом, за текстом. Опция Изменить границу обтекания для диаграмм недоступна. Изменить данные - используется для вызова окна 'Редактор диаграмм'. Дополнительные параметры диаграммы - используется для вызова окна 'Диаграмма - дополнительные параметры'. При выборе диаграммы справа также появляется значок Параметры фигуры , поскольку фигура используется в качестве фона для диаграммы. Щелкнув по этому значку, можно открыть вкладку Параметры фигуры на правой боковой панели инструментов и задать заливку, обводку и Стиль обтекания. Обратите внимание на то, что тип фигуры изменить нельзя. Чтобы изменить дополнительные параметры диаграммы, щелкните по ней правой кнопкой мыши и выберите из контекстного меню пункт Дополнительные параметры диаграммы. Или нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно свойств диаграммы: Вкладка Размер содержит следующие параметры: Ширина и Высота - используйте эти опции, чтобы изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы. Вкладка Обтекание текстом содержит следующие параметры: Стиль обтекания - используйте эту опцию, чтобы изменить способ размещения диаграммы относительно текста: или она будет являться частью текста (если выбран стиль обтекания \"В тексте\") или текст будет обтекать ее со всех сторон (если выбран один из остальных стилей). В тексте - диаграмма считается частью текста, как отдельный символ, поэтому при перемещении текста диаграмма тоже перемещается. В этом случае параметры расположения недоступны. Если выбран один из следующих стилей, диаграмму можно перемещать независимо от текста и и точно задавать положение диаграммы на странице: Вокруг рамки - текст обтекает прямоугольную рамку, которая окружает диаграмму. По контуру - текст обтекает реальные контуры диаграммы. Сквозное - текст обтекает вокруг контуров диаграммы и заполняет незамкнутое свободное место внутри диаграммы. Сверху и снизу - текст находится только выше и ниже диаграммы. Перед текстом - диаграмма перекрывает текст. За текстом - текст перекрывает диаграмму. При выборе стиля обтекания вокруг рамки, по контуру, сквозное или сверху и снизу можно задать дополнительные параметры - расстояние до текста со всех сторон (сверху, снизу, слева, справа). Вкладка Положение доступна только в том случае, если выбран стиль обтекания, отличный от стиля \"В тексте\". Вкладка содержит следующие параметры, которые различаются в зависимости от выбранного стиля обтекания: В разделе По горизонтали можно выбрать один из следующих трех способов позиционирования диаграммы: Выравнивание (по левому краю, по центру, по правому краю) относительно символа, столбца, левого поля, поля, страницы или правого поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), справа от символа, столбца, левого поля, поля, страницы или правого поля, Относительное положение, определяемое в процентах, относительно левого поля, поля, страницы или правого поля. В разделе По вертикали можно выбрать один из следующих трех способов позиционирования диаграммы: Выравнивание (по верхнему краю, по центру, по нижнему краю) относительно строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Абсолютное Положение, определяемое в абсолютных единицах, то есть Сантиметрах/Пунктах/Дюймах (в зависимости от того, какой параметр указан на вкладке Файл -> Дополнительные параметры...), ниже строки, поля, нижнего поля, абзаца, страницы или верхнего поля, Относительное положение, определяемое в процентах, относительно поля, нижнего поля, страницы или верхнего поля. Опция Перемещать с текстом определяет, будет ли диаграмма перемещаться вместе с текстом, к которому она привязана. Опция Разрешить перекрытие определяет, будут ли перекрываться две диаграммы, если перетащить их близко друг к другу на странице. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма." }, { "id": "UsageInstructions/InsertContentControls.htm", diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-all.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-all.png new file mode 100644 index 000000000..99bf31450 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-inner-only.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-inner-only.png new file mode 100644 index 000000000..a1115bb13 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-inner-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-none.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-none.png new file mode 100644 index 000000000..3e8668dc8 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-outer-only.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-outer-only.png new file mode 100644 index 000000000..56133bfed Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-outer-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-all.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-all.png new file mode 100644 index 000000000..fc0a43af4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-all.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-all.png new file mode 100644 index 000000000..ef2690cf2 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-inner.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-inner.png new file mode 100644 index 000000000..6d1186621 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-outer.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-outer.png new file mode 100644 index 000000000..1253d228b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none-outer.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none.png new file mode 100644 index 000000000..458969ed4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-inner.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-inner.png new file mode 100644 index 000000000..a1b0965dc Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-none.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-none.png new file mode 100644 index 000000000..6c749b485 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-outer.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-outer.png new file mode 100644 index 000000000..b2c5921b3 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/borders-twin-outer-outer.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-checkbox.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-checkbox.png new file mode 100644 index 000000000..f6e5d29a4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-checkbox.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-combo-box.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-combo-box.png new file mode 100644 index 000000000..2772868d7 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-combo-box.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-dropdown.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-dropdown.png new file mode 100644 index 000000000..0baf93bdd Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-dropdown.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-radio-button.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-radio-button.png new file mode 100644 index 000000000..03fbd4e1c Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-radio-button.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-text-field.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-text-field.png new file mode 100644 index 000000000..1deeabe9d Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/btn-text-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/clear-style.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/clear-style.png new file mode 100644 index 000000000..524e510e4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/clear-style.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/next-field.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/next-field.png new file mode 100644 index 000000000..fa9baf8c1 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/next-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-all.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-all.png new file mode 100644 index 000000000..ec8df7f04 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-bottom.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-bottom.png new file mode 100644 index 000000000..50159a44b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-bottom.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-inner.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-inner.png new file mode 100644 index 000000000..f822016f2 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-left.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-left.png new file mode 100644 index 000000000..25f9e8750 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-none.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-none.png new file mode 100644 index 000000000..7a744998b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-outer.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-outer.png new file mode 100644 index 000000000..84f0b2690 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-outer.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-right.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-right.png new file mode 100644 index 000000000..0e41fc4de Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-top.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-top.png new file mode 100644 index 000000000..d9448e6c5 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/paragraph-borders-top.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/previous-field.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/previous-field.png new file mode 100644 index 000000000..79e14422f Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/previous-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/big/submit-form.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/submit-form.png new file mode 100644 index 000000000..95ee9ceab Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/big/submit-form.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-field.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-field.png new file mode 100644 index 000000000..c66a1c810 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-lock.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-lock.png new file mode 100644 index 000000000..d97a8d673 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/btn-lock.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-margin.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-margin.png new file mode 100644 index 000000000..cdd4e24c4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-margin.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-one.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-one.png new file mode 100644 index 000000000..d34c7c1e9 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-one.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-text.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-text.png new file mode 100644 index 000000000..6e8bd7166 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-drop-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-behind.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-behind.png new file mode 100644 index 000000000..d0b22b5a6 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-behind.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-infront.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-infront.png new file mode 100644 index 000000000..491e1cced Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-infront.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-inline.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-inline.png new file mode 100644 index 000000000..5e5858540 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-inline.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-square.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-square.png new file mode 100644 index 000000000..2aac918b4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-square.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-through.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-through.png new file mode 100644 index 000000000..b5ee53a7b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-through.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-tight.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-tight.png new file mode 100644 index 000000000..4f82d466d Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-tight.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-topdown.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-topdown.png new file mode 100644 index 000000000..8018364d9 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/btn-wrap-topdown.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/none.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/none.png new file mode 100644 index 000000000..5f5363175 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-center.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-center.png new file mode 100644 index 000000000..b6375bafe Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-left.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-left.png new file mode 100644 index 000000000..8ce45956c Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-right.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-right.png new file mode 100644 index 000000000..f62c0e048 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-bottom-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-center.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-center.png new file mode 100644 index 000000000..d52840fa7 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-left.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-left.png new file mode 100644 index 000000000..743e1f44c Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-right.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-right.png new file mode 100644 index 000000000..c94701d6e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/page-number-top-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-center.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-center.png new file mode 100644 index 000000000..79d297f8e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-left.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-left.png new file mode 100644 index 000000000..2c0683b9f Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-right.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-right.png new file mode 100644 index 000000000..b6febf8e6 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-align-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-flow.png b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-flow.png new file mode 100644 index 000000000..eef404ea4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1.5x/huge/table-flow.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-all.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-all.png new file mode 100644 index 000000000..6814300e8 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-inner-only.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-inner-only.png new file mode 100644 index 000000000..12141597e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-inner-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-none.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-none.png new file mode 100644 index 000000000..c5842b227 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-outer-only.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-outer-only.png new file mode 100644 index 000000000..334074452 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-outer-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-all.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-all.png new file mode 100644 index 000000000..787543dfe Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-all.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-all.png new file mode 100644 index 000000000..847b2f977 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-inner.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-inner.png new file mode 100644 index 000000000..fd9fe56ba Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-outer.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-outer.png new file mode 100644 index 000000000..a60758f66 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none-outer.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none.png new file mode 100644 index 000000000..395eed2ed Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-inner.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-inner.png new file mode 100644 index 000000000..ab9735a74 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-none.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-none.png new file mode 100644 index 000000000..1c0b2541a Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-outer.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-outer.png new file mode 100644 index 000000000..5d529658a Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/borders-twin-outer-outer.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/clear-style.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/clear-style.png new file mode 100644 index 000000000..4d5f0e83b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/clear-style.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/next-field.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/next-field.png new file mode 100644 index 000000000..d4424f0be Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/next-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-all.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-all.png new file mode 100644 index 000000000..13193bf4b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-bottom.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-bottom.png new file mode 100644 index 000000000..d033800b4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-bottom.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-inner.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-inner.png new file mode 100644 index 000000000..b9cd6796b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-left.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-left.png new file mode 100644 index 000000000..e64256da9 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-none.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-none.png new file mode 100644 index 000000000..a0dcefe07 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-outer.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-outer.png new file mode 100644 index 000000000..12a6817c5 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-outer.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-right.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-right.png new file mode 100644 index 000000000..c9a7c4673 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-top.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-top.png new file mode 100644 index 000000000..87a023665 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/paragraph-borders-top.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/previous-field.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/previous-field.png new file mode 100644 index 000000000..72be7d23f Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/previous-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/big/submit-form.png b/apps/documenteditor/main/resources/img/toolbar/1x/big/submit-form.png new file mode 100644 index 000000000..728f1ea99 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/big/submit-form.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-margin.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-margin.png new file mode 100644 index 000000000..4f9618d37 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-margin.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-none.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-none.png new file mode 100644 index 000000000..e9c1d4437 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-text.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-text.png new file mode 100644 index 000000000..c36c93a08 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-drop-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-behind.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-behind.png new file mode 100644 index 000000000..e132f845e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-behind.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-infront.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-infront.png new file mode 100644 index 000000000..e43bf6a50 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-infront.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-inline.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-inline.png new file mode 100644 index 000000000..8e21fa02b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-inline.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-square.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-square.png new file mode 100644 index 000000000..25198c3ff Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-square.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-through.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-through.png new file mode 100644 index 000000000..c2cfc9313 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-through.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-tight.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-tight.png new file mode 100644 index 000000000..54da40fcb Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-tight.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-topbottom.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-topbottom.png new file mode 100644 index 000000000..288bcda82 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/btn-wrap-topbottom.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/none.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/none.png new file mode 100644 index 000000000..74703b185 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-center.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-center.png new file mode 100644 index 000000000..df61f08ac Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-left.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-left.png new file mode 100644 index 000000000..dcaa8cd8c Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-right.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-right.png new file mode 100644 index 000000000..66b946ea8 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-bottom-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-center.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-center.png new file mode 100644 index 000000000..10f9bfcb2 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-left.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-left.png new file mode 100644 index 000000000..241b64049 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-right.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-right.png new file mode 100644 index 000000000..f433721dc Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/page-number-top-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-center.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-center.png new file mode 100644 index 000000000..aeaa13f33 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-left.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-left.png new file mode 100644 index 000000000..afe00ce40 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-right.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-right.png new file mode 100644 index 000000000..cdfc6dbba Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-align-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-flow.png b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-flow.png new file mode 100644 index 000000000..8301206c4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/1x/huge/table-flow.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-all-for-cells-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-all-for-cells-only.png new file mode 100644 index 000000000..38ab0e519 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-all-for-cells-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-all.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-all.png new file mode 100644 index 000000000..5ef463007 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-all.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-inner-for-cells-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-inner-for-cells-only.png new file mode 100644 index 000000000..0caec51b7 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-inner-for-cells-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-inner-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-inner-only.png new file mode 100644 index 000000000..e7511342b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-inner-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-no-outer-or-inner.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-no-outer-or-inner.png new file mode 100644 index 000000000..14bbd7ba0 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-no-outer-or-inner.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-none.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-none.png new file mode 100644 index 000000000..81090175a Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outer-for-cells-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outer-for-cells-only.png new file mode 100644 index 000000000..b158cfb64 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outer-for-cells-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outer-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outer-only.png new file mode 100644 index 000000000..8b4a39ed1 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outer-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-all-for-cells.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-all-for-cells.png new file mode 100644 index 000000000..3d7a62685 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-all-for-cells.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-inner-for-cells-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-inner-for-cells-only.png new file mode 100644 index 000000000..9faf9efc4 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-inner-for-cells-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-outer-for-cells-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-outer-for-cells-only.png new file mode 100644 index 000000000..be3f88fa5 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-and-outer-for-cells-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-only.png new file mode 100644 index 000000000..b9d240e20 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/borders-outside-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/clear-style.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/clear-style.png new file mode 100644 index 000000000..d019e115d Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/clear-style.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/next-field.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/next-field.png new file mode 100644 index 000000000..207304483 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/next-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-all-outside-and-inner-lines.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-all-outside-and-inner-lines.png new file mode 100644 index 000000000..ba542c52d Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-all-outside-and-inner-lines.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-all-outside-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-all-outside-only.png new file mode 100644 index 000000000..5c0ccc7e0 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-all-outside-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-bottom-outside-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-bottom-outside-only.png new file mode 100644 index 000000000..3f874a95e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-bottom-outside-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-inner-lines-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-inner-lines-only.png new file mode 100644 index 000000000..c229c3538 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-inner-lines-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-left-outside-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-left-outside-only.png new file mode 100644 index 000000000..4040613a7 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-left-outside-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-no.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-no.png new file mode 100644 index 000000000..421fced49 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-no.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-right-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-right-only.png new file mode 100644 index 000000000..5c11ea2ae Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-right-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-top-only.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-top-only.png new file mode 100644 index 000000000..8c8372684 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/paragraph-borders-top-only.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/previous-field.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/previous-field.png new file mode 100644 index 000000000..5feee3a67 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/previous-field.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/big/submit-form.png b/apps/documenteditor/main/resources/img/toolbar/2x/big/submit-form.png new file mode 100644 index 000000000..c7f197d77 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/big/submit-form.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-margin.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-margin.png new file mode 100644 index 000000000..2cbcce2e1 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-margin.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-none.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-none.png new file mode 100644 index 000000000..568904c54 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-text.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-text.png new file mode 100644 index 000000000..c0d588592 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-drop-text.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-behind.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-behind.png new file mode 100644 index 000000000..ac538a6dd Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-behind.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-infront.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-infront.png new file mode 100644 index 000000000..39c11b5f1 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-infront.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-inline.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-inline.png new file mode 100644 index 000000000..1f5baf407 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-inline.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-square.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-square.png new file mode 100644 index 000000000..e3098b0b0 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-square.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-through.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-through.png new file mode 100644 index 000000000..df1d1e966 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-through.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-tight.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-tight.png new file mode 100644 index 000000000..5d52dca9e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-tight.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-topbottom.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-topbottom.png new file mode 100644 index 000000000..af621a27c Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/btn-wrap-topbottom.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/none.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/none.png new file mode 100644 index 000000000..8b2a7c865 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/none.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-center.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-center.png new file mode 100644 index 000000000..2337f620e Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-left.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-left.png new file mode 100644 index 000000000..4f5972732 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-right.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-right.png new file mode 100644 index 000000000..e27ec0fbb Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-bottom-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-center.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-center.png new file mode 100644 index 000000000..7828d7a4d Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-left.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-left.png new file mode 100644 index 000000000..c522fb189 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-right.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-right.png new file mode 100644 index 000000000..bcdd5e087 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/page-number-top-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-center.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-center.png new file mode 100644 index 000000000..dd13c594b Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-center.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-left.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-left.png new file mode 100644 index 000000000..32c26830d Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-left.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-right.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-right.png new file mode 100644 index 000000000..1cab958e8 Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-align-right.png differ diff --git a/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-flow.png b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-flow.png new file mode 100644 index 000000000..a178d3a9f Binary files /dev/null and b/apps/documenteditor/main/resources/img/toolbar/2x/huge/table-flow.png differ diff --git a/apps/documenteditor/main/resources/less/advanced-settings.less b/apps/documenteditor/main/resources/less/advanced-settings.less index e93d4e906..31a68d081 100644 --- a/apps/documenteditor/main/resources/less/advanced-settings.less +++ b/apps/documenteditor/main/resources/less/advanced-settings.less @@ -1,47 +1,9 @@ .btn-borders-large { - .background-ximage-v2('right-panels/LargeBorders.png', 62px, @commonimage: false); } -.button-normal-icon(btn-adv-paragraph-all, 0, 31px); -.button-normal-icon(btn-adv-paragraph-bottom, 1, 31px); -.button-normal-icon(btn-adv-paragraph-left, 2, 31px); -.button-normal-icon(btn-adv-paragraph-inner-hor, 3, 31px); -.button-normal-icon(btn-adv-paragraph-none, 4, 31px); -.button-normal-icon(btn-adv-paragraph-outer, 5, 31px); -.button-normal-icon(btn-adv-paragraph-right, 6, 31px); -.button-normal-icon(btn-adv-paragraph-top, 7, 31px); - -.button-normal-icon(btn-adv-position-all-none, 8, 31px); -.button-normal-icon(btn-adv-position-all-table, 9, 31px); -.button-normal-icon(btn-adv-position-all, 10, 31px); -.button-normal-icon(btn-adv-position-inner-none, 11, 31px); -.button-normal-icon(btn-adv-position-inner-table, 12, 31px); -.button-normal-icon(btn-adv-position-inner, 13, 31px); -.button-normal-icon(btn-adv-position-none, 14, 31px); -.button-normal-icon(btn-adv-position-none-table, 15, 31px); -.button-normal-icon(btn-adv-position-none-none, 16, 31px); -.button-normal-icon(btn-adv-position-outer-none, 17, 31px); -.button-normal-icon(btn-adv-position-outer-table, 18, 31px); -.button-normal-icon(btn-adv-position-outer, 19, 31px); -.button-otherstates-icon(btn-borders-large, 31px); - .icon-advanced-wrap { - .background-ximage-v2('right-panels/right_panel_wrap_btns.png', 90px, @commonimage: false); } -.button-normal-icon(btn-wrap-inline, 0, @x-huge-icon-size); -.button-normal-icon(btn-wrap-square, 1, @x-huge-icon-size); -.button-normal-icon(btn-wrap-tight, 2, @x-huge-icon-size); -.button-normal-icon(btn-wrap-through, 3, @x-huge-icon-size); -.button-normal-icon(btn-wrap-topbottom, 4, @x-huge-icon-size); -.button-normal-icon(btn-wrap-infront, 5, @x-huge-icon-size); -.button-normal-icon(btn-wrap-behind, 6, @x-huge-icon-size); - -.button-normal-icon(btn-drop-none, 7, @x-huge-icon-size); -.button-normal-icon(btn-drop-text, 8, @x-huge-icon-size); -.button-normal-icon(btn-drop-margin, 9, @x-huge-icon-size); -.button-otherstates-icon(icon-advanced-wrap, @x-huge-icon-size); - .combo-arrow-style { .form-control { cursor: pointer; @@ -50,16 +12,7 @@ &.image { background-position: 10px 0; background-attachment: scroll; - background-color: white; - } - } - - .btn { - &:active:not(.disabled), - &.active:not(.disabled){ - .caret { - background-position: @arrow-small-offset-x @arrow-small-offset-y; - } + background-color: @background-normal; } } } @@ -103,6 +56,9 @@ } } - +.canvas-box { + border: @scaled-one-px-value solid @border-regular-control; + background-color: #fff; +} diff --git a/apps/documenteditor/main/resources/less/app.less b/apps/documenteditor/main/resources/less/app.less index 67de94554..81726a07e 100644 --- a/apps/documenteditor/main/resources/less/app.less +++ b/apps/documenteditor/main/resources/less/app.less @@ -9,6 +9,8 @@ // Bootstrap overwrite @import "../../../../common/main/resources/less/variables.less"; +@import "../../../../common/main/resources/less/colors-table.less"; +@import "../../../../common/main/resources/less/colors-table-dark.less"; // // Bootstrap @@ -135,10 +137,30 @@ @import "sprites/iconssmall@1x"; @import "sprites/iconsbig@1x"; +@import "sprites/iconshuge@1x"; @import "sprites/iconssmall@2x"; @import "sprites/iconsbig@2x"; -//@import "sprites/iconssmall@1.5x"; -//@import "sprites/iconsbig@1.5x"; +@import "sprites/iconssmall@1.5x"; +@import "sprites/iconsbig@1.5x"; +@import "sprites/iconshuge@1.5x"; + +:root { + --big-icon-background-image: ~"url(@{app-image-const-path}/iconsbig.png)"; + --huge-icon-background-image: ~"url(@{app-image-const-path}/iconshuge.png)"; + + --big-icon-background-image-width: 56px; + --huge-icon-background-image-width: 80px; + + .pixel-ratio__1_5 { + --big-icon-background-image: ~"url(@{app-image-const-path}/iconsbig@1.5x.png)"; + --huge-icon-background-image: ~"url(@{app-image-const-path}/iconshuge@1.5x.png)"; + } + + .pixel-ratio__2 { + --big-icon-background-image: ~"url(@{app-image-const-path}/iconsbig@2x.png)"; + --huge-icon-background-image: ~"url(@{app-image-const-path}/iconshuge@2x.png)"; + } +} .font-size-small { .fontsize(@font-size-small); diff --git a/apps/documenteditor/main/resources/less/filemenu.less b/apps/documenteditor/main/resources/less/filemenu.less index 210380167..f9621b3d0 100644 --- a/apps/documenteditor/main/resources/less/filemenu.less +++ b/apps/documenteditor/main/resources/less/filemenu.less @@ -1,15 +1,6 @@ #file-menu-panel { - > div { - height: 100%; - } - .panel-menu { - width: 260px; - float: left; - border-right: 1px solid @gray-dark; - background-color: @gray-light; - li { list-style: none; position: relative; @@ -19,21 +10,21 @@ margin-bottom: 3px; &:hover:not(.disabled) { - background-color: @secondary; + background-color: @highlight-button-hover; } &.active:not(.disabled) { outline: 0; - background-color: @primary; + background-color: @highlight-button-pressed; > a { - color: #fff; + color: @text-normal-pressed; } } &.disabled > a { cursor: default; - color: @gray; + color: @border-regular-control; } } @@ -68,7 +59,7 @@ .panel-context { width: 100%; padding-left: 260px; - background-color: #fff; + background-color: @background-normal; .content-box { height: 100%; @@ -120,16 +111,6 @@ } } -.flex-settings { - #file-menu-panel & { - &.bordered { - border-bottom: 1px solid @gray; - } - overflow: hidden; - position: relative; - } -} - #panel-settings, #panel-info { #file-menu-panel & { @@ -173,7 +154,7 @@ h3 { margin: 0; font-size: 10pt; - color: #665; + color: @text-normal; font-weight: bold; padding: 0 0 10px 10px; white-space: nowrap; @@ -207,7 +188,7 @@ hr { margin: 0; border-bottom: none; - border-color: #e1e1e1; + border-color: @border-toolbar; } .thumb-list { @@ -246,7 +227,7 @@ &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } .recent-icon { @@ -268,7 +249,7 @@ } .file-info { - color: #999; + color: @text-secondary; } } } @@ -285,7 +266,7 @@ } .dataview { - border-right: 1px solid @gray-dark; + border-right: @scaled-one-px-value solid @border-toolbar; & > .item { display: block; @@ -299,11 +280,11 @@ &:not(.header-name) { &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } &.selected { - background-color: @primary; + background-color: @highlight-button-pressed; color: @dropdown-link-active-color; } } diff --git a/apps/documenteditor/main/resources/less/footnote.less b/apps/documenteditor/main/resources/less/footnote.less deleted file mode 100644 index d50272e28..000000000 --- a/apps/documenteditor/main/resources/less/footnote.less +++ /dev/null @@ -1,124 +0,0 @@ -.footnote-tip-root { - position: absolute; - z-index: @zindex-tooltip + 5; - width: 250px; - - .tip-arrow { - position: absolute; - overflow: hidden; - } - - &.bottom { - margin: 15px 0 0 0; - - .tip-arrow { - left: 50%; - top: -15px; - width: 26px; - height: 15px; - margin-left: -13px; - &:after { - top: 8px; - left: 5px; - .box-shadow(0 0 8px -1px rgba(0, 0, 0, 0.2)); - } - } - } - - &.top { - margin: 0 0px 15px 0; - - .tip-arrow { - left: 50%; - bottom: -15px; - width: 26px; - height: 15px; - margin-left: -13px; - &:after { - top: -8px; - left: 5px; - } - } - } -} - -.asc-footnotetip { - padding: 15px 8px 10px 15px; - border-radius: 5px; - background-color: #fff; - overflow: visible; - - .box-shadow(0 4px 15px -2px rgba(0, 0, 0, 0.5)); - font-size: 11px; -} - -.asc-footnotetip .tip-arrow:after { - content: ''; - position: absolute; - top: 5px; - left: 8px; - background-color: #fff; - width: 15px; - height: 15px; - - -moz-transform: rotate(45deg); - -ms-transform: rotate(45deg); - -webkit-transform: rotate(45deg); - -o-transform: rotate(45deg); - transform: rotate(45deg); - - .box-shadow(0 4px 8px -1px rgba(0, 0, 0, 0.2)); -} - -.asc-footnotetip .show-link { - margin-top: 15px; - - label { - border-bottom: 1px dotted #445799; - color: #445799; - cursor: pointer; - } -} - -.asc-footnotetip .move-ct { - position: absolute; - right: 0; - bottom: 0; - height: 16px; - margin: 8px; - - .prev, .next { - width: 16px; - height: 16px; - display: inline-block; - cursor: pointer; - } - - .prev { - background-position: @search-dlg-offset-x @search-dlg-offset-y; - } - - .next { - background-position: @search-dlg-offset-x @search-dlg-offset-y - 16px; - } - - .btn { - &:hover, - .over, - &:active, - &.active { - background-color: transparent !important; - } - - &.disabled{ - cursor: default; - .prev { - background-position: @search-dlg-offset-x - 32px @search-dlg-offset-y; - } - - .next{ - background-position: @search-dlg-offset-x - 32px @search-dlg-offset-y - 16px; - } - } - } -} diff --git a/apps/documenteditor/main/resources/less/layout.less b/apps/documenteditor/main/resources/less/layout.less index 2b5240838..12153b738 100644 --- a/apps/documenteditor/main/resources/less/layout.less +++ b/apps/documenteditor/main/resources/less/layout.less @@ -2,7 +2,7 @@ body { width: 100%; height: 100%; .user-select(none); - color: @gray-deep; + color: @text-normal; &.safari { position: absolute; @@ -39,7 +39,7 @@ label { top:0; right: 0; bottom: 0; - background-color: @gray-light; + background-color: @background-toolbar; overflow: hidden; } @@ -78,7 +78,7 @@ label { } #editor-container { - background: #e2e2e2; + //background: #e2e2e2; } #editor_sdk { diff --git a/apps/documenteditor/main/resources/less/leftmenu.less b/apps/documenteditor/main/resources/less/leftmenu.less index e2c064731..6e1e17538 100644 --- a/apps/documenteditor/main/resources/less/leftmenu.less +++ b/apps/documenteditor/main/resources/less/leftmenu.less @@ -1,40 +1,6 @@ -.tool-menu { - height: 100%; - display: block; - - &.left { - overflow: hidden; - - .tool-menu-btns { - border-right: 1px solid @gray-dark; - } - } -} - -.tool-menu-btns { - width: 40px; - height: 100%; - display: inline-block; - position: absolute; - padding-top: 15px; - - button { - margin-bottom: 8px; - } -} .left-panel { - padding-left: 40px; - height: 100%; - border-right: 1px solid @gray-dark; - - #left-panel-chat { - height: 100%; - } - #left-panel-comments { - height: 100%; - } - #left-panel-history { + #left-panel-history { height: 100%; } } @@ -47,7 +13,7 @@ top: 0; position: absolute; z-index: @zindex-dropdown - 5; - background-color: @gray-light; + background-color: @background-toolbar; overflow: hidden; } diff --git a/apps/documenteditor/main/resources/less/navigation.less b/apps/documenteditor/main/resources/less/navigation.less index 7eb4bba97..ac9a53a94 100644 --- a/apps/documenteditor/main/resources/less/navigation.less +++ b/apps/documenteditor/main/resources/less/navigation.less @@ -11,7 +11,7 @@ width: 100%; font-weight: bold; padding: 10px 12px; - border-bottom: 1px solid @gray-dark; + border-bottom: @scaled-one-px-value solid @border-toolbar; } #navigation-list { diff --git a/apps/documenteditor/main/resources/less/rightmenu.less b/apps/documenteditor/main/resources/less/rightmenu.less index 8c97276d8..4554547ed 100644 --- a/apps/documenteditor/main/resources/less/rightmenu.less +++ b/apps/documenteditor/main/resources/less/rightmenu.less @@ -1,90 +1,11 @@ -.tool-menu.right { - .tool-menu-btns { - position: absolute; - border-left: 1px solid @gray-dark; - background-color: @gray-light; - right: 0; - overflow: hidden; - } -} - -.right-panel { - width: 220px; - height: 100%; - display: none; - padding: 0 10px 0 15px; - position: relative; - overflow: hidden; - border-left: 1px solid @gray-dark; - line-height: 15px; -} - .settings-panel { - display: none; - overflow: visible; - margin-top: 7px; - - & > table { - width: 100%; - } - - &.active { - display: block; - } - - .padding-extra-small { - padding-bottom: 2px; - } - - .padding-small { - padding-bottom: 8px; - } - .padding-medium { padding-bottom: 12px; } - .padding-large { - padding-bottom: 16px; - } - - .finish-cell { - height: 15px; - } - - label { - .font-size-normal(); - font-weight: normal; - - &.input-label{ - margin-bottom: 0; - vertical-align: middle; - } - - &.header { - font-weight: bold; - } - } - - .separator { width: 100%;} - - .settings-hidden { - display: none; - } - - textarea { - .user-select(text); - width: 100%; - resize: none; - margin-bottom: 5px; - border: 1px solid @gray-dark; - height: 100%; - - &.disabled { - opacity: 0.65; - cursor: default !important; - } + .padding-extra-small { + padding-bottom: 2px; } } .right-panel .settings-panel { @@ -97,23 +18,23 @@ .background-ximage-v2('right-panels/RightPanelBigBtns.png', 74px, @commonimage: false); } -.button-normal-icon(btn-colontitul-tl, 3, @huge-icon-size); -.button-normal-icon(btn-colontitul-tc, 4, @huge-icon-size); -.button-normal-icon(btn-colontitul-tr, 5, @huge-icon-size); -.button-normal-icon(btn-colontitul-bl, 6, @huge-icon-size); -.button-normal-icon(btn-colontitul-bc, 7, @huge-icon-size); -.button-normal-icon(btn-colontitul-br, 8, @huge-icon-size); +.button-normal-icon(btn-colontitul-tl, 3, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-colontitul-tc, 4, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-colontitul-tr, 5, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-colontitul-bl, 6, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-colontitul-bc, 7, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-colontitul-br, 8, @huge-icon-size, @button-huge-normal-icon-offset-x); -.button-normal-icon(btn-wrap-none, 9, @huge-icon-size); -.button-normal-icon(btn-wrap-parallel, 10, @huge-icon-size); +.button-normal-icon(btn-wrap-none, 9, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-wrap-parallel, 10, @huge-icon-size, @button-huge-normal-icon-offset-x); -.button-normal-icon(btn-table-align-left, 0, @huge-icon-size); -.button-normal-icon(btn-table-align-center, 1, @huge-icon-size); -.button-normal-icon(btn-table-align-right, 2, @huge-icon-size); +.button-normal-icon(btn-table-align-left, 0, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-table-align-center, 1, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-table-align-right, 2, @huge-icon-size, @button-huge-normal-icon-offset-x); -.button-normal-icon(btn-frame-inline, 9, @huge-icon-size); -.button-normal-icon(btn-frame-flow, 10, @huge-icon-size); -.button-normal-icon(btn-frame-none, 11, @huge-icon-size); +.button-normal-icon(btn-frame-inline, 9, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-frame-flow, 10, @huge-icon-size, @button-huge-normal-icon-offset-x); +.button-normal-icon(btn-frame-none, 11, @huge-icon-size, @button-huge-normal-icon-offset-x); .button-otherstates-icon(icon-right-panel, @huge-icon-size); @@ -157,25 +78,6 @@ background-position: -250px 0; } -.btn-edit-table, -.btn-change-shape { - .background-ximage-v2('right-panels/rowscols_icon.png', 84px); - margin-right: 2px !important; - margin-bottom: 1px !important; -} - -.btn-edit-table {background-position: 0 0;} -button.over .btn-edit-table {background-position: -28px 0;} -.btn-group.open .btn-edit-table, -button.active:not(.disabled) .btn-edit-table, -button:active:not(.disabled) .btn-edit-table {background-position: -56px 0;} - -.btn-change-shape {background-position: 0 -16px;} -button.over .btn-change-shape {background-position: -28px -16px;} -.btn-group.open .btn-change-shape, -button.active:not(.disabled) .btn-change-shape, -button:active:not(.disabled) .btn-change-shape {background-position: -56px -16px;} - .combo-pattern-item { .background-ximage-v2('right-panels/patterns.png', 112px); } @@ -183,10 +85,10 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - .combo-dataview-menu { .form-control { cursor: pointer; - background-color: white; + background-color: @background-normal; &.text { - background: white; + background: @background-normal; vertical-align: bottom; } } @@ -255,7 +157,7 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - &:hover, &.over { - background-color: @secondary; + background-color: @highlight-button-hover; .caret { display: inline-block; @@ -293,4 +195,19 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - } } } +} + +#image-combo-wrap, #chart-combo-wrap, #shape-combo-wrap { + .options__icon { + width: 40px; + height: 40px; + } + + .item-icon-box { + width: 50px; + height: 50px; + display: flex; + justify-content: center; + align-items: center; + } } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/less/statusbar.less b/apps/documenteditor/main/resources/less/statusbar.less index 176835bb4..67b8c5a9c 100644 --- a/apps/documenteditor/main/resources/less/statusbar.less +++ b/apps/documenteditor/main/resources/less/statusbar.less @@ -1,14 +1,8 @@ .statusbar { display: table; padding: 2px; - height: 25px; - background-color: @gray-light; - .box-inner-shadow(0 1px 0 @gray-dark); .status-label { - font-weight: bold; - color: @gray-deep; - white-space: nowrap; position: relative; top: 1px; } @@ -75,7 +69,7 @@ .cnt-lang { display: inline-block; cursor: pointer; - color: #000; + color: @text-normal; margin-left: 6px; .caret.up { @@ -181,7 +175,7 @@ height: 12px; display: inline-block; vertical-align: middle; - border: 1px solid @gray-dark; + border: @scaled-one-px-value solid @border-toolbar; } .name { diff --git a/apps/documenteditor/main/resources/less/toolbar.less b/apps/documenteditor/main/resources/less/toolbar.less index 1acca729c..a76ab5b44 100644 --- a/apps/documenteditor/main/resources/less/toolbar.less +++ b/apps/documenteditor/main/resources/less/toolbar.less @@ -1,6 +1,4 @@ -@tabs-bg-color: #446995; - .toolbar { &.masked { button.disabled .icon:not(.no-mask) { @@ -29,7 +27,7 @@ right: 0; bottom: 0; opacity: 0; - background-color: @gray-light; + background-color: @background-toolbar; z-index: @zindex-tooltip + 1; } @@ -46,14 +44,15 @@ > li > a.item-contents { div { .background-ximage-v2('toolbar/contents.png', 246px, @commonimage: false); + background-color: #fff; width: 246px; height: @contents-menu-item-height; - .box-shadow(0 0 0 1px @gray); + .box-shadow(0 0 0 @scaled-one-px-value @border-regular-control); &:hover, &.selected { - .box-shadow(0 0 0 2px @primary); + .box-shadow(0 0 0 @scaled-two-px-value @border-control-focus); } } @@ -61,7 +60,7 @@ background-color: transparent; div { - .box-shadow(0 0 0 2px @primary); + .box-shadow(0 0 0 @scaled-two-px-value @border-control-focus); } } } @@ -79,39 +78,6 @@ .loop(2); } -.color-schemas-menu { - span { - &.colors { - display: inline-block; - margin-right: 15px; - } - - &.color { - display: inline-block; - width: 12px; - height: 12px; - margin-right: 2px; - border: 1px solid rgba(0, 0, 0, 0.2); - vertical-align: middle; - } - - &.text { - vertical-align: middle; - } - } - &.checked { - &:before { - display: none !important; - } - &, &:hover, &:focus { - background-color: @primary; - color: @dropdown-link-active-color; - span.color { - border-color: rgba(255,255,255,0.7); - } - } - } -} // page number position .menu-pageposition { .dataview { @@ -125,7 +91,7 @@ opacity: 0.5; &:hover { - .box-shadow(0 0 0 1px @gray); + .box-shadow(0 0 0 @scaled-one-px-value @border-regular-control); } } } @@ -172,29 +138,25 @@ } #id-toolbar-menu-auto-fontcolor > a.selected, -#control-settings-system-color > a.selected, -#control-settings-system-color > a:hover { +#id-toolbar-menu-auto-fontcolor > a:hover, +#watermark-auto-color > a.selected, +#watermark-auto-color > a:hover { span { - outline: 1px solid #000; - border: 1px solid #fff; + outline: @scaled-one-px-value solid @icon-normal; + border: @scaled-one-px-value solid @background-normal; } } -.item-equation { - border: 1px solid @gray; - .background-ximage-v2('toolbar/math.png', 1500px, @commonimage: true); -} - .save-style-container { cursor: default; position: relative; padding: 14px 11px; - border-left: 1px solid @gray; - border-top: 1px solid @gray; + border-left: @scaled-one-px-value solid @border-regular-control; + border-top: @scaled-one-px-value solid @border-regular-control; } .save-style-link { - border-bottom: 1px dotted #aaa; + border-bottom: @scaled-one-px-value dotted @text-secondary; cursor: pointer; margin-left: 22px; } @@ -217,7 +179,7 @@ #slot-field-fontname { float: left; - width: 117px; + width: 84px; } #slot-field-fontsize { @@ -226,7 +188,7 @@ margin-left: 2px; } -#slot-btn-incfont, #slot-btn-decfont { +#slot-btn-incfont, #slot-btn-decfont, #slot-btn-changecase { margin-left: 2px; } @@ -238,6 +200,6 @@ #special-paste-container { position: absolute; z-index: @zindex-dropdown - 20; - background-color: @gray-light; - border: 1px solid @gray; + background-color: @background-toolbar; + border: @scaled-one-px-value solid @border-regular-control; } \ No newline at end of file diff --git a/apps/documenteditor/main/resources/less/variables.less b/apps/documenteditor/main/resources/less/variables.less index d80729155..7421dacd8 100644 --- a/apps/documenteditor/main/resources/less/variables.less +++ b/apps/documenteditor/main/resources/less/variables.less @@ -1,14 +1,15 @@ // // Variables // -------------------------------------------------- +@header-background-color: var(--toolbar-header-document); // Active color // ------------------------- -@blue-darker: #00f; -@blue-dark: #5170b5; -@blue: #5a7dc9; -@blue-light: #6b8acf; -@blue-lighter: #00f; +//@blue-darker: #00f; +//@blue-dark: #5170b5; +//@blue: #5a7dc9; +//@blue-light: #6b8acf; +//@blue-lighter: #00f; -@brand-active: @blue-dark; -@brand-active-light: @blue-light; +//@brand-active: @blue-dark; +//@brand-active-light: @blue-light; diff --git a/apps/documenteditor/mobile/app/controller/DocumentHolder.js b/apps/documenteditor/mobile/app/controller/DocumentHolder.js index 3370f19f3..23d8a035e 100644 --- a/apps/documenteditor/mobile/app/controller/DocumentHolder.js +++ b/apps/documenteditor/mobile/app/controller/DocumentHolder.js @@ -65,7 +65,8 @@ define([ _timer = 0, _canViewComments = true, _isRestrictedEdit = false, - _canFillForms = true; + _canFillForms = true, + _stateDisplayMode = false; return { models: [], @@ -554,7 +555,7 @@ define([ items[indexAfter] = items.splice(indexBefore, 1, items[indexAfter])[0]; }; - if (_isEdit && !me.isDisconnected) { + if (_isEdit && !me.isDisconnected && !_stateDisplayMode) { if (!lockedText && !lockedTable && !lockedImage && !lockedHeader && canCopy) { arrItemsIcon.push({ caption: me.menuCut, @@ -674,6 +675,10 @@ define([ this.isDisconnected = true; }, + setDisplayMode: function(displayMode) { + _stateDisplayMode = displayMode == "final" || displayMode == "original" ? true : false; + }, + textGuest: 'Guest', textCancel: 'Cancel', textColumns: 'Columns', diff --git a/apps/documenteditor/mobile/app/controller/Main.js b/apps/documenteditor/mobile/app/controller/Main.js index fa0b58c42..2e35aca21 100644 --- a/apps/documenteditor/mobile/app/controller/Main.js +++ b/apps/documenteditor/mobile/app/controller/Main.js @@ -110,7 +110,16 @@ define([ 'Y Axis': this.txtYAxis, 'Your text here': this.txtArt, 'Header': this.txtHeader, - 'Footer': this.txtFooter + 'Footer': this.txtFooter, + "above": this.txtAbove, + "below": this.txtBelow, + "on page ": this.txtOnPage + " ", + " -Section ": " " + this.txtSection + " ", + "First Page ": this.txtFirstPage + " ", + "Even Page ": this.txtEvenPage + " ", + "Odd Page ": this.txtOddPage + " ", + "Same as Previous": this.txtSameAsPrev, + "Current Document": this.txtCurrentDocument }; styleNames.forEach(function(item){ translate[item] = me['txtStyle_' + item.replace(/ /g, '_')] || item; @@ -296,10 +305,6 @@ define([ if (data.doc) { DE.getController('Toolbar').setDocumentTitle(data.doc.title); - if (data.doc.info) { - data.doc.info.author && console.log("Obsolete: The 'author' parameter of the document 'info' section is deprecated. Please use 'owner' instead."); - data.doc.info.created && console.log("Obsolete: The 'created' parameter of the document 'info' section is deprecated. Please use 'uploaded' instead."); - } } }, @@ -803,7 +808,13 @@ define([ me.appOptions.canComments = me.appOptions.canLicense && (me.permissions.comment===undefined ? me.appOptions.isEdit : me.permissions.comment) && (me.editorConfig.mode !== 'view'); me.appOptions.canComments = me.appOptions.canComments && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.comments===false); me.appOptions.canViewComments = me.appOptions.canComments || !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.comments===false); - me.appOptions.canEditComments = me.appOptions.isOffline || !(typeof (me.editorConfig.customization) == 'object' && me.editorConfig.customization.commentAuthorOnly); + me.appOptions.canEditComments= me.appOptions.isOffline || !me.permissions.editCommentAuthorOnly; + me.appOptions.canDeleteComments= me.appOptions.isOffline || !me.permissions.deleteCommentAuthorOnly; + if ((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.commentAuthorOnly===true) { + console.log("Obsolete: The 'commentAuthorOnly' parameter of the 'customization' section is deprecated. Please use 'editCommentAuthorOnly' and 'deleteCommentAuthorOnly' parameters in the permissions instead."); + if (me.permissions.editCommentAuthorOnly===undefined && me.permissions.deleteCommentAuthorOnly===undefined) + me.appOptions.canEditComments = me.appOptions.canDeleteComments = me.appOptions.isOffline; + } me.appOptions.canChat = me.appOptions.canLicense && !me.appOptions.isOffline && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.chat===false); me.appOptions.canEditStyles = me.appOptions.canLicense && me.appOptions.canEdit; me.appOptions.canPrint = (me.permissions.print !== false); @@ -826,10 +837,11 @@ define([ me.appOptions.canUseHistory = me.appOptions.canReview = me.appOptions.isReviewOnly = false; } - me.appOptions.canUseReviewPermissions = me.appOptions.canLicense && me.editorConfig.customization && me.editorConfig.customization.reviewPermissions && (typeof (me.editorConfig.customization.reviewPermissions) == 'object'); + me.appOptions.canUseReviewPermissions = me.appOptions.canLicense && (!!me.permissions.reviewGroup || + me.editorConfig.customization && me.editorConfig.customization.reviewPermissions && (typeof (me.editorConfig.customization.reviewPermissions) == 'object')); Common.Utils.UserInfoParser.setParser(me.appOptions.canUseReviewPermissions); Common.Utils.UserInfoParser.setCurrentName(me.appOptions.user.fullname); - me.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(this.editorConfig.customization.reviewPermissions); + me.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(me.permissions.reviewGroup, me.editorConfig.customization.reviewPermissions); me.applyModeCommonElements(); me.applyModeEditorElements(); @@ -1319,7 +1331,10 @@ define([ var buttons = [{ text: 'OK', bold: true, + close: false, onClick: function () { + if (!me._state.openDlg) return; + $(me._state.openDlg).hasClass('modal-in') && uiApp.closeModal(me._state.openDlg); var password = $(me._state.openDlg).find('.modal-text-input[name="modal-password"]').val(); me.api.asc_setAdvancedOptions(type, new Asc.asc_CDRMAdvancedOptions(password)); @@ -1340,7 +1355,7 @@ define([ me._state.openDlg = uiApp.modal({ title: me.advDRMOptions, - text: me.txtProtected, + text: (typeof advOptions=='string' ? advOptions : me.txtProtected), afterText: '
    ', buttons: buttons }); @@ -1618,7 +1633,16 @@ define([ errorSessionToken: 'The connection to the server has been interrupted. Please reload the page.', warnLicenseLimitedRenewed: 'License needs to be renewed.
    You have a limited access to document editing functionality.
    Please contact your administrator to get full access', warnLicenseLimitedNoAccess: 'License expired.
    You have no access to document editing functionality.
    Please contact your administrator.', - textGuest: 'Guest' + textGuest: 'Guest', + txtAbove: "above", + txtBelow: "below", + txtOnPage: "on page", + txtSection: "-Section", + txtFirstPage: "First Page", + txtEvenPage: "Even Page", + txtOddPage: "Odd Page", + txtSameAsPrev: "Same as Previous", + txtCurrentDocument: "Current Document" } })(), DE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/documenteditor/mobile/app/controller/Settings.js b/apps/documenteditor/mobile/app/controller/Settings.js index 2c2d9a36c..e1c6ea319 100644 --- a/apps/documenteditor/mobile/app/controller/Settings.js +++ b/apps/documenteditor/mobile/app/controller/Settings.js @@ -346,8 +346,8 @@ define([ me.localSectionProps = me.api.asc_GetSectionProps(); if (me.localSectionProps) { - me.maxMarginsH = me.localSectionProps.get_H() - 26; - me.maxMarginsW = me.localSectionProps.get_W() - 127; + me.maxMarginsH = me.localSectionProps.get_H() - 2.6; + me.maxMarginsW = me.localSectionProps.get_W() - 12.7; var top = parseFloat(Common.Utils.Metric.fnRecalcFromMM(me.localSectionProps.get_TopMargin()).toFixed(2)), bottom = parseFloat(Common.Utils.Metric.fnRecalcFromMM(me.localSectionProps.get_BottomMargin()).toFixed(2)), @@ -436,9 +436,9 @@ define([ info = document.info || {}; document.title ? $('#settings-document-title').html(document.title) : $('.display-document-title').remove(); - var value = info.owner || info.author; + var value = info.owner; value ? $('#settings-document-owner').html(value) : $('.display-owner').remove(); - value = info.uploaded || info.created; + value = info.uploaded; value ? $('#settings-doc-uploaded').html(value) : $('.display-uploaded').remove(); info.folder ? $('#settings-doc-location').html(info.folder) : $('.display-location').remove(); diff --git a/apps/documenteditor/mobile/app/controller/add/AddOther.js b/apps/documenteditor/mobile/app/controller/add/AddOther.js index 454ac1826..9dca563e3 100644 --- a/apps/documenteditor/mobile/app/controller/add/AddOther.js +++ b/apps/documenteditor/mobile/app/controller/add/AddOther.js @@ -456,6 +456,7 @@ define([ } result += val; + prev = Math.abs(val); } return result; diff --git a/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js b/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js index b0ac19f25..114601e6a 100644 --- a/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js +++ b/apps/documenteditor/mobile/app/controller/edit/EditParagraph.js @@ -150,7 +150,7 @@ define([ $('#paragraph-distance-before .item-after label').text(_paragraphInfo.spaceBefore < 0 ? 'Auto' : distanceBeforeFix + ' ' + metricText); $('#paragraph-distance-after .item-after label').text(_paragraphInfo.spaceAfter < 0 ? 'Auto' : distanceAfterFix + ' ' + metricText); - $('#paragraph-space input:checkbox').prop('checked', me._paragraphObject.get_ContextualSpacing()); + $('#paragraph-space input:checkbox').prop('checked', !me._paragraphObject.get_ContextualSpacing()); $('#paragraph-page-break input:checkbox').prop('checked', me._paragraphObject.get_PageBreakBefore()); $('#paragraph-page-orphan input:checkbox').prop('checked', me._paragraphObject.get_WidowControl()); $('#paragraph-page-keeptogether input:checkbox').prop('checked', me._paragraphObject.get_KeepLines()); @@ -325,7 +325,7 @@ define([ onSpaceBetween: function (e) { var $checkbox = $(e.currentTarget); - this.api.put_AddSpaceBetweenPrg($checkbox.is(':checked')); + this.api.put_AddSpaceBetweenPrg(!$checkbox.is(':checked')); }, onBreakBefore: function (e) { diff --git a/apps/documenteditor/mobile/locale/bg.json b/apps/documenteditor/mobile/locale/bg.json index e37ca1de4..5bf04ed0e 100644 --- a/apps/documenteditor/mobile/locale/bg.json +++ b/apps/documenteditor/mobile/locale/bg.json @@ -40,7 +40,7 @@ "Common.Controllers.Collaboration.textParaInserted": "Вмъкнат е параграф", "Common.Controllers.Collaboration.textParaMoveFromDown": "Преместени надолу:", "Common.Controllers.Collaboration.textParaMoveFromUp": "Преместени нагоре:", - "Common.Controllers.Collaboration.textParaMoveTo": "<Ь>Преместен", + "Common.Controllers.Collaboration.textParaMoveTo": "Преместен", "Common.Controllers.Collaboration.textPosition": "Позиция", "Common.Controllers.Collaboration.textRight": "Подравняване в дясно", "Common.Controllers.Collaboration.textShape": "Форма", @@ -53,8 +53,8 @@ "Common.Controllers.Collaboration.textSubScript": "Subscript", "Common.Controllers.Collaboration.textSuperScript": "Superscript", "Common.Controllers.Collaboration.textTableChanged": "Промените в табличните настройки", - "Common.Controllers.Collaboration.textTableRowsAdd": "Добавени редове на таблицата", - "Common.Controllers.Collaboration.textTableRowsDel": "Изтрити редове в таблицата", + "Common.Controllers.Collaboration.textTableRowsAdd": "Добавени редове на таблицата", + "Common.Controllers.Collaboration.textTableRowsDel": "Изтрити редове в таблицата", "Common.Controllers.Collaboration.textTabs": "Промяна на разделите", "Common.Controllers.Collaboration.textUnderline": "Подчертано", "Common.Controllers.Collaboration.textWidow": "Widow control", diff --git a/apps/documenteditor/mobile/locale/ca.json b/apps/documenteditor/mobile/locale/ca.json index 962122f78..bf54f24ae 100644 --- a/apps/documenteditor/mobile/locale/ca.json +++ b/apps/documenteditor/mobile/locale/ca.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Subíndex", "Common.Controllers.Collaboration.textSuperScript": "Superíndex", "Common.Controllers.Collaboration.textTableChanged": "Configuració de la Taula Canviada", - "Common.Controllers.Collaboration.textTableRowsAdd": "Files de Taula Afegides", - "Common.Controllers.Collaboration.textTableRowsDel": "Files de Taula Suprimides", + "Common.Controllers.Collaboration.textTableRowsAdd": "Files de Taula Afegides", + "Common.Controllers.Collaboration.textTableRowsDel": "Files de Taula Suprimides", "Common.Controllers.Collaboration.textTabs": "Canviar tabulació", "Common.Controllers.Collaboration.textUnderline": "Subratllar", "Common.Controllers.Collaboration.textWidow": "Control Finestra", diff --git a/apps/documenteditor/mobile/locale/cs.json b/apps/documenteditor/mobile/locale/cs.json index cc90bb315..4dca9f204 100644 --- a/apps/documenteditor/mobile/locale/cs.json +++ b/apps/documenteditor/mobile/locale/cs.json @@ -64,9 +64,9 @@ "Common.Controllers.Collaboration.textStrikeout": "Přeškrnuté", "Common.Controllers.Collaboration.textSubScript": "Dolní index", "Common.Controllers.Collaboration.textSuperScript": "Horní index", - "Common.Controllers.Collaboration.textTableChanged": "Nastavení tabulky změněna", - "Common.Controllers.Collaboration.textTableRowsAdd": "Řádky tabulky vloženy", - "Common.Controllers.Collaboration.textTableRowsDel": "Řádky tabulky smazány", + "Common.Controllers.Collaboration.textTableChanged": "Nastavení tabulky změněna", + "Common.Controllers.Collaboration.textTableRowsAdd": "Řádky tabulky vloženy", + "Common.Controllers.Collaboration.textTableRowsDel": "Řádky tabulky smazány", "Common.Controllers.Collaboration.textTabs": "Změnit záložky", "Common.Controllers.Collaboration.textUnderline": "Podtržené", "Common.Controllers.Collaboration.textWidow": "Ovládací prvek okna", diff --git a/apps/documenteditor/mobile/locale/da.json b/apps/documenteditor/mobile/locale/da.json index 86e886e1f..ea450b236 100644 --- a/apps/documenteditor/mobile/locale/da.json +++ b/apps/documenteditor/mobile/locale/da.json @@ -21,8 +21,8 @@ "Common.Controllers.Collaboration.textRight": "Tilpas til højre", "Common.Controllers.Collaboration.textShd": "Baggrundsfarve", "Common.Controllers.Collaboration.textTableChanged": "Tabel indstillinger ændret", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tabel-rækker tilføjet", - "Common.Controllers.Collaboration.textTableRowsDel": "Tabel rækker slettet", + "Common.Controllers.Collaboration.textTableRowsAdd": "Tabel-rækker tilføjet", + "Common.Controllers.Collaboration.textTableRowsDel": "Tabel rækker slettet", "Common.UI.ThemeColorPalette.textCustomColors": "Brugerdefineret Farver", "Common.Utils.Metric.txtCm": "cm", "Common.Views.Collaboration.textAccept": "Accepter", diff --git a/apps/documenteditor/mobile/locale/de.json b/apps/documenteditor/mobile/locale/de.json index f18efccef..046efc0f0 100644 --- a/apps/documenteditor/mobile/locale/de.json +++ b/apps/documenteditor/mobile/locale/de.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Tiefgestellt", "Common.Controllers.Collaboration.textSuperScript": "Hochgestellt", "Common.Controllers.Collaboration.textTableChanged": "Tabelleneinstellungen sind geändert", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tabellenzeilen sind hinzugefügt", - "Common.Controllers.Collaboration.textTableRowsDel": "Tabellenzeilen sind gelöscht", + "Common.Controllers.Collaboration.textTableRowsAdd": "Tabellenzeilen sind hinzugefügt", + "Common.Controllers.Collaboration.textTableRowsDel": "Tabellenzeilen sind gelöscht", "Common.Controllers.Collaboration.textTabs": "Registerkarten ändern", "Common.Controllers.Collaboration.textUnderline": "Unterstrichen", "Common.Controllers.Collaboration.textWidow": "Absatzkontrolle (alleinstehende Absatzzeilen)", @@ -256,12 +256,21 @@ "DE.Controllers.Main.titleLicenseExp": "Lizenz ist abgelaufen", "DE.Controllers.Main.titleServerVersion": "Editor wurde aktualisiert", "DE.Controllers.Main.titleUpdateVersion": "Version wurde geändert", + "DE.Controllers.Main.txtAbove": "Oben", "DE.Controllers.Main.txtArt": "Hier den Text eingeben", + "DE.Controllers.Main.txtBelow": "Unten", + "DE.Controllers.Main.txtCurrentDocument": "Aktuelles Dokument", "DE.Controllers.Main.txtDiagramTitle": "Diagrammtitel", "DE.Controllers.Main.txtEditingMode": "Bearbeitungsmodus einschalten...", + "DE.Controllers.Main.txtEvenPage": "Gerade Seite", + "DE.Controllers.Main.txtFirstPage": "Erste Seite", "DE.Controllers.Main.txtFooter": "Fußzeile", "DE.Controllers.Main.txtHeader": "Kopfzeile", + "DE.Controllers.Main.txtOddPage": "Ungerade Seite", + "DE.Controllers.Main.txtOnPage": "auf Seite", "DE.Controllers.Main.txtProtected": "Sobald Sie das Passwort eingegeben und die Datei geöffnet haben, wird das aktuelle Passwort für die Datei zurückgesetzt", + "DE.Controllers.Main.txtSameAsPrev": "Wie vorherige", + "DE.Controllers.Main.txtSection": "-Abschnitt", "DE.Controllers.Main.txtSeries": "Reihen", "DE.Controllers.Main.txtStyle_footnote_text": "Fußnotentext", "DE.Controllers.Main.txtStyle_Heading_1": "Überschrift 1", diff --git a/apps/documenteditor/mobile/locale/el.json b/apps/documenteditor/mobile/locale/el.json index 718221ba3..069766393 100644 --- a/apps/documenteditor/mobile/locale/el.json +++ b/apps/documenteditor/mobile/locale/el.json @@ -1,5 +1,5 @@ { - "Common.Controllers.Collaboration.textAddReply": "Προσθήκη απάντησης", + "Common.Controllers.Collaboration.textAddReply": "Προσθήκη Απάντησης", "Common.Controllers.Collaboration.textAtLeast": "τουλάχιστον", "Common.Controllers.Collaboration.textAuto": "αυτόματα", "Common.Controllers.Collaboration.textBaseline": "Γραμμή Αναφοράς", @@ -39,17 +39,17 @@ "Common.Controllers.Collaboration.textMultiple": "πολλαπλό", "Common.Controllers.Collaboration.textNoBreakBefore": "Όχι αλλαγή σελίδας πριν", "Common.Controllers.Collaboration.textNoChanges": "Δεν υπάρχουν αλλαγές.", - "Common.Controllers.Collaboration.textNoContextual": "Προσθέστε διάστημα μεταξύ παραγράφων της ίδιας τεχνοτροπίας", + "Common.Controllers.Collaboration.textNoContextual": "Προσθήκη διαστήματος μεταξύ παραγράφων της ίδιας τεχνοτροπίας", "Common.Controllers.Collaboration.textNoKeepLines": "Μην διατηρείτε τις γραμμές μαζί", "Common.Controllers.Collaboration.textNoKeepNext": "Να μην διατηρηθεί με επόμενο", "Common.Controllers.Collaboration.textNot": "Όχι", "Common.Controllers.Collaboration.textNoWidow": "Χωρίς έλεγχο παραθύρου", "Common.Controllers.Collaboration.textNum": "Αλλαγή αρίθμησης", "Common.Controllers.Collaboration.textParaDeleted": "Παράγραφος Διαγράφηκε", - "Common.Controllers.Collaboration.textParaFormatted": "Παράγραφος", + "Common.Controllers.Collaboration.textParaFormatted": "Παράγραφος Μορφοποιήθηκε", "Common.Controllers.Collaboration.textParaInserted": "Παράγραφος Εισήχθη", - "Common.Controllers.Collaboration.textParaMoveFromDown": "Μετακίνηση κάτω:", - "Common.Controllers.Collaboration.textParaMoveFromUp": "Μετακίνηση επάνω:", + "Common.Controllers.Collaboration.textParaMoveFromDown": "Μετακινήθηκαν Κάτω:", + "Common.Controllers.Collaboration.textParaMoveFromUp": "Μετακινήθηκαν Πάνω:", "Common.Controllers.Collaboration.textParaMoveTo": "Μετακινήθηκαν:", "Common.Controllers.Collaboration.textPosition": "Θέση", "Common.Controllers.Collaboration.textReopen": "Άνοιγμα ξανά", @@ -64,9 +64,9 @@ "Common.Controllers.Collaboration.textStrikeout": "Διαγραφή", "Common.Controllers.Collaboration.textSubScript": "Δείκτης", "Common.Controllers.Collaboration.textSuperScript": "Εκθέτης", - "Common.Controllers.Collaboration.textTableChanged": "Άλλαξαν οι ρυθμίσεις πίνακα", + "Common.Controllers.Collaboration.textTableChanged": "Άλλαξαν οι Ρυθμίσεις Πίνακα", "Common.Controllers.Collaboration.textTableRowsAdd": "Προστέθηκαν Γραμμές Πίνακα", - "Common.Controllers.Collaboration.textTableRowsDel": "Διαγράφηκαν Γραμμές Του Πίνακα", + "Common.Controllers.Collaboration.textTableRowsDel": "Διαγράφηκαν Γραμμές Του Πίνακα", "Common.Controllers.Collaboration.textTabs": "Αλλαγή καρτελών", "Common.Controllers.Collaboration.textUnderline": "Υπογράμμιση", "Common.Controllers.Collaboration.textWidow": "Έλεγχος παραθύρου", @@ -77,8 +77,8 @@ "Common.Utils.Metric.txtCm": "εκ", "Common.Utils.Metric.txtPt": "pt", "Common.Views.Collaboration.textAccept": "Αποδοχή", - "Common.Views.Collaboration.textAcceptAllChanges": "Αποδοχή όλων των αλλαγών", - "Common.Views.Collaboration.textAddReply": "Προσθήκη απάντησης", + "Common.Views.Collaboration.textAcceptAllChanges": "Αποδοχή Όλων των Αλλαγών", + "Common.Views.Collaboration.textAddReply": "Προσθήκη Απάντησης", "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Όλες οι αλλαγές έγιναν αποδεκτές (Προεπισκόπηση)", "Common.Views.Collaboration.textAllChangesEditing": "Όλες οι αλλαγές (Επεξεργασία)", "Common.Views.Collaboration.textAllChangesRejectedPreview": "Όλες οι αλλαγές απορρίφθηκαν (Προεπισκόπηση)", @@ -120,8 +120,8 @@ "DE.Controllers.AddTable.textRows": "Γραμμές", "DE.Controllers.AddTable.textTableSize": "Μέγεθος πίνακα", "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Οι ενέργειες αντιγραφής, αποκοπής και επικόλλησης μέσω του μενού περιβάλλοντος θα εκτελούνται μόνο στο τρέχον αρχείο.", - "DE.Controllers.DocumentHolder.menuAddComment": "Προσθήκη σχολίου", - "DE.Controllers.DocumentHolder.menuAddLink": "Προσθήκη συνδέσμου", + "DE.Controllers.DocumentHolder.menuAddComment": "Προσθήκη Σχολίου", + "DE.Controllers.DocumentHolder.menuAddLink": "Προσθήκη Συνδέσμου", "DE.Controllers.DocumentHolder.menuCopy": "Αντιγραφή", "DE.Controllers.DocumentHolder.menuCut": "Αποκοπή", "DE.Controllers.DocumentHolder.menuDelete": "Διαγραφή", @@ -249,19 +249,28 @@ "DE.Controllers.Main.textPaidFeature": "Δυνατότητα επί πληρωμή", "DE.Controllers.Main.textPassword": "Συνθηματικό", "DE.Controllers.Main.textPreloader": "Φόρτωση ...", - "DE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου", + "DE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου για όλα τα αρχεία", "DE.Controllers.Main.textTryUndoRedo": "Οι λειτουργίες Αναίρεση/Επανάληψη απενεργοποιούνται για τη λειτουργία γρήγορης συν-επεξεργασίας.", "DE.Controllers.Main.textUsername": "Όνομα χρήστη", "DE.Controllers.Main.textYes": "Ναι", "DE.Controllers.Main.titleLicenseExp": "Η άδεια έληξε", "DE.Controllers.Main.titleServerVersion": "Το πρόγραμμα επεξεργασίας ενημερώθηκε", "DE.Controllers.Main.titleUpdateVersion": "Η έκδοση άλλαξε", + "DE.Controllers.Main.txtAbove": "από πάνω", "DE.Controllers.Main.txtArt": "Το κείμενό σας εδώ", + "DE.Controllers.Main.txtBelow": "από κάτω", + "DE.Controllers.Main.txtCurrentDocument": "Τρέχον Έγγραφο", "DE.Controllers.Main.txtDiagramTitle": "Τίτλος διαγράμματος", "DE.Controllers.Main.txtEditingMode": "Ορισμός κατάστασης επεξεργασίας...", + "DE.Controllers.Main.txtEvenPage": "Ζυγή Σελίδα", + "DE.Controllers.Main.txtFirstPage": "Πρώτη Σελίδα", "DE.Controllers.Main.txtFooter": "Υποσέλιδο", "DE.Controllers.Main.txtHeader": "Κεφαλίδα", + "DE.Controllers.Main.txtOddPage": "Μονή Σελίδα", + "DE.Controllers.Main.txtOnPage": "στη σελίδα", "DE.Controllers.Main.txtProtected": "Μόλις εισαγάγετε το συνθηματικό και ανοίξετε το αρχείο, θα γίνει επαναφορά του τρέχοντος συνθηματικού του αρχείου", + "DE.Controllers.Main.txtSameAsPrev": "Ίδιο με το Προηγούμενο", + "DE.Controllers.Main.txtSection": "-Τμήμα", "DE.Controllers.Main.txtSeries": "Σειρά", "DE.Controllers.Main.txtStyle_footnote_text": "Κείμενο υποσημείωσης", "DE.Controllers.Main.txtStyle_Heading_1": "Επικεφαλίδα 1", @@ -299,7 +308,7 @@ "DE.Controllers.Main.warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για %1 επεξεργαστές.
    Παρακαλούμε επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", "DE.Controllers.Main.warnProcessRightsChange": "Σας έχει απαγορευτεί το δικαίωμα επεξεργασίας του αρχείου.", "DE.Controllers.Search.textNoTextFound": "Δεν βρέθηκε κείμενο", - "DE.Controllers.Search.textReplaceAll": "Αντικατάσταση όλων", + "DE.Controllers.Search.textReplaceAll": "Αντικατάσταση Όλων", "DE.Controllers.Settings.notcriticalErrorTitle": "Προειδοποίηση", "DE.Controllers.Settings.textCustomSize": "Προσαρμοσμένο μέγεθος", "DE.Controllers.Settings.txtLoading": "Φόρτωση ...", @@ -317,7 +326,7 @@ "DE.Views.AddImage.textImageURL": "Διεύθυνση εικόνας", "DE.Views.AddImage.textInsertImage": "Εισαγωγή εικόνας", "DE.Views.AddImage.textLinkSettings": "Ρυθμίσεις συνδέσμου", - "DE.Views.AddOther.textAddComment": "Προσθήκη σχολίου", + "DE.Views.AddOther.textAddComment": "Προσθήκη Σχολίου", "DE.Views.AddOther.textAddLink": "Προσθήκη συνδέσμου", "DE.Views.AddOther.textBack": "Πίσω", "DE.Views.AddOther.textBreak": "Αλλαγή σελίδας", @@ -348,7 +357,7 @@ "DE.Views.AddOther.textSectionBreak": "Αλλαγή Τμήματος", "DE.Views.AddOther.textStartFrom": "Έναρξη Σε", "DE.Views.AddOther.textTip": "Συμβουλή οθόνης", - "DE.Views.EditChart.textAddCustomColor": "Προσθήκη προσαρμοσμένου χρώματος", + "DE.Views.EditChart.textAddCustomColor": "Προσθήκη Προσαρμοσμένου Χρώματος", "DE.Views.EditChart.textAlign": "Στοίχιση", "DE.Views.EditChart.textBack": "Πίσω", "DE.Views.EditChart.textBackward": "Μετακίνηση προς τα πίσω", @@ -362,7 +371,7 @@ "DE.Views.EditChart.textInFront": "Μπροστά", "DE.Views.EditChart.textInline": "Εντός γραμμής κειμένου", "DE.Views.EditChart.textMoveText": "Μετακίνηση με κείμενο", - "DE.Views.EditChart.textOverlap": "Να επιτρέπεται η επικάλυψη", + "DE.Views.EditChart.textOverlap": "Να Επιτρέπεται η Επικάλυψη", "DE.Views.EditChart.textRemoveChart": "Αφαίρεση διαγράμματος", "DE.Views.EditChart.textReorder": "Επανατακτοποίηση", "DE.Views.EditChart.textSize": "Μέγεθος", @@ -391,7 +400,7 @@ "DE.Views.EditImage.textBack": "Πίσω", "DE.Views.EditImage.textBackward": "Μετακίνηση προς τα πίσω", "DE.Views.EditImage.textBehind": "Πίσω", - "DE.Views.EditImage.textDefault": "Πλήρες μέγεθος", + "DE.Views.EditImage.textDefault": "Πραγματικό Μέγεθος", "DE.Views.EditImage.textDistanceText": "Απόσταση από το κείμενο", "DE.Views.EditImage.textForward": "Μετακίνηση προς τα εμπρός", "DE.Views.EditImage.textFromLibrary": "Εικόνα από τη βιβλιοθήκη", @@ -401,11 +410,11 @@ "DE.Views.EditImage.textInline": "Εντός γραμμής κειμένου", "DE.Views.EditImage.textLinkSettings": "Ρυθμίσεις συνδέσμου", "DE.Views.EditImage.textMoveText": "Μετακίνηση με κείμενο", - "DE.Views.EditImage.textOverlap": "Να επιτρέπεται η επικάλυψη", + "DE.Views.EditImage.textOverlap": "Να Επιτρέπεται η Επικάλυψη", "DE.Views.EditImage.textRemove": "Αφαίρεση εικόνας", "DE.Views.EditImage.textReorder": "Επανατακτοποίηση", "DE.Views.EditImage.textReplace": "Αντικατάσταση", - "DE.Views.EditImage.textReplaceImg": "Αντικατάσταση εικόνας", + "DE.Views.EditImage.textReplaceImg": "Αντικατάσταση Εικόνας", "DE.Views.EditImage.textSquare": "Τετράγωνο", "DE.Views.EditImage.textThrough": "Διά μέσου", "DE.Views.EditImage.textTight": "Σφιχτό", @@ -413,9 +422,9 @@ "DE.Views.EditImage.textToForeground": "Μεταφορά στο προσκήνιο", "DE.Views.EditImage.textTopBottom": "Πάνω και Κάτω Μέρος", "DE.Views.EditImage.textWrap": "Αναδίπλωση", - "DE.Views.EditParagraph.textAddCustomColor": "Προσθήκη προσαρμοσμένου χρώματος", + "DE.Views.EditParagraph.textAddCustomColor": "Προσθήκη Προσαρμοσμένου Χρώματος", "DE.Views.EditParagraph.textAdvanced": "Για προχωρημένους", - "DE.Views.EditParagraph.textAdvSettings": "Προηγμένες ρυθμίσεις", + "DE.Views.EditParagraph.textAdvSettings": "Ρυθμίσεις για Προχωρημένους", "DE.Views.EditParagraph.textAfter": "Μετά", "DE.Views.EditParagraph.textAuto": "Αυτόματα", "DE.Views.EditParagraph.textBack": "Πίσω", @@ -430,7 +439,7 @@ "DE.Views.EditParagraph.textPageBreak": "Αλλαγή σελίδας πριν", "DE.Views.EditParagraph.textPrgStyles": "Τεχνοτροπίες παραγράφου", "DE.Views.EditParagraph.textSpaceBetween": "Διάστημα Μεταξύ Παραγράφων", - "DE.Views.EditShape.textAddCustomColor": "Προσθήκη προσαρμοσμένου χρώματος", + "DE.Views.EditShape.textAddCustomColor": "Προσθήκη Προσαρμοσμένου Χρώματος", "DE.Views.EditShape.textAlign": "Στοίχιση", "DE.Views.EditShape.textBack": "Πίσω", "DE.Views.EditShape.textBackward": "Μετακίνηση προς τα πίσω", @@ -445,7 +454,7 @@ "DE.Views.EditShape.textInFront": "Μπροστά", "DE.Views.EditShape.textInline": "Εντός γραμμής κειμένου", "DE.Views.EditShape.textOpacity": "Αδιαφάνεια", - "DE.Views.EditShape.textOverlap": "Να επιτρέπεται η επικάλυψη", + "DE.Views.EditShape.textOverlap": "Να Επιτρέπεται η Επικάλυψη", "DE.Views.EditShape.textRemoveShape": "Αφαίρεση σχήματος", "DE.Views.EditShape.textReorder": "Επανατακτοποίηση", "DE.Views.EditShape.textReplace": "Αντικατάσταση", @@ -459,7 +468,7 @@ "DE.Views.EditShape.textTopAndBottom": "Πάνω και Κάτω Μέρος", "DE.Views.EditShape.textWithText": "Μετακίνηση με κείμενο", "DE.Views.EditShape.textWrap": "Αναδίπλωση", - "DE.Views.EditTable.textAddCustomColor": "Προσθήκη προσαρμοσμένου χρώματος", + "DE.Views.EditTable.textAddCustomColor": "Προσθήκη Προσαρμοσμένου Χρώματος", "DE.Views.EditTable.textAlign": "Στοίχιση", "DE.Views.EditTable.textBack": "Πίσω", "DE.Views.EditTable.textBandedColumn": "Στήλη Εναλλαγής Σκίασης", @@ -486,10 +495,10 @@ "DE.Views.EditTable.textTotalRow": "Συνολική γραμμή", "DE.Views.EditTable.textWithText": "Μετακίνηση με κείμενο", "DE.Views.EditTable.textWrap": "Αναδίπλωση", - "DE.Views.EditText.textAddCustomColor": "Προσθήκη προσαρμοσμένου χρώματος", + "DE.Views.EditText.textAddCustomColor": "Προσθήκη Προσαρμοσμένου Χρώματος", "DE.Views.EditText.textAdditional": "Επιπρόσθετα", - "DE.Views.EditText.textAdditionalFormat": "Πρόσθετη μορφοποίηση", - "DE.Views.EditText.textAllCaps": "Όλα κεφαλαία", + "DE.Views.EditText.textAdditionalFormat": "Πρόσθετη Μορφοποίηση", + "DE.Views.EditText.textAllCaps": "Όλα Κεφαλαία", "DE.Views.EditText.textAutomatic": "Αυτόματα", "DE.Views.EditText.textBack": "Πίσω", "DE.Views.EditText.textBullets": "Κουκκίδες", @@ -511,12 +520,12 @@ "DE.Views.EditText.textNumbers": "Αριθμοί", "DE.Views.EditText.textSize": "Μέγεθος", "DE.Views.EditText.textSmallCaps": "Μικρά Κεφαλαία", - "DE.Views.EditText.textStrikethrough": "Διακριτή διαγραφή", + "DE.Views.EditText.textStrikethrough": "Διακριτική διαγραφή", "DE.Views.EditText.textSubscript": "Δείκτης", "DE.Views.Search.textCase": "Με διάκριση πεζών - κεφαλαίων γραμμάτων", "DE.Views.Search.textDone": "Ολοκληρώθηκε", "DE.Views.Search.textFind": "Εύρεση", - "DE.Views.Search.textFindAndReplace": "Εύρεση και αντικατάσταση", + "DE.Views.Search.textFindAndReplace": "Εύρεση και Αντικατάσταση", "DE.Views.Search.textHighlight": "Επισήμανση αποτελεσμάτων", "DE.Views.Search.textReplace": "Αντικατάσταση", "DE.Views.Search.textSearch": "Αναζήτηση", @@ -553,7 +562,7 @@ "DE.Views.Settings.textEnableAll": "Ενεργοποίηση όλων", "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Ενεργοποίηση όλων των μακροεντολών χωρίς ειδοποίηση", "DE.Views.Settings.textFind": "Εύρεση", - "DE.Views.Settings.textFindAndReplace": "Εύρεση και αντικατάσταση", + "DE.Views.Settings.textFindAndReplace": "Εύρεση και Αντικατάσταση", "DE.Views.Settings.textFormat": "Μορφή", "DE.Views.Settings.textHelp": "Βοήθεια", "DE.Views.Settings.textHiddenTableBorders": "Κρυμμένα Όρια Πίνακα", diff --git a/apps/documenteditor/mobile/locale/en.json b/apps/documenteditor/mobile/locale/en.json index 497c8bc39..1502c85da 100644 --- a/apps/documenteditor/mobile/locale/en.json +++ b/apps/documenteditor/mobile/locale/en.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Subscript", "Common.Controllers.Collaboration.textSuperScript": "Superscript", "Common.Controllers.Collaboration.textTableChanged": "Table Settings Changed", - "Common.Controllers.Collaboration.textTableRowsAdd": "Table Rows Added", - "Common.Controllers.Collaboration.textTableRowsDel": "Table Rows Deleted", + "Common.Controllers.Collaboration.textTableRowsAdd": "Table Rows Added", + "Common.Controllers.Collaboration.textTableRowsDel": "Table Rows Deleted", "Common.Controllers.Collaboration.textTabs": "Change tabs", "Common.Controllers.Collaboration.textUnderline": "Underline", "Common.Controllers.Collaboration.textWidow": "Widow control", @@ -250,19 +250,28 @@ "DE.Controllers.Main.textPaidFeature": "Paid feature", "DE.Controllers.Main.textPassword": "Password", "DE.Controllers.Main.textPreloader": "Loading... ", - "DE.Controllers.Main.textRemember": "Remember my choice", + "DE.Controllers.Main.textRemember": "Remember my choice for all files", "DE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", "DE.Controllers.Main.textUsername": "Username", "DE.Controllers.Main.textYes": "Yes", "DE.Controllers.Main.titleLicenseExp": "License expired", "DE.Controllers.Main.titleServerVersion": "Editor updated", "DE.Controllers.Main.titleUpdateVersion": "Version changed", + "DE.Controllers.Main.txtAbove": "above", "DE.Controllers.Main.txtArt": "Your text here", + "DE.Controllers.Main.txtBelow": "below", + "DE.Controllers.Main.txtCurrentDocument": "Current Document", "DE.Controllers.Main.txtDiagramTitle": "Chart Title", "DE.Controllers.Main.txtEditingMode": "Set editing mode...", + "DE.Controllers.Main.txtEvenPage": "Even Page", + "DE.Controllers.Main.txtFirstPage": "First Page", "DE.Controllers.Main.txtFooter": "Footer", "DE.Controllers.Main.txtHeader": "Header", + "DE.Controllers.Main.txtOddPage": "Odd Page", + "DE.Controllers.Main.txtOnPage": "on page", "DE.Controllers.Main.txtProtected": "Once you enter the password and open the file, the current password to the file will be reset", + "DE.Controllers.Main.txtSameAsPrev": "Same as Previous", + "DE.Controllers.Main.txtSection": "-Section", "DE.Controllers.Main.txtSeries": "Series", "DE.Controllers.Main.txtStyle_footnote_text": "Footnote Text", "DE.Controllers.Main.txtStyle_Heading_1": "Heading 1", diff --git a/apps/documenteditor/mobile/locale/es.json b/apps/documenteditor/mobile/locale/es.json index 82754fd58..eba4fb19f 100644 --- a/apps/documenteditor/mobile/locale/es.json +++ b/apps/documenteditor/mobile/locale/es.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Subíndice", "Common.Controllers.Collaboration.textSuperScript": "Superíndice", "Common.Controllers.Collaboration.textTableChanged": "Se cambió configuración de la tabla", - "Common.Controllers.Collaboration.textTableRowsAdd": "Se añadieron filas de la tabla", - "Common.Controllers.Collaboration.textTableRowsDel": "Se eliminaron filas de la tabla", + "Common.Controllers.Collaboration.textTableRowsAdd": "Se añadieron filas de la tabla", + "Common.Controllers.Collaboration.textTableRowsDel": "Se eliminaron filas de la tabla", "Common.Controllers.Collaboration.textTabs": "Cambiar tabuladores", "Common.Controllers.Collaboration.textUnderline": "Subrayado", "Common.Controllers.Collaboration.textWidow": "Widow control", diff --git a/apps/documenteditor/mobile/locale/fr.json b/apps/documenteditor/mobile/locale/fr.json index 6f0399ebd..8c638e16d 100644 --- a/apps/documenteditor/mobile/locale/fr.json +++ b/apps/documenteditor/mobile/locale/fr.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Indice", "Common.Controllers.Collaboration.textSuperScript": "Exposant", "Common.Controllers.Collaboration.textTableChanged": "Paramètres du tableau modifiés", - "Common.Controllers.Collaboration.textTableRowsAdd": "Lignes de tableau ajoutées", - "Common.Controllers.Collaboration.textTableRowsDel": "Lignes de tableau supprimées", + "Common.Controllers.Collaboration.textTableRowsAdd": "Lignes de tableau ajoutées", + "Common.Controllers.Collaboration.textTableRowsDel": "Lignes de tableau supprimées", "Common.Controllers.Collaboration.textTabs": "Changer les tabulations", "Common.Controllers.Collaboration.textUnderline": "Souligné", "Common.Controllers.Collaboration.textWidow": "Contrôle des veuves", @@ -256,12 +256,21 @@ "DE.Controllers.Main.titleLicenseExp": "Licence expirée", "DE.Controllers.Main.titleServerVersion": "L'éditeur est mis à jour", "DE.Controllers.Main.titleUpdateVersion": "Version a été modifiée", + "DE.Controllers.Main.txtAbove": "Au-dessus", "DE.Controllers.Main.txtArt": "Entrez votre texte", + "DE.Controllers.Main.txtBelow": "En dessous", + "DE.Controllers.Main.txtCurrentDocument": "Document actuel", "DE.Controllers.Main.txtDiagramTitle": "Titre du graphique", "DE.Controllers.Main.txtEditingMode": "Définition du mode d'édition...", + "DE.Controllers.Main.txtEvenPage": "Page paire", + "DE.Controllers.Main.txtFirstPage": "Première Page", "DE.Controllers.Main.txtFooter": "Pied de page", "DE.Controllers.Main.txtHeader": "En-tête", + "DE.Controllers.Main.txtOddPage": "Page impaire", + "DE.Controllers.Main.txtOnPage": "sur la page", "DE.Controllers.Main.txtProtected": "Une fois le mot de passe saisi et le ficher ouvert, le mot de passe actuel sera réinitialisé", + "DE.Controllers.Main.txtSameAsPrev": "Identique au précédent", + "DE.Controllers.Main.txtSection": "-Section", "DE.Controllers.Main.txtSeries": "Séries", "DE.Controllers.Main.txtStyle_footnote_text": "Texte de la note de bas de page", "DE.Controllers.Main.txtStyle_Heading_1": "Titre 1", diff --git a/apps/documenteditor/mobile/locale/lo.json b/apps/documenteditor/mobile/locale/lo.json index 489864a1a..dba69c9a8 100644 --- a/apps/documenteditor/mobile/locale/lo.json +++ b/apps/documenteditor/mobile/locale/lo.json @@ -35,7 +35,7 @@ "Common.Controllers.Collaboration.textLeft": "ຈັດຕຳແໜ່ງຕິດຊ້າຍ", "Common.Controllers.Collaboration.textLineSpacing": "ໄລຍະຫ່າງລະຫວ່າງເສັ້ນ:", "Common.Controllers.Collaboration.textMessageDeleteComment": "ທ່ານຕ້ອງການລົບຄຳເຫັນນີ້ແທ້ບໍ", - "Common.Controllers.Collaboration.textMessageDeleteReply": "\nທ່ານຕ້ອງການລົບແທ້ບໍ?", + "Common.Controllers.Collaboration.textMessageDeleteReply": "ທ່ານຕ້ອງການລົບແທ້ບໍ?", "Common.Controllers.Collaboration.textMultiple": "ຕົວຄູນ", "Common.Controllers.Collaboration.textNoBreakBefore": "ບໍ່ໄດ້ຂັ້ນໜ້າກ່ອນໜ້ານີ້", "Common.Controllers.Collaboration.textNoChanges": "ບໍ່ມີການປ່ຽນແປງ", @@ -64,9 +64,9 @@ "Common.Controllers.Collaboration.textStrikeout": "ຂີດຂ້າອອກ", "Common.Controllers.Collaboration.textSubScript": "ຕົວຫ້ອຍ", "Common.Controllers.Collaboration.textSuperScript": "ຕົວຍົກ", - "Common.Controllers.Collaboration.textTableChanged": "ການຕັ້ງຄ່າຕາຕະລາງ", - "Common.Controllers.Collaboration.textTableRowsAdd": "ເພີ່ມແຖວໃສ່ຕາຕະລາງ", - "Common.Controllers.Collaboration.textTableRowsDel": "ລຶບແຖວອອກຈາກຕາຕະລາງ", + "Common.Controllers.Collaboration.textTableChanged": "ການຕັ້ງຄ່າຕາຕະລາງ", + "Common.Controllers.Collaboration.textTableRowsAdd": "ເພີ່ມແຖວໃສ່ຕາຕະລາງ", + "Common.Controllers.Collaboration.textTableRowsDel": "ລຶບແຖວອອກຈາກຕາຕະລາງ", "Common.Controllers.Collaboration.textTabs": "ປ່ຽນຂັ້ນ", "Common.Controllers.Collaboration.textUnderline": "ີຂີດກ້ອງ", "Common.Controllers.Collaboration.textWidow": "ຄອບຄຸມໜ້າຕ່າງ ", @@ -181,7 +181,7 @@ "DE.Controllers.Main.errorCoAuthoringDisconnect": "ບໍ່ສາມາດເຊື່ອມຕໍ່ ເຊີບເວີ , ທ່ານບໍ່ສາມາດແກ້ໄຂເອກະສານຕໍ່ໄດ້", "DE.Controllers.Main.errorConnectToServer": "ເອກະສານບໍ່ສາມາດບັນທຶກໄດ້. ກະລຸນາກວດສອບການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຫລືຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.
    ເມື່ອທ່ານກົດປຸ່ມ 'OK', ທ່ານຈະໄດ້ຮັບການກະຕຸ້ນເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", "DE.Controllers.Main.errorDatabaseConnection": "ຂໍ້ຜິດພາດຈາກທາງນອກ
    ຖານຂໍ້ມູນ", - "DE.Controllers.Main.errorDataEncrypted": "\nໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "DE.Controllers.Main.errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", "DE.Controllers.Main.errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", "DE.Controllers.Main.errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", "DE.Controllers.Main.errorEditingDownloadas": "ພົບບັນຫາຕອນເປີດຟາຍ.
    ດາວໂຫຼດຟາຍເພື່ອແບັກອັບໄວ້ຄອມທ່ານໂດຍກົດ \"ດາວໂຫຼດ\"", @@ -298,7 +298,7 @@ "DE.Controllers.Main.warnNoLicense": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ %1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
    ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ", "DE.Controllers.Main.warnNoLicenseUsers": "ຈໍານວນການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ %1 ສຳລັບຂໍ້ກຳນົດການຍົກລະດັບສິດ", "DE.Controllers.Main.warnProcessRightsChange": "ທ່ານໄດ້ຖືກປະຕິເສດສິດໃນການແກ້ໄຂເອກະສານດັ່ງກ່າວ.", - "DE.Controllers.Search.textNoTextFound": "\nບໍ່ພົບເນື້ອຫາ", + "DE.Controllers.Search.textNoTextFound": "ບໍ່ພົບເນື້ອຫາ", "DE.Controllers.Search.textReplaceAll": "ປ່ຽນແທນທັງໝົດ", "DE.Controllers.Settings.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "DE.Controllers.Settings.textCustomSize": "ກຳນົດຂະໜາດ", @@ -356,7 +356,7 @@ "DE.Views.EditChart.textBorder": "ຂອບເຂດ", "DE.Views.EditChart.textColor": "ສີ", "DE.Views.EditChart.textCustomColor": "ປະເພດ ຂອງສີ", - "DE.Views.EditChart.textDistanceText": "\nໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "DE.Views.EditChart.textDistanceText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", "DE.Views.EditChart.textFill": "ຕື່ມ", "DE.Views.EditChart.textForward": "ຍ້າຍໄປດ້ານໜ້າ", "DE.Views.EditChart.textInFront": "ທາງໜ້າ", @@ -392,7 +392,7 @@ "DE.Views.EditImage.textBackward": "ຍ້າຍໄປທາງຫຼັງ", "DE.Views.EditImage.textBehind": "ທາງຫຼັງ", "DE.Views.EditImage.textDefault": "ຂະໜາດແທ້ຈິງ", - "DE.Views.EditImage.textDistanceText": "\nໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "DE.Views.EditImage.textDistanceText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", "DE.Views.EditImage.textForward": "ຍ້າຍໄປດ້ານໜ້າ", "DE.Views.EditImage.textFromLibrary": "ຮູບພາບຈາກຫ້ອງສະໝຸດ", "DE.Views.EditImage.textFromURL": "ຮູບພາບຈາກ URL", @@ -423,7 +423,7 @@ "DE.Views.EditParagraph.textBefore": "ກ່ອນ", "DE.Views.EditParagraph.textCustomColor": "ປະເພດ ຂອງສີ, ການກຳນົດສີ", "DE.Views.EditParagraph.textFirstLine": "ເສັ້ນທໍາອິດ", - "DE.Views.EditParagraph.textFromText": "\nໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "DE.Views.EditParagraph.textFromText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", "DE.Views.EditParagraph.textKeepLines": "ໃຫ້ເສັ້ນເຂົ້ານໍາກັນ", "DE.Views.EditParagraph.textKeepNext": "ເກັບໄວ້ຕໍ່ໄປ", "DE.Views.EditParagraph.textOrphan": "ການຄອບຄຸມ", @@ -441,7 +441,7 @@ "DE.Views.EditShape.textEffects": "ຜົນ", "DE.Views.EditShape.textFill": "ຕື່ມ", "DE.Views.EditShape.textForward": "ຍ້າຍໄປດ້ານໜ້າ", - "DE.Views.EditShape.textFromText": "\nໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "DE.Views.EditShape.textFromText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", "DE.Views.EditShape.textInFront": "ທາງໜ້າ", "DE.Views.EditShape.textInline": "ໃນເສັ້ນ", "DE.Views.EditShape.textOpacity": "ຄວາມເຂັ້ມ", @@ -471,7 +471,7 @@ "DE.Views.EditTable.textFill": "ຕື່ມ", "DE.Views.EditTable.textFirstColumn": "ຖັນທໍາອິດ", "DE.Views.EditTable.textFlow": "ຂະບວນການ", - "DE.Views.EditTable.textFromText": "\nໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "DE.Views.EditTable.textFromText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", "DE.Views.EditTable.textHeaderRow": "ຫົວແຖວ", "DE.Views.EditTable.textInline": "ໃນເສັ້ນ", "DE.Views.EditTable.textLastColumn": "ຖັນສຸດທ້າຍ", diff --git a/apps/documenteditor/mobile/locale/nl.json b/apps/documenteditor/mobile/locale/nl.json index f5cef9d43..2ae3a500f 100644 --- a/apps/documenteditor/mobile/locale/nl.json +++ b/apps/documenteditor/mobile/locale/nl.json @@ -46,7 +46,7 @@ "Common.Controllers.Collaboration.textNoWidow": "Zwevende eindregels niet voorkomen", "Common.Controllers.Collaboration.textNum": "Nummering wijzigen", "Common.Controllers.Collaboration.textParaDeleted": "Alinea verwijderd ", - "Common.Controllers.Collaboration.textParaFormatted": "Alinea ingedeeld", + "Common.Controllers.Collaboration.textParaFormatted": "Alinea ingedeeld", "Common.Controllers.Collaboration.textParaInserted": "Alinea ingevoegd ", "Common.Controllers.Collaboration.textParaMoveFromDown": "Naar beneden:", "Common.Controllers.Collaboration.textParaMoveFromUp": "Naar boven:", @@ -64,9 +64,9 @@ "Common.Controllers.Collaboration.textStrikeout": "Doorhalen", "Common.Controllers.Collaboration.textSubScript": "Subscript", "Common.Controllers.Collaboration.textSuperScript": "Superscript", - "Common.Controllers.Collaboration.textTableChanged": "Tabel instellingen aangepast", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tabel rijen toegevoegd", - "Common.Controllers.Collaboration.textTableRowsDel": "Tabel rijen verwijderd", + "Common.Controllers.Collaboration.textTableChanged": "Tabel instellingen aangepast", + "Common.Controllers.Collaboration.textTableRowsAdd": "Tabel rijen toegevoegd", + "Common.Controllers.Collaboration.textTableRowsDel": "Tabel rijen verwijderd", "Common.Controllers.Collaboration.textTabs": "Tabs wijzigen", "Common.Controllers.Collaboration.textUnderline": "Onderstrepen", "Common.Controllers.Collaboration.textWidow": "Zwevende regels voorkomen", diff --git a/apps/documenteditor/mobile/locale/pl.json b/apps/documenteditor/mobile/locale/pl.json index 955699f75..eb5395099 100644 --- a/apps/documenteditor/mobile/locale/pl.json +++ b/apps/documenteditor/mobile/locale/pl.json @@ -1,9 +1,10 @@ { - "Common.Controllers.Collaboration.textParaDeleted": "Akapit usunięty ", + "Common.Controllers.Collaboration.textParaDeleted": "Akapit usunięty", "Common.UI.ThemeColorPalette.textStandartColors": "Kolory standardowe", "Common.UI.ThemeColorPalette.textThemeColors": "Kolory motywu", "Common.Utils.Metric.txtCm": "cm", "Common.Utils.Metric.txtPt": "pt", + "Common.Views.Collaboration.textAcceptAllChanges": "Zaakceptuj wszystkie zmiany", "Common.Views.Collaboration.textCollaboration": "Współpraca", "DE.Controllers.AddContainer.textImage": "Obraz", "DE.Controllers.AddContainer.textOther": "Inny", diff --git a/apps/documenteditor/mobile/locale/pt.json b/apps/documenteditor/mobile/locale/pt.json index fc9fb7510..ac308ac0a 100644 --- a/apps/documenteditor/mobile/locale/pt.json +++ b/apps/documenteditor/mobile/locale/pt.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Subscrito", "Common.Controllers.Collaboration.textSuperScript": "Sobrescrito", "Common.Controllers.Collaboration.textTableChanged": "Configurações de Tabela Alteradas", - "Common.Controllers.Collaboration.textTableRowsAdd": "Linhas de Tabela Incluídas", - "Common.Controllers.Collaboration.textTableRowsDel": "Linhas de Tabela Excluídas", + "Common.Controllers.Collaboration.textTableRowsAdd": "Linhas de Tabela Incluídas", + "Common.Controllers.Collaboration.textTableRowsDel": "Linhas de Tabela Excluídas", "Common.Controllers.Collaboration.textTabs": "Trocar tabs", "Common.Controllers.Collaboration.textUnderline": "Sublinhado", "Common.Controllers.Collaboration.textWidow": "Controle de linhas órfãs/viúvas.", @@ -256,12 +256,21 @@ "DE.Controllers.Main.titleLicenseExp": "Licença expirada", "DE.Controllers.Main.titleServerVersion": "Editor atualizado", "DE.Controllers.Main.titleUpdateVersion": "Versão alterada", + "DE.Controllers.Main.txtAbove": "Acima", "DE.Controllers.Main.txtArt": "Seu texto aqui", + "DE.Controllers.Main.txtBelow": "Abaixo", + "DE.Controllers.Main.txtCurrentDocument": "Documento atual", "DE.Controllers.Main.txtDiagramTitle": "Título do Gráfico", "DE.Controllers.Main.txtEditingMode": "Definir modo de edição...", + "DE.Controllers.Main.txtEvenPage": "Página par", + "DE.Controllers.Main.txtFirstPage": "Primeira Página", "DE.Controllers.Main.txtFooter": "Rodapé", "DE.Controllers.Main.txtHeader": "Cabeçalho", + "DE.Controllers.Main.txtOddPage": "Página ímpar", + "DE.Controllers.Main.txtOnPage": "na página", "DE.Controllers.Main.txtProtected": "Ao abrir o arquivo com sua senha, a senha atual será redefinida.", + "DE.Controllers.Main.txtSameAsPrev": "Mesmo da Anterior", + "DE.Controllers.Main.txtSection": "-Seção", "DE.Controllers.Main.txtSeries": "Série", "DE.Controllers.Main.txtStyle_footnote_text": "Texto de nota de rodapé", "DE.Controllers.Main.txtStyle_Heading_1": "Cabeçalho 1", diff --git a/apps/documenteditor/mobile/locale/ro.json b/apps/documenteditor/mobile/locale/ro.json index fd0fdb4f4..d955d9c04 100644 --- a/apps/documenteditor/mobile/locale/ro.json +++ b/apps/documenteditor/mobile/locale/ro.json @@ -65,8 +65,8 @@ "Common.Controllers.Collaboration.textSubScript": "Indice", "Common.Controllers.Collaboration.textSuperScript": "Exponent", "Common.Controllers.Collaboration.textTableChanged": "Setări tabel s-au mofificat", - "Common.Controllers.Collaboration.textTableRowsAdd": "Rânduri de tabel au fost adăugate", - "Common.Controllers.Collaboration.textTableRowsDel": "Rânduri de tabel au fost șterse", + "Common.Controllers.Collaboration.textTableRowsAdd": "Rânduri de tabel au fost adăugate", + "Common.Controllers.Collaboration.textTableRowsDel": "Rânduri de tabel au fost șterse", "Common.Controllers.Collaboration.textTabs": "Modificare file", "Common.Controllers.Collaboration.textUnderline": "Subliniat", "Common.Controllers.Collaboration.textWidow": "Control văduvă", @@ -256,12 +256,21 @@ "DE.Controllers.Main.titleLicenseExp": "Licența a expirat", "DE.Controllers.Main.titleServerVersion": "Editorul a fost actualizat", "DE.Controllers.Main.titleUpdateVersion": "Versiunea s-a modificat", + "DE.Controllers.Main.txtAbove": "deasupra", "DE.Controllers.Main.txtArt": "Textul dvs. aici", + "DE.Controllers.Main.txtBelow": "dedesubt", + "DE.Controllers.Main.txtCurrentDocument": "Documentul curent", "DE.Controllers.Main.txtDiagramTitle": "Titlu diagramă", "DE.Controllers.Main.txtEditingMode": "Setare modul de editare...", + "DE.Controllers.Main.txtEvenPage": "Pagină pară", + "DE.Controllers.Main.txtFirstPage": "Prima pagina", "DE.Controllers.Main.txtFooter": "Subsol", "DE.Controllers.Main.txtHeader": "Antet", + "DE.Controllers.Main.txtOddPage": "Pagină impară", + "DE.Controllers.Main.txtOnPage": "la pagină", "DE.Controllers.Main.txtProtected": "Parola curentă va fi resetată, de îndată ce parola este introdusă și fișierul este deschis.", + "DE.Controllers.Main.txtSameAsPrev": "La fel ca cel anteror", + "DE.Controllers.Main.txtSection": "-Secțiune", "DE.Controllers.Main.txtSeries": "Serie", "DE.Controllers.Main.txtStyle_footnote_text": "Textul notei de subsol", "DE.Controllers.Main.txtStyle_Heading_1": "Titlu 1", diff --git a/apps/documenteditor/mobile/locale/ru.json b/apps/documenteditor/mobile/locale/ru.json index d05e6f062..8050a5d7c 100644 --- a/apps/documenteditor/mobile/locale/ru.json +++ b/apps/documenteditor/mobile/locale/ru.json @@ -16,7 +16,7 @@ "Common.Controllers.Collaboration.textDeleted": "Удалено:", "Common.Controllers.Collaboration.textDeleteReply": "Удалить ответ", "Common.Controllers.Collaboration.textDone": "Готово", - "Common.Controllers.Collaboration.textDStrikeout": "Двойное зачеркивание", + "Common.Controllers.Collaboration.textDStrikeout": "Двойное зачёркивание", "Common.Controllers.Collaboration.textEdit": "Редактировать", "Common.Controllers.Collaboration.textEditUser": "Пользователи, редактирующие документ:", "Common.Controllers.Collaboration.textEquation": "Уравнение", @@ -61,7 +61,7 @@ "Common.Controllers.Collaboration.textSpacing": "Интервал", "Common.Controllers.Collaboration.textSpacingAfter": "Интервал после абзаца", "Common.Controllers.Collaboration.textSpacingBefore": "Интервал перед абзацем", - "Common.Controllers.Collaboration.textStrikeout": "Зачеркнутый", + "Common.Controllers.Collaboration.textStrikeout": "Зачёркивание", "Common.Controllers.Collaboration.textSubScript": "Подстрочный", "Common.Controllers.Collaboration.textSuperScript": "Надстрочный", "Common.Controllers.Collaboration.textTableChanged": "Изменены настройки таблицы", @@ -249,19 +249,28 @@ "DE.Controllers.Main.textPaidFeature": "Платная функция", "DE.Controllers.Main.textPassword": "Пароль", "DE.Controllers.Main.textPreloader": "Загрузка...", - "DE.Controllers.Main.textRemember": "Запомнить мой выбор", + "DE.Controllers.Main.textRemember": "Запомнить мой выбор для всех файлов", "DE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.", "DE.Controllers.Main.textUsername": "Имя пользователя", "DE.Controllers.Main.textYes": "Да", "DE.Controllers.Main.titleLicenseExp": "Истек срок действия лицензии", "DE.Controllers.Main.titleServerVersion": "Редактор обновлен", "DE.Controllers.Main.titleUpdateVersion": "Версия изменилась", + "DE.Controllers.Main.txtAbove": "выше", "DE.Controllers.Main.txtArt": "Введите ваш текст", + "DE.Controllers.Main.txtBelow": "ниже", + "DE.Controllers.Main.txtCurrentDocument": "Текущий документ", "DE.Controllers.Main.txtDiagramTitle": "Заголовок диаграммы", "DE.Controllers.Main.txtEditingMode": "Установка режима редактирования...", + "DE.Controllers.Main.txtEvenPage": "С четной страницы", + "DE.Controllers.Main.txtFirstPage": "Первая страница", "DE.Controllers.Main.txtFooter": "Нижний колонтитул", "DE.Controllers.Main.txtHeader": "Верхний колонтитул", + "DE.Controllers.Main.txtOddPage": "С нечетной страницы", + "DE.Controllers.Main.txtOnPage": "на странице", "DE.Controllers.Main.txtProtected": "Как только вы введете пароль и откроете файл, текущий пароль к файлу будет сброшен", + "DE.Controllers.Main.txtSameAsPrev": "Как в предыдущем", + "DE.Controllers.Main.txtSection": "-Раздел", "DE.Controllers.Main.txtSeries": "Ряд", "DE.Controllers.Main.txtStyle_footnote_text": "Текст сноски", "DE.Controllers.Main.txtStyle_Heading_1": "Заголовок 1", @@ -511,7 +520,7 @@ "DE.Views.EditText.textNumbers": "Нумерация", "DE.Views.EditText.textSize": "Размер", "DE.Views.EditText.textSmallCaps": "Малые прописные", - "DE.Views.EditText.textStrikethrough": "Зачеркнутый", + "DE.Views.EditText.textStrikethrough": "Зачёркивание", "DE.Views.EditText.textSubscript": "Подстрочные", "DE.Views.Search.textCase": "С учетом регистра", "DE.Views.Search.textDone": "Готово", diff --git a/apps/documenteditor/mobile/locale/sk.json b/apps/documenteditor/mobile/locale/sk.json index f28eb1441..f3d5d7f5c 100644 --- a/apps/documenteditor/mobile/locale/sk.json +++ b/apps/documenteditor/mobile/locale/sk.json @@ -249,19 +249,28 @@ "DE.Controllers.Main.textPaidFeature": "Platený prvok", "DE.Controllers.Main.textPassword": "Heslo", "DE.Controllers.Main.textPreloader": "Nahrávanie...", - "DE.Controllers.Main.textRemember": "Pamätať si moju voľbu", + "DE.Controllers.Main.textRemember": "Pamätať si moju voľbu pre všetky súbory", "DE.Controllers.Main.textTryUndoRedo": "Funkcie späť/opakovať sú pre rýchly spolu-editačný režim vypnuté.", "DE.Controllers.Main.textUsername": "Užívateľské meno", "DE.Controllers.Main.textYes": "Áno", "DE.Controllers.Main.titleLicenseExp": "Platnosť licencie uplynula", "DE.Controllers.Main.titleServerVersion": "Editor bol aktualizovaný", "DE.Controllers.Main.titleUpdateVersion": "Verzia bola zmenená", + "DE.Controllers.Main.txtAbove": "Nad", "DE.Controllers.Main.txtArt": "Váš text tu", + "DE.Controllers.Main.txtBelow": "pod", + "DE.Controllers.Main.txtCurrentDocument": "Aktuálny dokument", "DE.Controllers.Main.txtDiagramTitle": "Názov grafu", "DE.Controllers.Main.txtEditingMode": "Nastaviť režim úprav ...", + "DE.Controllers.Main.txtEvenPage": "Párna stránka", + "DE.Controllers.Main.txtFirstPage": "Prvá strana", "DE.Controllers.Main.txtFooter": "Päta stránky", "DE.Controllers.Main.txtHeader": "Hlavička", + "DE.Controllers.Main.txtOddPage": "Nepárna strana", + "DE.Controllers.Main.txtOnPage": "na strane", "DE.Controllers.Main.txtProtected": "Akonáhle vložíte heslo a otvoríte súbor, terajšie heslo k súboru sa zresetuje.", + "DE.Controllers.Main.txtSameAsPrev": "Rovnaký ako predchádzajúci", + "DE.Controllers.Main.txtSection": "-Sekcia", "DE.Controllers.Main.txtSeries": "Rady", "DE.Controllers.Main.txtStyle_footnote_text": "Text poznámky pod čiarou", "DE.Controllers.Main.txtStyle_Heading_1": "Nadpis 1", diff --git a/apps/documenteditor/mobile/locale/sl.json b/apps/documenteditor/mobile/locale/sl.json index 7d09429b8..b2e049844 100644 --- a/apps/documenteditor/mobile/locale/sl.json +++ b/apps/documenteditor/mobile/locale/sl.json @@ -57,9 +57,9 @@ "Common.Controllers.Collaboration.textStrikeout": "Prečrtano", "Common.Controllers.Collaboration.textSubScript": "Podpisano", "Common.Controllers.Collaboration.textSuperScript": "Nadpisano", - "Common.Controllers.Collaboration.textTableChanged": "Nastavitve tabele so se spremenile ", - "Common.Controllers.Collaboration.textTableRowsAdd": "Dodan stolpec v tabelo", - "Common.Controllers.Collaboration.textTableRowsDel": "Vrstica tabele je izbrisana", + "Common.Controllers.Collaboration.textTableChanged": "Nastavitve tabele so se spremenile ", + "Common.Controllers.Collaboration.textTableRowsAdd": "Dodan stolpec v tabelo", + "Common.Controllers.Collaboration.textTableRowsDel": "Vrstica tabele je izbrisana", "Common.Controllers.Collaboration.textUnderline": "Podčrtaj", "Common.Controllers.Collaboration.textYes": "Da", "Common.UI.ThemeColorPalette.textCustomColors": "Barve po meri", diff --git a/apps/documenteditor/mobile/locale/sv.json b/apps/documenteditor/mobile/locale/sv.json index da6230fcd..76869e72e 100644 --- a/apps/documenteditor/mobile/locale/sv.json +++ b/apps/documenteditor/mobile/locale/sv.json @@ -46,8 +46,8 @@ "Common.Controllers.Collaboration.textSpacingAfter": "Avstånd efter", "Common.Controllers.Collaboration.textSpacingBefore": "Avstånd före", "Common.Controllers.Collaboration.textTableChanged": "Tabellinställningar ändrade", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tabellrader tillagda", - "Common.Controllers.Collaboration.textTableRowsDel": "Tabellrader raderade", + "Common.Controllers.Collaboration.textTableRowsAdd": "Tabellrader tillagda", + "Common.Controllers.Collaboration.textTableRowsDel": "Tabellrader raderade", "Common.Controllers.Collaboration.textTabs": "Ändra tabbar", "Common.UI.ThemeColorPalette.textCustomColors": "Anpassade färger", "Common.UI.ThemeColorPalette.textStandartColors": "Standardfärger", diff --git a/apps/documenteditor/mobile/locale/tr.json b/apps/documenteditor/mobile/locale/tr.json index 017ab1c84..cdc22e76c 100644 --- a/apps/documenteditor/mobile/locale/tr.json +++ b/apps/documenteditor/mobile/locale/tr.json @@ -52,8 +52,8 @@ "Common.Controllers.Collaboration.textRight": "Sağa Hizala", "Common.Controllers.Collaboration.textShd": "Arka plan", "Common.Controllers.Collaboration.textTableChanged": "Tablo Ayarladı Değiştirildi", - "Common.Controllers.Collaboration.textTableRowsAdd": "Tablo Satırı Eklendi", - "Common.Controllers.Collaboration.textTableRowsDel": "Tablo Satırı Silindi", + "Common.Controllers.Collaboration.textTableRowsAdd": "Tablo Satırı Eklendi", + "Common.Controllers.Collaboration.textTableRowsDel": "Tablo Satırı Silindi", "Common.Controllers.Collaboration.textTabs": "Sekmeleri değiştir", "Common.UI.ThemeColorPalette.textCustomColors": "Özel Renkler", "Common.UI.ThemeColorPalette.textStandartColors": "Standart Renkler", diff --git a/apps/documenteditor/mobile/locale/uk.json b/apps/documenteditor/mobile/locale/uk.json index c123be1ad..43ec6127b 100644 --- a/apps/documenteditor/mobile/locale/uk.json +++ b/apps/documenteditor/mobile/locale/uk.json @@ -1,34 +1,75 @@ { "Common.Controllers.Collaboration.textAddReply": "Додати відповідь", + "Common.Controllers.Collaboration.textAtLeast": "мінімально", "Common.Controllers.Collaboration.textAuto": "Авто", + "Common.Controllers.Collaboration.textBaseline": "Базова лінія", "Common.Controllers.Collaboration.textBold": "Грубий", + "Common.Controllers.Collaboration.textBreakBefore": "З нової сторінки", "Common.Controllers.Collaboration.textCancel": "Скасувати", "Common.Controllers.Collaboration.textCaps": "Усі великі", "Common.Controllers.Collaboration.textCenter": "Вирівняти по центру", "Common.Controllers.Collaboration.textChart": "Діаграма", "Common.Controllers.Collaboration.textColor": "Колір шрифту", + "Common.Controllers.Collaboration.textContextual": "Не додавати інтервал між абзацами одного стилю", "Common.Controllers.Collaboration.textDelete": "Видалити", "Common.Controllers.Collaboration.textDeleteComment": "Видалити коментар", "Common.Controllers.Collaboration.textDeleted": "Вилучено:", + "Common.Controllers.Collaboration.textDeleteReply": "Видалити відповідь", "Common.Controllers.Collaboration.textDone": "Готово", + "Common.Controllers.Collaboration.textDStrikeout": "Подвійне закреслення", "Common.Controllers.Collaboration.textEdit": "Редагувати", + "Common.Controllers.Collaboration.textEditUser": "Користувачі, що редагують документ:", "Common.Controllers.Collaboration.textEquation": "Рівняння", + "Common.Controllers.Collaboration.textExact": "точно", "Common.Controllers.Collaboration.textFirstLine": "Перша строка", + "Common.Controllers.Collaboration.textFormatted": "Відформатовано", "Common.Controllers.Collaboration.textHighlight": "Колір позначення", "Common.Controllers.Collaboration.textImage": "Зображення", + "Common.Controllers.Collaboration.textIndentLeft": "Відступ ліворуч", + "Common.Controllers.Collaboration.textIndentRight": "Відступ праворуч", "Common.Controllers.Collaboration.textInserted": "Вставлено:", "Common.Controllers.Collaboration.textItalic": "Курсив", "Common.Controllers.Collaboration.textJustify": "Вирівняти по ширині", + "Common.Controllers.Collaboration.textKeepLines": "Не розривати абзац", + "Common.Controllers.Collaboration.textKeepNext": "Не відривати від наступного", "Common.Controllers.Collaboration.textLeft": "Вирівняти зліва", + "Common.Controllers.Collaboration.textLineSpacing": "Міжрядковий інтервал:", + "Common.Controllers.Collaboration.textMessageDeleteComment": "Ви дійсно хочете видалити цей коментар?", + "Common.Controllers.Collaboration.textMessageDeleteReply": "Ви дійсно хочете видалити цю відповідь?", "Common.Controllers.Collaboration.textMultiple": "множник", + "Common.Controllers.Collaboration.textNoBreakBefore": "Не з нової сторінки", + "Common.Controllers.Collaboration.textNoChanges": "Зміни відсутні.", "Common.Controllers.Collaboration.textNoContextual": "Додати інтервал між абзацами того ж стилю", + "Common.Controllers.Collaboration.textNoKeepLines": "Дозволити розриви абзацу", + "Common.Controllers.Collaboration.textNoKeepNext": "Дозволити розрив з наступного", "Common.Controllers.Collaboration.textNot": "Не", + "Common.Controllers.Collaboration.textNoWidow": "Дозволено висячі рядки", "Common.Controllers.Collaboration.textNum": "Зміна нумерації", + "Common.Controllers.Collaboration.textParaDeleted": "Параграф Вилучено", + "Common.Controllers.Collaboration.textParaFormatted": "Абзац відформатований", + "Common.Controllers.Collaboration.textParaInserted": "Абзац вставлено", + "Common.Controllers.Collaboration.textParaMoveFromDown": "Переміщено вниз:", + "Common.Controllers.Collaboration.textParaMoveFromUp": "Переміщено вгору:", + "Common.Controllers.Collaboration.textParaMoveTo": "Переміщено:", + "Common.Controllers.Collaboration.textPosition": "Положення", + "Common.Controllers.Collaboration.textReopen": "Відкрити наново", + "Common.Controllers.Collaboration.textResolve": "Вирішити", "Common.Controllers.Collaboration.textRight": "Вирівняти справа", "Common.Controllers.Collaboration.textShape": "Фігура", "Common.Controllers.Collaboration.textShd": "Колір тла", + "Common.Controllers.Collaboration.textSmallCaps": "Малі прописні", "Common.Controllers.Collaboration.textSpacing": "Інтервал", + "Common.Controllers.Collaboration.textSpacingAfter": "Інтервал після абзацу", + "Common.Controllers.Collaboration.textSpacingBefore": "Інтервал перед абзацем", + "Common.Controllers.Collaboration.textStrikeout": "Викреслення", + "Common.Controllers.Collaboration.textSubScript": "Підрядковий", + "Common.Controllers.Collaboration.textSuperScript": "Надрядковий", + "Common.Controllers.Collaboration.textTableChanged": "Змінено налаштування таблиці", + "Common.Controllers.Collaboration.textTableRowsAdd": "Рядки таблиці додано", + "Common.Controllers.Collaboration.textTableRowsDel": "Рядки таблиці видалено", "Common.Controllers.Collaboration.textTabs": "Змінити вкладки", + "Common.Controllers.Collaboration.textUnderline": "Підкреслений", + "Common.Controllers.Collaboration.textWidow": "Заборона висячих рядків", "Common.Controllers.Collaboration.textYes": "Так", "Common.UI.ThemeColorPalette.textCustomColors": "Власні кольори", "Common.UI.ThemeColorPalette.textStandartColors": "Стандартні кольори", @@ -36,36 +77,49 @@ "Common.Utils.Metric.txtCm": "см", "Common.Utils.Metric.txtPt": "Пт", "Common.Views.Collaboration.textAccept": "Прийняти", + "Common.Views.Collaboration.textAcceptAllChanges": "Прийняти усі зміни", "Common.Views.Collaboration.textAddReply": "Додати відповідь", + "Common.Views.Collaboration.textAllChangesAcceptedPreview": "Усі зміни прийняті (попередній перегляд)", + "Common.Views.Collaboration.textAllChangesEditing": "Усі зміни (редагування)", + "Common.Views.Collaboration.textAllChangesRejectedPreview": "Усі зміни відхилено (попередній перегляд)", "Common.Views.Collaboration.textBack": "Назад", "Common.Views.Collaboration.textCancel": "Скасувати", + "Common.Views.Collaboration.textChange": "Перегляд змін", "Common.Views.Collaboration.textCollaboration": "Співпраця", "Common.Views.Collaboration.textDisplayMode": "Режим показу", "Common.Views.Collaboration.textDone": "Готово", + "Common.Views.Collaboration.textEditReply": "Редагувати відповідь", "Common.Views.Collaboration.textEditUsers": "Користувачі", "Common.Views.Collaboration.textEditСomment": "Редагувати коментар", "Common.Views.Collaboration.textFinal": "Фінальний", "Common.Views.Collaboration.textMarkup": "Зміни", + "Common.Views.Collaboration.textNoComments": "Цей документ не містить коментарів", "Common.Views.Collaboration.textOriginal": "Початковий", "Common.Views.Collaboration.textReject": "Відхилити", "Common.Views.Collaboration.textRejectAllChanges": "Відхилити усі зміни", + "Common.Views.Collaboration.textReview": "Відстежування змін", + "Common.Views.Collaboration.textReviewing": "Рецензування", "Common.Views.Collaboration.textСomments": "Коментаріі", "DE.Controllers.AddContainer.textImage": "Зображення", "DE.Controllers.AddContainer.textOther": "Інший", "DE.Controllers.AddContainer.textShape": "Форма", "DE.Controllers.AddContainer.textTable": "Таблиця", + "DE.Controllers.AddImage.notcriticalErrorTitle": "Увага", "DE.Controllers.AddImage.textEmptyImgUrl": "Потрібно вказати URL-адресу зображення.", "DE.Controllers.AddImage.txtNotUrl": "Це поле має бути URL-адресою у форматі \"http://www.example.com\"", + "DE.Controllers.AddOther.notcriticalErrorTitle": "Увага", "DE.Controllers.AddOther.textBelowText": "Нижче тексту", "DE.Controllers.AddOther.textBottomOfPage": "Внизу сторінки", "DE.Controllers.AddOther.textCancel": "Скасувати", "DE.Controllers.AddOther.textContinue": "Продовжити", "DE.Controllers.AddOther.textDelete": "Видалити", + "DE.Controllers.AddOther.textDeleteDraft": "Ви дійсно хочете видалити чернетку?", "DE.Controllers.AddOther.txtNotUrl": "Це поле має бути URL-адресою у форматі \"http://www.example.com\"", "DE.Controllers.AddTable.textCancel": "Скасувати", "DE.Controllers.AddTable.textColumns": "Стовпці", "DE.Controllers.AddTable.textRows": "Рядки", "DE.Controllers.AddTable.textTableSize": "Розмір таблиці", + "DE.Controllers.DocumentHolder.errorCopyCutPaste": "Дії копіювання, вирізання та вставки через контекстне меню виконуватимуться лише в поточному файлі.", "DE.Controllers.DocumentHolder.menuAddComment": "Додати коментар", "DE.Controllers.DocumentHolder.menuAddLink": "Додати посилання", "DE.Controllers.DocumentHolder.menuCopy": "Копіювати", @@ -73,16 +127,24 @@ "DE.Controllers.DocumentHolder.menuDelete": "Видалити", "DE.Controllers.DocumentHolder.menuDeleteTable": "Видалити таблицю", "DE.Controllers.DocumentHolder.menuEdit": "Редагувати", + "DE.Controllers.DocumentHolder.menuMerge": "Об'єднати комірки", "DE.Controllers.DocumentHolder.menuMore": "Більше", "DE.Controllers.DocumentHolder.menuOpenLink": "Відкрити посилання", "DE.Controllers.DocumentHolder.menuPaste": "Вставити", + "DE.Controllers.DocumentHolder.menuReview": "Рецензування", + "DE.Controllers.DocumentHolder.menuReviewChange": "Перегляд змін", + "DE.Controllers.DocumentHolder.menuSplit": "Розділити комірку", + "DE.Controllers.DocumentHolder.menuViewComment": "Переглянути коментар", "DE.Controllers.DocumentHolder.sheetCancel": "Скасувати", "DE.Controllers.DocumentHolder.textCancel": "Скасувати", "DE.Controllers.DocumentHolder.textColumns": "Стовпці", + "DE.Controllers.DocumentHolder.textCopyCutPasteActions": "Дії копіювання, вирізки та вставки", "DE.Controllers.DocumentHolder.textDoNotShowAgain": "Більше не відображати", "DE.Controllers.DocumentHolder.textGuest": "Гість", "DE.Controllers.DocumentHolder.textRows": "Рядки", "DE.Controllers.EditContainer.textChart": "Діаграма", + "DE.Controllers.EditContainer.textFooter": "Колонтитул", + "DE.Controllers.EditContainer.textHeader": "Колонтитул", "DE.Controllers.EditContainer.textHyperlink": "Гіперсилка", "DE.Controllers.EditContainer.textImage": "Зображення", "DE.Controllers.EditContainer.textParagraph": "Параграф", @@ -90,6 +152,10 @@ "DE.Controllers.EditContainer.textShape": "Форма", "DE.Controllers.EditContainer.textTable": "Таблиця", "DE.Controllers.EditContainer.textText": "Текст", + "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "Увага", + "DE.Controllers.EditHyperlink.textEmptyImgUrl": "Потрібно вказати URL-адресу зображення.", + "DE.Controllers.EditHyperlink.txtNotUrl": "Це поле має бути URL-адресою у форматі \"http://www.example.com'", + "DE.Controllers.EditImage.notcriticalErrorTitle": "Увага", "DE.Controllers.EditImage.textEmptyImgUrl": "Потрібно вказати URL-адресу зображення.", "DE.Controllers.EditImage.txtNotUrl": "Це поле має бути URL-адресою у форматі \"http://www.example.com\"", "DE.Controllers.EditText.textAuto": "Авто", @@ -110,21 +176,30 @@ "DE.Controllers.Main.downloadMergeTitle": "Завантаження", "DE.Controllers.Main.downloadTextText": "Завантаження документу...", "DE.Controllers.Main.downloadTitleText": "Завантаження документу", + "DE.Controllers.Main.errorAccessDeny": "Ви намагаєтеся виконати дію, для якої у вас немає прав.
    Будь ласка, зв'яжіться з адміністратором Сервера документів.", "DE.Controllers.Main.errorBadImageUrl": "URL-адреса зображення невірна", "DE.Controllers.Main.errorCoAuthoringDisconnect": "З'єднання з сервером втрачено. Ви більше не можете редагувати.", "DE.Controllers.Main.errorConnectToServer": "Не вдалося зберегти документ. Будь ласка, перевірте налаштування з'єднання або зверніться до свого адміністратора.
    Після натискання кнопки «ОК» вам буде запропоновано завантажити документ.", "DE.Controllers.Main.errorDatabaseConnection": "Зовнішня помилка.
    Помилка підключення до бази даних. Будь ласка, зв'яжіться зі службою підтримки.", + "DE.Controllers.Main.errorDataEncrypted": "Отримані зашифровані зміни, їх неможливо розшифрувати.", "DE.Controllers.Main.errorDataRange": "Неправильний діапазон даних.", "DE.Controllers.Main.errorDefaultMessage": "Код помилки: %1 ", + "DE.Controllers.Main.errorEditingDownloadas": "Під час роботи з документом сталася помилка.
    Скористайтеся опцією \"Завантажити\" для збереження резервної копії файлу на жорсткому диску комп’ютера.", "DE.Controllers.Main.errorFilePassProtect": "Документ захищено паролем", + "DE.Controllers.Main.errorFileSizeExceed": "Розмір файлу перевищує обмеження, встановлені для вашого сервера.
    Для детальної інформації зверніться до адміністратора Сервера документів.", "DE.Controllers.Main.errorKeyEncrypt": "Невідомий дескриптор ключа", "DE.Controllers.Main.errorKeyExpire": "Ключовий дескриптор закінчився", "DE.Controllers.Main.errorMailMergeLoadFile": "Завантаження не вдалося", "DE.Controllers.Main.errorMailMergeSaveFile": "Помилка Об'єднання", + "DE.Controllers.Main.errorOpensource": "Використовуючи безкоштовну версію спільноти ви можете відкривати документи лише для перегляду. Для доступу до мобільних веб-редакторів потрібна комерційна ліцензія.", "DE.Controllers.Main.errorProcessSaveResult": "Помилка збереження", "DE.Controllers.Main.errorServerVersion": "Версія редактора була оновлена. Сторінка буде перезавантажена, щоб застосувати зміни.", + "DE.Controllers.Main.errorSessionAbsolute": "Сесія редагування документа закінчилася. Будь ласка, перезавантажте сторінку.", + "DE.Controllers.Main.errorSessionIdle": "Документ тривалий час не редагувався. Перезавантажте сторінку.", + "DE.Controllers.Main.errorSessionToken": "З'єднання з сервером було перервано. Перезавантажте сторінку", "DE.Controllers.Main.errorStockChart": "Невірний порядок рядків. Щоб побудувати фондову діаграму, помістіть дані на аркуші в наступному порядку: ціна відкриття, максимальна ціна, мінімальна ціна, ціна закриття.", "DE.Controllers.Main.errorUpdateVersion": "Версія файлу була змінена. Сторінка буде перезавантажена.", + "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "Підключення до Інтернету було відновлено, а версія файлу змінена.
    Перш ніж продовжувати роботу, потрібно завантажити файл або скопіювати його вміст, щоб забезпечити цілісність даних, а потім перезавантажити дану сторінку.", "DE.Controllers.Main.errorUserDrop": "На даний момент файл не доступний.", "DE.Controllers.Main.errorUsersExceed": "Кількість користувачів перевищено", "DE.Controllers.Main.errorViewerDisconnect": "З'єднання втрачено. Ви все ще можете переглянути документ,
    але не зможете завантажувати його до відновлення зеднання та оновлення сторінки.", @@ -152,6 +227,7 @@ "DE.Controllers.Main.savePreparingTitle": "Підготовка до зберігання. Будь ласка, зачекайте...", "DE.Controllers.Main.saveTextText": "Збереження документа...", "DE.Controllers.Main.saveTitleText": "Збереження документа", + "DE.Controllers.Main.scriptLoadError": "З'єднання занадто повільне, деякі компоненти не вдалося завантажити. Перезавантажте сторінку.", "DE.Controllers.Main.sendMergeText": "Відправлення злиття...", "DE.Controllers.Main.sendMergeTitle": "Відправлення злиття", "DE.Controllers.Main.splitDividerErrorText": "Кількість рядків повинна бути дільником% 1", @@ -163,23 +239,40 @@ "DE.Controllers.Main.textCancel": "Скасувати", "DE.Controllers.Main.textClose": "Закрити", "DE.Controllers.Main.textContactUs": "Відділ продажів", + "DE.Controllers.Main.textCustomLoader": "Зверніть увагу, що згідно з умовами ліцензії ви не маєте права змінювати завантажувач.
    Будь ласка, зв'яжіться з нашим відділом продажів, щоб виконати запит.", "DE.Controllers.Main.textDone": "Готово", + "DE.Controllers.Main.textHasMacros": "Файл містить автоматичні макроси.
    Запустити макроси?", "DE.Controllers.Main.textLoadingDocument": "Завантаження документа", "DE.Controllers.Main.textNo": "Ні", "DE.Controllers.Main.textNoLicenseTitle": "Досягнуто ліміту ліцензії", "DE.Controllers.Main.textOK": "OК", + "DE.Controllers.Main.textPaidFeature": "Платна функція", "DE.Controllers.Main.textPassword": "Пароль", "DE.Controllers.Main.textPreloader": "Завантаження...", + "DE.Controllers.Main.textRemember": "Запам’ятати мій вибір для всіх файлів", "DE.Controllers.Main.textTryUndoRedo": "Функції Undo / Redo відключені для режиму швидкого редагування.", "DE.Controllers.Main.textUsername": "Ім'я користувача", "DE.Controllers.Main.textYes": "Так", "DE.Controllers.Main.titleLicenseExp": "Термін дії ліцензії закінчився", "DE.Controllers.Main.titleServerVersion": "Редактор оновлено", "DE.Controllers.Main.titleUpdateVersion": "Версію змінено", + "DE.Controllers.Main.txtAbove": "Вище", "DE.Controllers.Main.txtArt": "Ваш текст тут", + "DE.Controllers.Main.txtBelow": "нижче", + "DE.Controllers.Main.txtCurrentDocument": "Поточний документ", "DE.Controllers.Main.txtDiagramTitle": "Назва діграми", "DE.Controllers.Main.txtEditingMode": "Встановити режим редагування ...", + "DE.Controllers.Main.txtEvenPage": "З парної сторінки", + "DE.Controllers.Main.txtFirstPage": "Перша сторінка", + "DE.Controllers.Main.txtFooter": "Нижній колонтитул", + "DE.Controllers.Main.txtHeader": "Верхній колонтитул", + "DE.Controllers.Main.txtOddPage": "З непарної сторінки", + "DE.Controllers.Main.txtOnPage": "на сторінці", + "DE.Controllers.Main.txtProtected": "Після введення пароля та відкриття файлу поточний пароль буде скинуто", + "DE.Controllers.Main.txtSameAsPrev": "Як в попередньому", + "DE.Controllers.Main.txtSection": "-Розділ", "DE.Controllers.Main.txtSeries": "Серії", + "DE.Controllers.Main.txtStyle_footnote_text": "Текст виноски", "DE.Controllers.Main.txtStyle_Heading_1": "Заголовок 1", "DE.Controllers.Main.txtStyle_Heading_2": "Заголовок 2", "DE.Controllers.Main.txtStyle_Heading_3": "Заголовок 3", @@ -206,7 +299,10 @@ "DE.Controllers.Main.uploadImageTextText": "Завантаження зображення...", "DE.Controllers.Main.uploadImageTitleText": "Завантаження зображення", "DE.Controllers.Main.waitText": "Будь ласка, зачекайте...", + "DE.Controllers.Main.warnLicenseExceeded": "Ви досягли ліміту одночасного підключення до редакторів %1. Цей документ буде відкритий лише для перегляду.
    Щоб дізнатися більше, зв’яжіться зі своїм адміністратором.", "DE.Controllers.Main.warnLicenseExp": "Термін дії вашої ліцензії минув.
    Будь ласка, оновіть свою ліцензію та оновіть сторінку.", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "Термін дії ліцензії закінчився.
    Вам закрито доступ до функцій редагування документів.
    Просимо звернутися до свого адміністратора.", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "Потрібно поновити ліцензію.
    У вас обмежений доступ до функцій редагування документів.
    Просимо звернутися до свого адміністратора, щоб отримати повний доступ", "DE.Controllers.Main.warnNoLicense": "Ви використовуєте відкриту версію %1. Ця версія має обмеження для одночасного підключення до сервера документів (20 підключень за один раз).
    Якщо вам потрібно більше, подумайте про придбання комерційної ліцензії.", "DE.Controllers.Main.warnProcessRightsChange": "Вам відмовлено у наданні права редагувати файл.", "DE.Controllers.Search.textNoTextFound": "Текст не знайдено", @@ -216,6 +312,7 @@ "DE.Controllers.Settings.txtLoading": "Завантаження...", "DE.Controllers.Settings.unknownText": "Невідомий", "DE.Controllers.Settings.warnDownloadAs": "Якщо ви продовжите збереження в цьому форматі, всі функції, окрім тексту, буде втрачено.
    Ви впевнені, що хочете продовжити?", + "DE.Controllers.Settings.warnDownloadAsRTF": "Якщо продовжувати зберігати у цьому форматі, деяке форматування може бути втрачено.
    Ви впевнені, що хочете продовжити?", "DE.Controllers.Toolbar.dlgLeaveMsgText": "У цьому документі є незбережені зміни. Натисніть \"Залишатися на цій сторінці\", щоб дочекатись автоматичного збереження документа. Натисніть \"Покинути цю сторінку\", щоб відхилити всі незбережені зміни.", "DE.Controllers.Toolbar.dlgLeaveTitleText": "Ви залишили заявку", "DE.Controllers.Toolbar.leaveButtonText": "Залишити цю сторінку", @@ -230,6 +327,7 @@ "DE.Views.AddOther.textAddComment": "Додати коментар", "DE.Views.AddOther.textAddLink": "Додати посилання", "DE.Views.AddOther.textBack": "Назад", + "DE.Views.AddOther.textBreak": "Розрив", "DE.Views.AddOther.textCenterBottom": "Центр внизу", "DE.Views.AddOther.textCenterTop": "Центр зверху", "DE.Views.AddOther.textColumnBreak": "Розрив стовпця", @@ -239,11 +337,14 @@ "DE.Views.AddOther.textDisplay": "Дісплей", "DE.Views.AddOther.textDone": "Готово", "DE.Views.AddOther.textEvenPage": "Навіть сторінка", + "DE.Views.AddOther.textFootnote": "Виноска", "DE.Views.AddOther.textFormat": "Формат", "DE.Views.AddOther.textInsert": "Вставити", + "DE.Views.AddOther.textInsertFootnote": "Вставити виноску", "DE.Views.AddOther.textLeftBottom": "Зліва знизу", "DE.Views.AddOther.textLeftTop": "Зліва направо", "DE.Views.AddOther.textLink": "Посилання", + "DE.Views.AddOther.textLocation": "Розташування", "DE.Views.AddOther.textNextPage": "Наступна сторінка", "DE.Views.AddOther.textOddPage": "Непарна сторінка", "DE.Views.AddOther.textPageBreak": "Розрив сторінки", @@ -252,6 +353,7 @@ "DE.Views.AddOther.textRightBottom": "Праворуч внизу", "DE.Views.AddOther.textRightTop": "Праворуч зверху", "DE.Views.AddOther.textSectionBreak": "Розбиття на розділ", + "DE.Views.AddOther.textStartFrom": "Розпочати з", "DE.Views.AddOther.textTip": "Підказка для екрана", "DE.Views.EditChart.textAddCustomColor": "Додати власний колір", "DE.Views.EditChart.textAlign": "Вирівняти", @@ -282,6 +384,10 @@ "DE.Views.EditChart.textWrap": "Обернути", "DE.Views.EditHeader.textDiffFirst": "Різна перша сторінка", "DE.Views.EditHeader.textDiffOdd": "Різні непарні та рівноцінні сторінки", + "DE.Views.EditHeader.textFrom": "Розпочати з", + "DE.Views.EditHeader.textPageNumbering": "Нумерація сторінок", + "DE.Views.EditHeader.textPrev": "Продовження з попереднього розділу", + "DE.Views.EditHeader.textSameAs": "З'єднати з попереднім", "DE.Views.EditHyperlink.textDisplay": "Дісплей", "DE.Views.EditHyperlink.textEdit": "Редагувати посилання", "DE.Views.EditHyperlink.textLink": "Посилання", @@ -394,6 +500,10 @@ "DE.Views.EditText.textAutomatic": "Автоматично", "DE.Views.EditText.textBack": "Назад", "DE.Views.EditText.textBullets": "Кулі", + "DE.Views.EditText.textCharacterBold": "Ж", + "DE.Views.EditText.textCharacterItalic": "К", + "DE.Views.EditText.textCharacterStrikethrough": "Т", + "DE.Views.EditText.textCharacterUnderline": "Ч", "DE.Views.EditText.textCustomColor": "Власний колір", "DE.Views.EditText.textDblStrikethrough": "Подвійне перекреслення", "DE.Views.EditText.textDblSuperscript": "Надрядковий", @@ -419,6 +529,7 @@ "DE.Views.Search.textSearch": "Пошук", "DE.Views.Settings.textAbout": "Про", "DE.Views.Settings.textAddress": "Адреса", + "DE.Views.Settings.textAdvancedSettings": "Налаштування додатка", "DE.Views.Settings.textApplication": "Додаток", "DE.Views.Settings.textAuthor": "Автор", "DE.Views.Settings.textBack": "Назад", @@ -427,12 +538,16 @@ "DE.Views.Settings.textCollaboration": "Співпраця", "DE.Views.Settings.textColorSchemes": "Схеми кольорів", "DE.Views.Settings.textComment": "Коментар", + "DE.Views.Settings.textCommentingDisplay": "Відображення коментарів", "DE.Views.Settings.textCreated": "Створено", "DE.Views.Settings.textCreateDate": "Дата створення", "DE.Views.Settings.textCustom": "Користувальницький", "DE.Views.Settings.textCustomSize": "Спеціальний розмір", "DE.Views.Settings.textDisableAll": "Вимкнути все", + "DE.Views.Settings.textDisableAllMacrosWithNotification": "Вимкнути всі макроси з сповіщенням", + "DE.Views.Settings.textDisableAllMacrosWithoutNotification": "Вимкнути всі макроси без сповіщення", "DE.Views.Settings.textDisplayComments": "Коментарі", + "DE.Views.Settings.textDisplayResolvedComments": "Вирішені коментарі", "DE.Views.Settings.textDocInfo": "Інофрмація документа", "DE.Views.Settings.textDocTitle": "Назва документу", "DE.Views.Settings.textDocumentFormats": "Формати документа", @@ -443,29 +558,45 @@ "DE.Views.Settings.textEditDoc": "Редагувати документ", "DE.Views.Settings.textEmail": "Пошта", "DE.Views.Settings.textEnableAll": "Увімкнути все", + "DE.Views.Settings.textEnableAllMacrosWithoutNotification": "Задіяти всі макроси без сповіщення", "DE.Views.Settings.textFind": "Знайти", "DE.Views.Settings.textFindAndReplace": "Знайти та перемістити", "DE.Views.Settings.textFormat": "Формат", "DE.Views.Settings.textHelp": "Допомога", + "DE.Views.Settings.textHiddenTableBorders": "Приховані границі таблиці", + "DE.Views.Settings.textInch": "Дюйм", "DE.Views.Settings.textLandscape": "ландшафт", + "DE.Views.Settings.textLastModified": "Остання зміна", "DE.Views.Settings.textLastModifiedBy": "Востаннє змінено", "DE.Views.Settings.textLeft": "Лівий", "DE.Views.Settings.textLoading": "Завантаження...", + "DE.Views.Settings.textLocation": "Розташування", + "DE.Views.Settings.textMacrosSettings": "Налаштування макросів", + "DE.Views.Settings.textMargins": "Поля", + "DE.Views.Settings.textNoCharacters": "Недруковані символи", "DE.Views.Settings.textOrientation": "Орієнтація", "DE.Views.Settings.textOwner": "Власник", "DE.Views.Settings.textPages": "Сторінки", "DE.Views.Settings.textParagraphs": "Параграфи", + "DE.Views.Settings.textPoint": "Пункт", "DE.Views.Settings.textPortrait": "Портрет", "DE.Views.Settings.textPoweredBy": "Під керуванням", "DE.Views.Settings.textPrint": "Роздрукувати", "DE.Views.Settings.textReader": "Режим читання", + "DE.Views.Settings.textReview": "Відстежувати зміни", "DE.Views.Settings.textRight": "Право", "DE.Views.Settings.textSettings": "Налаштування", + "DE.Views.Settings.textShowNotification": "Показати сповіщення", "DE.Views.Settings.textSpaces": "Пробіли", + "DE.Views.Settings.textSpellcheck": "Перевірка орфографії", "DE.Views.Settings.textStatistic": "Статистика", + "DE.Views.Settings.textSubject": "Тема", "DE.Views.Settings.textSymbols": "Символи", "DE.Views.Settings.textTel": "Телефон", "DE.Views.Settings.textTitle": "Заголовок", + "DE.Views.Settings.textTop": "Верхнє", + "DE.Views.Settings.textUnitOfMeasurement": "Одиниця виміру", + "DE.Views.Settings.textUploaded": "Завантажено", "DE.Views.Settings.textVersion": "Версія", "DE.Views.Settings.textWords": "Слова", "DE.Views.Settings.unknownText": "Невідомий", diff --git a/apps/documenteditor/mobile/locale/zh.json b/apps/documenteditor/mobile/locale/zh.json index fcd2cbc40..79850b9b2 100644 --- a/apps/documenteditor/mobile/locale/zh.json +++ b/apps/documenteditor/mobile/locale/zh.json @@ -27,7 +27,7 @@ "Common.Controllers.Collaboration.textImage": "图片", "Common.Controllers.Collaboration.textIndentLeft": "左缩进", "Common.Controllers.Collaboration.textIndentRight": "右缩进", - "Common.Controllers.Collaboration.textInserted": "插入:", + "Common.Controllers.Collaboration.textInserted": "插入:", "Common.Controllers.Collaboration.textItalic": "斜体", "Common.Controllers.Collaboration.textJustify": "仅对齐", "Common.Controllers.Collaboration.textKeepLines": "保持同一行", @@ -104,8 +104,10 @@ "DE.Controllers.AddContainer.textOther": "其他", "DE.Controllers.AddContainer.textShape": "形状", "DE.Controllers.AddContainer.textTable": "表格", + "DE.Controllers.AddImage.notcriticalErrorTitle": "警告", "DE.Controllers.AddImage.textEmptyImgUrl": "您需要指定图像URL。", "DE.Controllers.AddImage.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", + "DE.Controllers.AddOther.notcriticalErrorTitle": "警告", "DE.Controllers.AddOther.textBelowText": "文字下方", "DE.Controllers.AddOther.textBottomOfPage": "页面底部", "DE.Controllers.AddOther.textCancel": "取消", @@ -150,6 +152,10 @@ "DE.Controllers.EditContainer.textShape": "形状", "DE.Controllers.EditContainer.textTable": "表格", "DE.Controllers.EditContainer.textText": "文本", + "DE.Controllers.EditHyperlink.notcriticalErrorTitle": "警告", + "DE.Controllers.EditHyperlink.textEmptyImgUrl": "您需要指定图像URL。", + "DE.Controllers.EditHyperlink.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", + "DE.Controllers.EditImage.notcriticalErrorTitle": "警告", "DE.Controllers.EditImage.textEmptyImgUrl": "您需要指定图像URL。", "DE.Controllers.EditImage.txtNotUrl": "该字段应为“http://www.example.com”格式的URL", "DE.Controllers.EditText.textAuto": "自动", @@ -188,6 +194,9 @@ "DE.Controllers.Main.errorOpensource": "这个免费的社区版本只能够用来查看文件。要想在手机上使用在线编辑工具,请购买商业版。", "DE.Controllers.Main.errorProcessSaveResult": "保存失败", "DE.Controllers.Main.errorServerVersion": "该编辑版本已经更新。该页面将被重新加载以应用更改。", + "DE.Controllers.Main.errorSessionAbsolute": "文档编辑会话已过期。请重新加载页面", + "DE.Controllers.Main.errorSessionIdle": "该文件尚未编辑相当长的时间。请重新加载页面。", + "DE.Controllers.Main.errorSessionToken": "与服务器的连接已中断。请重新加载页面。", "DE.Controllers.Main.errorStockChart": "行顺序不正确。建立股票图表将数据按照以下顺序放置在表格上:
    开盘价,最高价格,最低价格,收盘价。", "DE.Controllers.Main.errorUpdateVersion": "该文件版本已经改变了。该页面将被重新加载。", "DE.Controllers.Main.errorUpdateVersionOnDisconnect": "网连接已还原文件版本已更改。.
    在继续工作之前,需要下载文件或复制其内容以确保没有丢失任何内容,然后重新加载此页。", @@ -247,12 +256,21 @@ "DE.Controllers.Main.titleLicenseExp": "许可证过期", "DE.Controllers.Main.titleServerVersion": "编辑器已更新", "DE.Controllers.Main.titleUpdateVersion": "版本已变化", + "DE.Controllers.Main.txtAbove": "以上", "DE.Controllers.Main.txtArt": "你的文本在此", + "DE.Controllers.Main.txtBelow": "以下", + "DE.Controllers.Main.txtCurrentDocument": "当前文件", "DE.Controllers.Main.txtDiagramTitle": "图表标题", "DE.Controllers.Main.txtEditingMode": "设置编辑模式..", + "DE.Controllers.Main.txtEvenPage": "偶数页", + "DE.Controllers.Main.txtFirstPage": "首页", "DE.Controllers.Main.txtFooter": "页脚", "DE.Controllers.Main.txtHeader": "页眉", + "DE.Controllers.Main.txtOddPage": "奇数页", + "DE.Controllers.Main.txtOnPage": "在页面上", "DE.Controllers.Main.txtProtected": "在您输入密码和打开文件后,该文件的当前密码将被重置", + "DE.Controllers.Main.txtSameAsPrev": "与上一个相同", + "DE.Controllers.Main.txtSection": "-部分", "DE.Controllers.Main.txtSeries": "系列", "DE.Controllers.Main.txtStyle_footnote_text": "脚注文本", "DE.Controllers.Main.txtStyle_Heading_1": "标题1", @@ -283,6 +301,8 @@ "DE.Controllers.Main.waitText": "请稍候...", "DE.Controllers.Main.warnLicenseExceeded": "与文档服务器的并发连接次数已超出限制,文档打开后将仅供查看。
    请联系您的账户管理员了解详情。", "DE.Controllers.Main.warnLicenseExp": "您的许可证已过期。
    请更新您的许可证并刷新页面。", + "DE.Controllers.Main.warnLicenseLimitedNoAccess": "授权过期
    您不具备文件编辑功能的授权
    请联系管理员。", + "DE.Controllers.Main.warnLicenseLimitedRenewed": "授权需更新
    您只有文件编辑功能的部分权限
    请联系管理员以取得完整权限。", "DE.Controllers.Main.warnLicenseUsersExceeded": "并发用户数量已超出限制,文档打开后将仅供查看。
    请联系您的账户管理员了解详情。", "DE.Controllers.Main.warnNoLicense": "该版本对文档服务器的并发连接有限制。
    如果需要更多请考虑购买商业许可证。", "DE.Controllers.Main.warnNoLicenseUsers": "此版本的%1编辑器对并发用户数量有一定的限制。
    如果需要更多,请考虑购买商用许可证。", diff --git a/apps/presentationeditor/embed/locale/pl.json b/apps/presentationeditor/embed/locale/pl.json index 5edb3d393..7fab83304 100644 --- a/apps/presentationeditor/embed/locale/pl.json +++ b/apps/presentationeditor/embed/locale/pl.json @@ -1,5 +1,6 @@ { "common.view.modals.txtCopy": "Skopiuj do schowka", + "common.view.modals.txtEmbed": "Osadź", "common.view.modals.txtHeight": "Wysokość", "common.view.modals.txtShare": "Udostępnij link", "common.view.modals.txtWidth": "Szerokość", @@ -23,6 +24,7 @@ "PE.ApplicationController.unsupportedBrowserErrorText": "Twoja przeglądarka nie jest wspierana.", "PE.ApplicationController.waitText": "Proszę czekać...", "PE.ApplicationView.txtDownload": "Pobierz", + "PE.ApplicationView.txtEmbed": "Osadź", "PE.ApplicationView.txtFullScreen": "Pełny ekran", "PE.ApplicationView.txtPrint": "Drukuj", "PE.ApplicationView.txtShare": "Udostępnij" diff --git a/apps/presentationeditor/embed/locale/zh.json b/apps/presentationeditor/embed/locale/zh.json index f708bec83..86b913c56 100644 --- a/apps/presentationeditor/embed/locale/zh.json +++ b/apps/presentationeditor/embed/locale/zh.json @@ -13,18 +13,19 @@ "PE.ApplicationController.errorDefaultMessage": "错误代码:%1", "PE.ApplicationController.errorFilePassProtect": "该文档受密码保护,无法被打开。", "PE.ApplicationController.errorFileSizeExceed": "文件大小超出了为服务器设置的限制.
    有关详细信息,请与文档服务器管理员联系。", - "PE.ApplicationController.errorUpdateVersionOnDisconnect": "网连接已还原文件版本已更改。.
    在继续工作之前,需要下载文件或复制其内容以确保没有丢失任何内容,然后重新加载此页。", + "PE.ApplicationController.errorUpdateVersionOnDisconnect": "网络连接已恢复,文件版本已变更。
    在继续工作之前,需要下载文件或复制其内容以避免丢失数据,然后刷新此页。", "PE.ApplicationController.errorUserDrop": "该文件现在无法访问。", "PE.ApplicationController.notcriticalErrorTitle": "警告", "PE.ApplicationController.scriptLoadError": "连接速度过慢,部分组件无法被加载。请重新加载页面。", "PE.ApplicationController.textLoadingDocument": "载入演示", "PE.ApplicationController.textOf": "的", "PE.ApplicationController.txtClose": "关闭", - "PE.ApplicationController.unknownErrorText": "示知错误", - "PE.ApplicationController.unsupportedBrowserErrorText": "你的浏览器不支持", + "PE.ApplicationController.unknownErrorText": "未知错误。", + "PE.ApplicationController.unsupportedBrowserErrorText": "您的浏览器不受支持", "PE.ApplicationController.waitText": "请稍候...", "PE.ApplicationView.txtDownload": "下载", "PE.ApplicationView.txtEmbed": "嵌入", "PE.ApplicationView.txtFullScreen": "全屏", + "PE.ApplicationView.txtPrint": "打印", "PE.ApplicationView.txtShare": "共享" } \ No newline at end of file diff --git a/apps/presentationeditor/main/app.js b/apps/presentationeditor/main/app.js index 99ea4dc01..5fb88c9ff 100644 --- a/apps/presentationeditor/main/app.js +++ b/apps/presentationeditor/main/app.js @@ -189,6 +189,7 @@ require([ 'common/main/lib/controller/ExternalDiagramEditor' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' + ,'common/main/lib/controller/Themes' ,'common/main/lib/controller/Desktop' ], function() { app.start(); diff --git a/apps/presentationeditor/main/app/controller/Main.js b/apps/presentationeditor/main/app/controller/Main.js index 7573ba3fe..4dd017d61 100644 --- a/apps/presentationeditor/main/app/controller/Main.js +++ b/apps/presentationeditor/main/app/controller/Main.js @@ -157,6 +157,7 @@ define([ this.api = this.getApplication().getController('Viewport').getApi(); Common.UI.FocusManager.init(); + Common.UI.Themes.init(this.api); if (this.api){ this.api.SetDrawingFreeze(true); @@ -517,6 +518,12 @@ define([ var application = this.getApplication(), toolbarView = application.getController('Toolbar').getView('Toolbar'); + if (this.appOptions.isEdit && toolbarView && toolbarView.btnHighlightColor.pressed && + ( !_.isObject(arguments[1]) || arguments[1].id !== 'id-toolbar-btn-highlight')) { + this.api.SetMarkerFormat(false); + toolbarView.btnHighlightColor.toggle(false, false); + } + application.getController('DocumentHolder').getView('DocumentHolder').focus(); if (this.api && this.appOptions.isEdit && this.api.asc_isDocumentCanSave) { var cansave = this.api.asc_isDocumentCanSave(), @@ -870,6 +877,12 @@ define([ $('.doc-placeholder').remove(); this.appOptions.user.guest && this.appOptions.canRenameAnonymous && (Common.Utils.InternalSettings.get("guest-username")===null) && this.showRenameUserDialog(); + + $('#header-logo').children(0).click(e => { + e.stopImmediatePropagation(); + + Common.UI.Themes.toggleTheme(); + }) }, onLicenseChanged: function(params) { @@ -996,7 +1009,13 @@ define([ this.appOptions.canRename = this.editorConfig.canRename; this.appOptions.canForcesave = this.appOptions.isEdit && !this.appOptions.isOffline && (typeof (this.editorConfig.customization) == 'object' && !!this.editorConfig.customization.forcesave); this.appOptions.forcesave = this.appOptions.canForcesave; - this.appOptions.canEditComments= this.appOptions.isOffline || !(typeof (this.editorConfig.customization) == 'object' && this.editorConfig.customization.commentAuthorOnly); + this.appOptions.canEditComments= this.appOptions.isOffline || !this.permissions.editCommentAuthorOnly; + this.appOptions.canDeleteComments= this.appOptions.isOffline || !this.permissions.deleteCommentAuthorOnly; + if ((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.commentAuthorOnly===true) { + console.log("Obsolete: The 'commentAuthorOnly' parameter of the 'customization' section is deprecated. Please use 'editCommentAuthorOnly' and 'deleteCommentAuthorOnly' parameters in the permissions instead."); + if (this.permissions.editCommentAuthorOnly===undefined && this.permissions.deleteCommentAuthorOnly===undefined) + this.appOptions.canEditComments = this.appOptions.canDeleteComments = this.appOptions.isOffline; + } this.appOptions.buildVersion = params.asc_getBuildVersion(); this.appOptions.trialMode = params.asc_getLicenseMode(); this.appOptions.isBeta = params.asc_getIsBeta(); @@ -1013,10 +1032,11 @@ define([ this.appOptions.canFavorite = this.document.info && (this.document.info.favorite!==undefined && this.document.info.favorite!==null) && !this.appOptions.isOffline; this.appOptions.canFavorite && appHeader.setFavorite(this.document.info.favorite); - this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object'); + this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && (!!this.permissions.reviewGroup || + this.appOptions.canLicense && this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object')); Common.Utils.UserInfoParser.setParser(this.appOptions.canUseReviewPermissions); Common.Utils.UserInfoParser.setCurrentName(this.appOptions.user.fullname); - this.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(this.editorConfig.customization.reviewPermissions); + this.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(this.permissions.reviewGroup, this.editorConfig.customization.reviewPermissions); appHeader.setUserName(Common.Utils.UserInfoParser.getParsedName(Common.Utils.UserInfoParser.getCurrentName())); this.appOptions.canRename && appHeader.setCanRename(true); @@ -1857,6 +1877,7 @@ define([ if (change && this.appOptions.user.guest && this.appOptions.canRenameAnonymous && (change.asc_getIdOriginal() == this.appOptions.user.id)) { // change name of the current user var name = change.asc_getUserName(); if (name && name !== Common.Utils.UserInfoParser.getCurrentName() ) { + this._renameDialog && this._renameDialog.close(); Common.Utils.UserInfoParser.setCurrentName(name); appHeader.setUserName(Common.Utils.UserInfoParser.getParsedName(name)); @@ -1948,7 +1969,8 @@ define([ title: Common.Views.OpenDialog.prototype.txtTitleProtected, closeFile: me.appOptions.canRequestClose, type: Common.Utils.importTextType.DRM, - warning: !(me.appOptions.isDesktopApp && me.appOptions.isOffline), + warning: !(me.appOptions.isDesktopApp && me.appOptions.isOffline) && (typeof advOptions == 'string'), + warningMsg: advOptions, validatePwd: !!me._state.isDRM, handler: function (result, value) { me.isShowOpenDialog = false; diff --git a/apps/presentationeditor/main/app/controller/Toolbar.js b/apps/presentationeditor/main/app/controller/Toolbar.js index 442e795a4..1b8793dfc 100644 --- a/apps/presentationeditor/main/app/controller/Toolbar.js +++ b/apps/presentationeditor/main/app/controller/Toolbar.js @@ -105,7 +105,8 @@ define([ fontsize: undefined, in_equation: undefined, in_chart: false, - no_columns: false + no_columns: false, + clrhighlight: undefined }; this._isAddingShape = false; this.slideSizeArr = [ @@ -279,6 +280,7 @@ define([ toolbar.btnVerticalAlign.menu.on('item:click', _.bind(this.onMenuVerticalAlignSelect, this)); toolbar.btnDecLeftOffset.on('click', _.bind(this.onDecOffset, this)); toolbar.btnIncLeftOffset.on('click', _.bind(this.onIncOffset, this)); + toolbar.mnuChangeCase.on('item:click', _.bind(this.onChangeCase, this)); toolbar.btnMarkers.on('click', _.bind(this.onMarkers, this)); toolbar.btnNumbers.on('click', _.bind(this.onNumbers, this)); toolbar.mnuMarkerSettings.on('click', _.bind(this.onMarkerSettingsClick, this, 0)); @@ -300,6 +302,9 @@ define([ toolbar.btnFontColor.on('click', _.bind(this.onBtnFontColor, this)); toolbar.mnuFontColorPicker.on('select', _.bind(this.onSelectFontColor, this)); $('#id-toolbar-menu-new-fontcolor').on('click', _.bind(this.onNewFontColor, this)); + toolbar.btnHighlightColor.on('click', _.bind(this.onBtnHighlightColor, this)); + toolbar.mnuHighlightColorPicker.on('select', _.bind(this.onSelectHighlightColor, this)); + toolbar.mnuHighlightTransparent.on('click', _.bind(this.onHighlightTransparentClick, this)); toolbar.btnLineSpace.menu.on('item:toggle', _.bind(this.onLineSpaceToggle, this)); toolbar.btnColumns.menu.on('item:click', _.bind(this.onColumnsSelect, this)); toolbar.btnColumns.menu.on('show:before', _.bind(this.onBeforeColumns, this)); @@ -352,6 +357,8 @@ define([ this.api.asc_registerCallback('asc_onVerticalTextAlign', _.bind(this.onApiVerticalTextAlign, this)); this.api.asc_registerCallback('asc_onCanAddHyperlink', _.bind(this.onApiCanAddHyperlink, this)); this.api.asc_registerCallback('asc_onTextColor', _.bind(this.onApiTextColor, this)); + this.api.asc_registerCallback('asc_onMarkerFormatChanged', _.bind(this.onApiStartHighlight, this)); + this.api.asc_registerCallback('asc_onTextHighLight', _.bind(this.onApiHighlightColor, this)); this.api.asc_registerCallback('asc_onUpdateThemeIndex', _.bind(this.onApiUpdateThemeIndex, this)); this.api.asc_registerCallback('asc_onEndAddShape', _.bind(this.onApiEndAddShape, this)); @@ -1106,6 +1113,12 @@ define([ Common.component.Analytics.trackEvent('ToolBar', 'Indent'); }, + onChangeCase: function(menu, item, e) { + if (this.api) + this.api.asc_ChangeTextCase(item.value); + Common.NotificationCenter.trigger('edit:complete', this.toolbar); + }, + onMenuHorizontalAlignSelect: function(menu, item) { this._state.pralign = undefined; var btnHorizontalAlign = this.toolbar.btnHorizontalAlign; @@ -1846,10 +1859,8 @@ define([ onSelectFontColor: function(picker, color) { this._state.clrtext = this._state.clrtext_asccolor = undefined; - var clr = (typeof(color) == 'object') ? color.color : color; - this.toolbar.btnFontColor.currentColor = color; - $('.btn-color-value-line', this.toolbar.btnFontColor.cmpEl).css('background-color', '#' + clr); + this.toolbar.btnFontColor.setColor((typeof(color) == 'object') ? color.color : color); this.toolbar.mnuFontColorPicker.currentColor = color; if (this.api) @@ -1898,6 +1909,86 @@ define([ this._state.clrtext_asccolor = color; }, + onApiStartHighlight: function(pressed) { + this.toolbar.btnHighlightColor.toggle(pressed, true); + }, + + onApiHighlightColor: function(c) { + if (c) { + if (c == -1) { + if (this._state.clrhighlight != -1) { + this.toolbar.mnuHighlightTransparent.setChecked(true, true); + + if (this.toolbar.mnuHighlightColorPicker.cmpEl) { + this._state.clrhighlight = -1; + this.toolbar.mnuHighlightColorPicker.select(null, true); + } + } + } else if (c !== null) { + if (this._state.clrhighlight != c.get_hex().toUpperCase()) { + this.toolbar.mnuHighlightTransparent.setChecked(false); + this._state.clrhighlight = c.get_hex().toUpperCase(); + + if ( _.contains(this.toolbar.mnuHighlightColorPicker.colors, this._state.clrhighlight) ) + this.toolbar.mnuHighlightColorPicker.select(this._state.clrhighlight, true); + } + } else { + if ( this._state.clrhighlight !== c) { + this.toolbar.mnuHighlightTransparent.setChecked(false, true); + this.toolbar.mnuHighlightColorPicker.select(null, true); + this._state.clrhighlight = c; + } + } + } + }, + + _setMarkerColor: function(strcolor, h) { + var me = this; + + if (h === 'menu') { + me.toolbar.mnuHighlightTransparent.setChecked(false); + + me.toolbar.btnHighlightColor.currentColor = strcolor; + me.toolbar.btnHighlightColor.setColor(me.toolbar.btnHighlightColor.currentColor); + me.toolbar.btnHighlightColor.toggle(true, true); + } + + strcolor = strcolor || 'transparent'; + + if (strcolor == 'transparent') { + me.api.SetMarkerFormat(true, false); + } else { + var r = strcolor[0] + strcolor[1], + g = strcolor[2] + strcolor[3], + b = strcolor[4] + strcolor[5]; + me.api.SetMarkerFormat(true, true, parseInt(r, 16), parseInt(g, 16), parseInt(b, 16)); + } + + Common.NotificationCenter.trigger('edit:complete', me.toolbar, me.toolbar.btnHighlightColor); + Common.component.Analytics.trackEvent('ToolBar', 'Highlight Color'); + }, + + onBtnHighlightColor: function(btn) { + if (btn.pressed) { + this._setMarkerColor(btn.currentColor); + Common.component.Analytics.trackEvent('ToolBar', 'Highlight Color'); + } + else { + this.api.SetMarkerFormat(false); + } + }, + + onSelectHighlightColor: function(picker, color) { + this._setMarkerColor(color, 'menu'); + }, + + onHighlightTransparentClick: function(item, e) { + this._setMarkerColor('transparent', 'menu'); + item.setChecked(true, true); + this.toolbar.btnHighlightColor.currentColor = 'transparent'; + this.toolbar.btnHighlightColor.setColor(this.toolbar.btnHighlightColor.currentColor); + }, + onResetAutoshapes: function () { var me = this; var onShowBefore = function(menu) { @@ -1928,9 +2019,9 @@ define([ parentMenu: menu.items[i].menu, store: equationsStore.at(i).get('groupStore'), scrollAlwaysVisible: true, - itemTemplate: _.template('
    ' + - '
    ' + + itemTemplate: _.template( + '
    ' + + '
    ' + '
    ') }); equationPicker.on('item:click', function(picker, item, record, e) { @@ -2147,7 +2238,7 @@ define([ updateColors(this.toolbar.mnuFontColorPicker, 1); if (this.toolbar.btnFontColor.currentColor===undefined) { this.toolbar.btnFontColor.currentColor = this.toolbar.mnuFontColorPicker.currentColor.color || this.toolbar.mnuFontColorPicker.currentColor; - $('.btn-color-value-line', this.toolbar.btnFontColor.cmpEl).css('background-color', '#' + this.toolbar.btnFontColor.currentColor); + this.toolbar.btnFontColor.setColor(this.toolbar.btnFontColor.currentColor); } if (this._state.clrtext_asccolor!==undefined) { this._state.clrtext = undefined; diff --git a/apps/presentationeditor/main/app/controller/Viewport.js b/apps/presentationeditor/main/app/controller/Viewport.js index ae8e2f1b7..1832ccc8c 100644 --- a/apps/presentationeditor/main/app/controller/Viewport.js +++ b/apps/presentationeditor/main/app/controller/Viewport.js @@ -349,7 +349,7 @@ define([ }, onPreviewStart: function(slidenum, presenter) { - this.previewPanel = this.previewPanel || PE.getController('Viewport').getView('DocumentPreview'); + this.previewPanel = this.previewPanel || this.getView('DocumentPreview'); var me = this, isResized = false; diff --git a/apps/presentationeditor/main/app/template/ChartSettings.template b/apps/presentationeditor/main/app/template/ChartSettings.template index 7ca88a41a..fadf1f2b1 100644 --- a/apps/presentationeditor/main/app/template/ChartSettings.template +++ b/apps/presentationeditor/main/app/template/ChartSettings.template @@ -34,7 +34,7 @@
    - +
    @@ -46,7 +46,7 @@ - + diff --git a/apps/presentationeditor/main/app/template/SlideSettings.template b/apps/presentationeditor/main/app/template/SlideSettings.template index 6a1a32692..1b982be0a 100644 --- a/apps/presentationeditor/main/app/template/SlideSettings.template +++ b/apps/presentationeditor/main/app/template/SlideSettings.template @@ -26,7 +26,7 @@
    -
    +
    @@ -133,12 +133,16 @@ - -
    - -
    + +
    + +
    - + + + + + @@ -149,7 +153,7 @@
    -
    +
    diff --git a/apps/presentationeditor/main/app/template/Toolbar.template b/apps/presentationeditor/main/app/template/Toolbar.template index e00003b78..46b612cd6 100644 --- a/apps/presentationeditor/main/app/template/Toolbar.template +++ b/apps/presentationeditor/main/app/template/Toolbar.template @@ -43,11 +43,12 @@
    -
    +
    +
    @@ -56,6 +57,7 @@ +
    diff --git a/apps/presentationeditor/main/app/view/ChartSettings.js b/apps/presentationeditor/main/app/view/ChartSettings.js index b33b20ae9..798578eac 100644 --- a/apps/presentationeditor/main/app/view/ChartSettings.js +++ b/apps/presentationeditor/main/app/view/ChartSettings.js @@ -131,34 +131,39 @@ define([ this.btnChartType.setIconCls('svgicon ' + 'chart-' + record.get('iconCls')); } else this.btnChartType.setIconCls('svgicon'); - this.updateChartStyles(this.api.asc_getChartPreviews(type)); + this.ShowCombinedProps(type); + !(type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); this._state.ChartType = type; } } - value = props.get_SeveralChartStyles(); - if (this._state.SeveralCharts && value) { - this.cmbChartStyle.fieldPicker.deselectAll(); - this.cmbChartStyle.menuPicker.deselectAll(); - this._state.ChartStyle = null; - } else { - value = props.getStyle(); - if (this._state.ChartStyle!==value || this._isChartStylesChanged) { - this.cmbChartStyle.suspendEvents(); - var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); - this.cmbChartStyle.menuPicker.selectRecord(rec); - this.cmbChartStyle.resumeEvents(); + if (!(type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom)) { + value = props.get_SeveralChartStyles(); + if (this._state.SeveralCharts && value) { + this.cmbChartStyle.fieldPicker.deselectAll(); + this.cmbChartStyle.menuPicker.deselectAll(); + this._state.ChartStyle = null; + } else { + value = props.getStyle(); + if (this._state.ChartStyle !== value || this._isChartStylesChanged) { + this.cmbChartStyle.suspendEvents(); + var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); + this.cmbChartStyle.menuPicker.selectRecord(rec); + this.cmbChartStyle.resumeEvents(); - if (this._isChartStylesChanged) { - if (rec) - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(),true); - else - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + if (this._isChartStylesChanged) { + if (rec) + this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(), true); + else + this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + } + this._state.ChartStyle = value; } - this._state.ChartStyle=value; } + this._isChartStylesChanged = false; } - this._isChartStylesChanged = false; this._noApply = false; @@ -194,6 +199,8 @@ define([ spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1); } + this.spnWidth && this.spnWidth.setValue((this._state.Width!==null) ? Common.Utils.Metric.fnRecalcFromMM(this._state.Width) : '', true); + this.spnHeight && this.spnHeight.setValue((this._state.Height!==null) ? Common.Utils.Metric.fnRecalcFromMM(this._state.Height) : '', true); } }, @@ -283,6 +290,7 @@ define([ this.linkAdvanced = $('#chart-advanced-link'); $(this.el).on('click', '#chart-advanced-link', _.bind(this.openAdvancedSettings, this)); + this.NotCombinedSettings = $('.not-combined'); }, createDelayedElements: function() { @@ -349,7 +357,9 @@ define([ }, _onUpdateChartStyles: function() { - if (this.api && this._state.ChartType!==null && this._state.ChartType>-1) + if (this.api && this._state.ChartType!==null && this._state.ChartType>-1 && + !(this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType)); }, @@ -477,6 +487,11 @@ define([ } }, + ShowCombinedProps: function(type) { + this.NotCombinedSettings.toggleClass('settings-hidden', type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom); + }, + setLocked: function (locked) { this._locked = locked; }, diff --git a/apps/presentationeditor/main/app/view/DocumentHolder.js b/apps/presentationeditor/main/app/view/DocumentHolder.js index 332f96444..506903f58 100644 --- a/apps/presentationeditor/main/app/view/DocumentHolder.js +++ b/apps/presentationeditor/main/app/view/DocumentHolder.js @@ -3651,7 +3651,7 @@ define([ if (!menu) { this.placeholderMenuChart = menu = new Common.UI.Menu({ - style: 'width: 364px;', + style: 'width: 364px;padding-top: 12px;', items: [ {template: _.template('')} ] diff --git a/apps/presentationeditor/main/app/view/FileMenuPanels.js b/apps/presentationeditor/main/app/view/FileMenuPanels.js index 2252167ac..6b6a3fbce 100644 --- a/apps/presentationeditor/main/app/view/FileMenuPanels.js +++ b/apps/presentationeditor/main/app/view/FileMenuPanels.js @@ -214,6 +214,10 @@ define([ '
    ', '','', /** coauthoring end **/ + '', + '', + '', + '','', '', '', '
    ', @@ -394,6 +398,17 @@ define([ }); this.btnAutoCorrect.on('click', _.bind(this.autoCorrect, this)); + this.cmbTheme = new Common.UI.ComboBox({ + el : $markup.findById('#fms-cmb-theme'), + style : 'width: 160px;', + editable : false, + cls : 'input-group-nr', + data : [ + { value: 'theme-light', displayValue: this.txtThemeLight }, + { value: 'theme-dark', displayValue: this.txtThemeDark } + ] + }); + $markup.find('.btn.primary').each(function(index, el){ (new Common.UI.Button({ el: $(el) @@ -509,9 +524,14 @@ define([ this.lblMacrosDesc.text(item ? item.get('descValue') : this.txtWarnMacrosDesc); this.chPaste.setValue(Common.Utils.InternalSettings.get("pe-settings-paste-button")); + + item = this.cmbTheme.store.findWhere({value: Common.UI.Themes.current()}); + this.cmbTheme.setValue(item ? item.get('value') : 0); }, applySettings: function() { + Common.UI.Themes.setTheme(this.cmbTheme.getValue()); + Common.localStorage.setItem("pe-settings-spellcheck", this.chSpell.isChecked() ? 1 : 0); Common.localStorage.setItem("pe-settings-inputmode", this.chInputMode.isChecked() ? 1 : 0); Common.localStorage.setItem("pe-settings-zoom", this.cmbZoom.getValue()); @@ -608,6 +628,9 @@ define([ strPaste: 'Cut, copy and paste', strPasteButton: 'Show Paste Options button when content is pasted', txtProofing: 'Proofing', + strTheme: 'Theme', + txtThemeLight: 'Light', + txtThemeDark: 'Dark', txtAutoCorrect: 'AutoCorrect options...' }, PE.Views.FileMenuPanels.Settings || {})); @@ -983,11 +1006,6 @@ define([ }, updateInfo: function(doc) { - if (!this.doc && doc && doc.info) { - doc.info.author && console.log("Obsolete: The 'author' parameter of the document 'info' section is deprecated. Please use 'owner' instead."); - doc.info.created && console.log("Obsolete: The 'created' parameter of the document 'info' section is deprecated. Please use 'uploaded' instead."); - } - this.doc = doc; if (!this.rendered) return; @@ -999,11 +1017,11 @@ define([ if (doc.info.folder ) this.lblPlacement.text( doc.info.folder ); visible = this._ShowHideInfoItem(this.lblPlacement, doc.info.folder!==undefined && doc.info.folder!==null) || visible; - var value = doc.info.owner || doc.info.author; + var value = doc.info.owner; if (value) this.lblOwner.text(value); visible = this._ShowHideInfoItem(this.lblOwner, !!value) || visible; - value = doc.info.uploaded || doc.info.created; + value = doc.info.uploaded; if (value) this.lblUploaded.text(value); visible = this._ShowHideInfoItem(this.lblUploaded, !!value) || visible; diff --git a/apps/presentationeditor/main/app/view/ParagraphSettings.js b/apps/presentationeditor/main/app/view/ParagraphSettings.js index 7311f8923..b425e11ee 100644 --- a/apps/presentationeditor/main/app/view/ParagraphSettings.js +++ b/apps/presentationeditor/main/app/view/ParagraphSettings.js @@ -229,6 +229,10 @@ define([ spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.01); } + var val = this._state.LineSpacingBefore; + this.numSpacingBefore && this.numSpacingBefore.setValue((val !== null) ? ((val<0) ? val : Common.Utils.Metric.fnRecalcFromMM(val) ) : '', true); + val = this._state.LineSpacingAfter; + this.numSpacingAfter && this.numSpacingAfter.setValue((val !== null) ? ((val<0) ? val : Common.Utils.Metric.fnRecalcFromMM(val) ) : '', true); } if (this.cmbLineRule) { var rec = this.cmbLineRule.store.at(1); @@ -242,6 +246,13 @@ define([ if (!rec) rec = this.cmbLineRule.store.at(0); this.numLineHeight.setDefaultUnit(rec.get('defaultUnit')); this.numLineHeight.setStep(rec.get('step')); + var val = ''; + if ( this._state.LineRule == c_paragraphLinerule.LINERULE_AUTO ) { + val = this._state.LineHeight; + } else if (this._state.LineHeight !== null ) { + val = Common.Utils.Metric.fnRecalcFromMM(this._state.LineHeight); + } + this.numLineHeight && this.numLineHeight.setValue((val !== null) ? val : '', true); } } }, diff --git a/apps/presentationeditor/main/app/view/ShapeSettings.js b/apps/presentationeditor/main/app/view/ShapeSettings.js index 588415bc5..9a7270677 100644 --- a/apps/presentationeditor/main/app/view/ShapeSettings.js +++ b/apps/presentationeditor/main/app/view/ShapeSettings.js @@ -1518,7 +1518,9 @@ define([ '' ].join('')) }); diff --git a/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js b/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js index 6b58dad79..a116cdc64 100644 --- a/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js +++ b/apps/presentationeditor/main/app/view/ShapeSettingsAdvanced.js @@ -357,7 +357,7 @@ define([ 'text!presentationeditor/main/app/template/ShapeSettingsAdvanced.tem '' ].join('')) }); @@ -384,7 +384,7 @@ define([ 'text!presentationeditor/main/app/template/ShapeSettingsAdvanced.tem '' ].join('')) }); @@ -417,7 +417,7 @@ define([ 'text!presentationeditor/main/app/template/ShapeSettingsAdvanced.tem '' ].join('')) }); @@ -444,7 +444,7 @@ define([ 'text!presentationeditor/main/app/template/ShapeSettingsAdvanced.tem '' ].join('')) }); diff --git a/apps/presentationeditor/main/app/view/SlideSettings.js b/apps/presentationeditor/main/app/view/SlideSettings.js index 01878b36a..c47496479 100644 --- a/apps/presentationeditor/main/app/view/SlideSettings.js +++ b/apps/presentationeditor/main/app/view/SlideSettings.js @@ -241,7 +241,7 @@ define([ this.numDuration = new Common.UI.MetricSpinner({ el: $('#slide-spin-duration'), step: 1, - width: 65, + width: 70, value: '', defaultUnit : this.textSec, maxValue: 300, @@ -1051,7 +1051,9 @@ define([ '' ].join('')) }); diff --git a/apps/presentationeditor/main/app/view/TableSettings.js b/apps/presentationeditor/main/app/view/TableSettings.js index 55aae8bef..72d1b50b4 100644 --- a/apps/presentationeditor/main/app/view/TableSettings.js +++ b/apps/presentationeditor/main/app/view/TableSettings.js @@ -538,6 +538,10 @@ define([ spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1); } + var val = this._state.Width; + this.numWidth && this.numWidth.setValue((val !== null && val !== undefined) ? Common.Utils.Metric.fnRecalcFromMM(val) : '', true); + val = this._state.Height; + this.numHeight && this.numHeight.setValue((val !== null && val !== undefined) ? Common.Utils.Metric.fnRecalcFromMM(val) : '', true); } }, @@ -607,7 +611,8 @@ define([ if (!this.btnBackColor) { this.btnBorderColor = new Common.UI.ColorButton({ parentEl: $('#table-border-color-btn'), - color: '000000' + color: 'auto', + auto: true }); this.lockedControls.push(this.btnBorderColor); this.borderColor = this.btnBorderColor.getPicker(); @@ -622,7 +627,7 @@ define([ } this.colorsBack.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); this.borderColor.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); - this.btnBorderColor.setColor(this.borderColor.getColor()); + !this.btnBorderColor.isAutoColor() && this.btnBorderColor.setColor(this.borderColor.getColor()); }, _onInitTemplates: function(Templates){ diff --git a/apps/presentationeditor/main/app/view/TextArtSettings.js b/apps/presentationeditor/main/app/view/TextArtSettings.js index b48aba029..cc71d911c 100644 --- a/apps/presentationeditor/main/app/view/TextArtSettings.js +++ b/apps/presentationeditor/main/app/view/TextArtSettings.js @@ -1435,7 +1435,9 @@ define([ '' ].join('')) }); diff --git a/apps/presentationeditor/main/app/view/Toolbar.js b/apps/presentationeditor/main/app/view/Toolbar.js index 9e64c9b56..1ede74398 100644 --- a/apps/presentationeditor/main/app/view/Toolbar.js +++ b/apps/presentationeditor/main/app/view/Toolbar.js @@ -334,7 +334,29 @@ define([ }); me.paragraphControls.push(me.btnSubscript); - me.btnFontColor = new Common.UI.Button({ + me.btnHighlightColor = new Common.UI.ButtonColored({ + id: 'id-toolbar-btn-highlight', + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-highlight', + enableToggle: true, + allowDepress: true, + split: true, + lock: [_set.slideDeleted, _set.paragraphLock, _set.lostConnect, _set.noSlides, _set.noTextSelected, _set.shapeLock], + menu: new Common.UI.Menu({ + style: 'min-width: 100px;', + items: [ + {template: _.template('
    ')}, + {caption: '--'}, + me.mnuHighlightTransparent = new Common.UI.MenuItem({ + caption: me.strMenuNoFill, + checkable: true + }) + ] + }) + }); + me.paragraphControls.push(me.btnHighlightColor); + + me.btnFontColor = new Common.UI.ButtonColored({ id: 'id-toolbar-btn-fontcolor', cls: 'btn-toolbar', iconCls: 'toolbar__icon btn-fontcolor', @@ -343,13 +365,31 @@ define([ menu: new Common.UI.Menu({ cls: 'shifted-left', items: [ - {template: _.template('
    ')}, + {template: _.template('
    ')}, {template: _.template('' + me.textNewColor + '')} ] }) }); me.paragraphControls.push(me.btnFontColor); + me.btnChangeCase = new Common.UI.Button({ + id: 'id-toolbar-btn-case', + cls: 'btn-toolbar', + iconCls: 'toolbar__icon btn-change-case', + lock: [_set.slideDeleted, _set.paragraphLock, _set.lostConnect, _set.noSlides, _set.noTextSelected, _set.shapeLock], + menu: new Common.UI.Menu({ + items: [ + {caption: me.mniSentenceCase, value: Asc.c_oAscChangeTextCaseType.SentenceCase}, + {caption: me.mniLowerCase, value: Asc.c_oAscChangeTextCaseType.LowerCase}, + {caption: me.mniUpperCase, value: Asc.c_oAscChangeTextCaseType.UpperCase}, + {caption: me.mniCapitalizeWords, value: Asc.c_oAscChangeTextCaseType.CapitalizeWords}, + {caption: me.mniToggleCase, value: Asc.c_oAscChangeTextCaseType.ToggleCase} + ] + }) + }); + me.paragraphControls.push(me.btnChangeCase); + me.mnuChangeCase = me.btnChangeCase.menu; + me.btnClearStyle = new Common.UI.Button({ id: 'id-toolbar-btn-clearstyle', cls: 'btn-toolbar', @@ -907,7 +947,7 @@ define([ this.lockControls = [this.btnChangeSlide, this.btnSave, this.btnCopy, this.btnPaste, this.btnUndo, this.btnRedo, this.cmbFontName, this.cmbFontSize, this.btnIncFontSize, this.btnDecFontSize, - this.btnBold, this.btnItalic, this.btnUnderline, this.btnStrikeout, this.btnSuperscript, + this.btnBold, this.btnItalic, this.btnUnderline, this.btnStrikeout, this.btnSuperscript, this.btnChangeCase, this.btnHighlightColor, this.btnSubscript, this.btnFontColor, this.btnClearStyle, this.btnCopyStyle, this.btnMarkers, this.btnNumbers, this.btnDecLeftOffset, this.btnIncLeftOffset, this.btnLineSpace, this.btnHorizontalAlign, this.btnColumns, this.btnVerticalAlign, this.btnShapeArrange, this.btnShapeAlign, this.btnInsertTable, this.btnInsertChart, @@ -1019,6 +1059,8 @@ define([ _injectComponent('#slot-btn-incfont', this.btnIncFontSize); _injectComponent('#slot-btn-decfont', this.btnDecFontSize); _injectComponent('#slot-btn-fontcolor', this.btnFontColor); + _injectComponent('#slot-btn-highlight', this.btnHighlightColor); + _injectComponent('#slot-btn-changecase', this.btnChangeCase); _injectComponent('#slot-btn-clearstyle', this.btnClearStyle); _injectComponent('#slot-btn-copystyle', this.btnCopyStyle); _injectComponent('#slot-btn-markers', this.btnMarkers); @@ -1140,6 +1182,8 @@ define([ this.btnSuperscript.updateHint(this.textSuperscript); this.btnSubscript.updateHint(this.textSubscript); this.btnFontColor.updateHint(this.tipFontColor); + this.btnHighlightColor.updateHint(this.tipHighlightColor); + this.btnChangeCase.updateHint(this.tipChangeCase); this.btnClearStyle.updateHint(this.tipClearStyle); this.btnCopyStyle.updateHint(this.tipCopyStyle + Common.Utils.String.platformKey('Ctrl+Shift+C')); this.btnMarkers.updateHint(this.tipMarkers); @@ -1206,7 +1250,7 @@ define([ ); this.btnInsertChart.setMenu( new Common.UI.Menu({ - style: 'width: 364px;', + style: 'width: 364px;padding-top: 12px;', items: [ {template: _.template('')} ] @@ -1316,13 +1360,23 @@ define([ // DataView and pickers // if (this.btnFontColor.cmpEl) { - var colorVal = $('
    '); - $('button:first-child', this.btnFontColor.cmpEl).append(colorVal); - colorVal.css('background-color', this.btnFontColor.currentColor || 'transparent'); + this.btnFontColor.setColor(this.btnFontColor.currentColor || 'transparent'); this.mnuFontColorPicker = new Common.UI.ThemeColorPalette({ el: $('#id-toolbar-menu-fontcolor') }); } + if (this.btnHighlightColor.cmpEl) { + this.btnHighlightColor.currentColor = 'FFFF00'; + this.btnHighlightColor.setColor(this.btnHighlightColor.currentColor); + this.mnuHighlightColorPicker = new Common.UI.ColorPalette({ + el: $('#id-toolbar-menu-highlight'), + colors: [ + 'FFFF00', '00FF00', '00FFFF', 'FF00FF', '0000FF', 'FF0000', '00008B', '008B8B', + '006400', '800080', '8B0000', '808000', 'FFFFFF', 'D3D3D3', 'A9A9A9', '000000' + ] + }); + this.mnuHighlightColorPicker.select('FFFF00'); + } }, setApi: function (api) { @@ -1751,7 +1805,15 @@ define([ textColumnsOne: 'One Column', textColumnsTwo: 'Two Columns', textColumnsThree: 'Three Columns', - textColumnsCustom: 'Custom Columns' + textColumnsCustom: 'Custom Columns', + tipChangeCase: 'Change case', + mniSentenceCase: 'Sentence case.', + mniLowerCase: 'lowercase', + mniUpperCase: 'UPPERCASE', + mniCapitalizeWords: 'Capitalize Each Word', + mniToggleCase: 'tOGGLE cASE', + strMenuNoFill: 'No Fill', + tipHighlightColor: 'Highlight color' } }()), PE.Views.Toolbar || {})); }); \ No newline at end of file diff --git a/apps/presentationeditor/main/app_dev.js b/apps/presentationeditor/main/app_dev.js index 278c6bcf0..3b3c7dc3d 100644 --- a/apps/presentationeditor/main/app_dev.js +++ b/apps/presentationeditor/main/app_dev.js @@ -180,6 +180,7 @@ require([ 'common/main/lib/controller/ExternalDiagramEditor' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' + ,'common/main/lib/controller/Themes' ,'common/main/lib/controller/Desktop' ], function() { window.compareVersions = true; diff --git a/apps/presentationeditor/main/app_dev.reporter.js b/apps/presentationeditor/main/app_dev.reporter.js index 04b34270e..e0b1649a4 100644 --- a/apps/presentationeditor/main/app_dev.reporter.js +++ b/apps/presentationeditor/main/app_dev.reporter.js @@ -96,6 +96,9 @@ require([ using : 'reporter' }); + var value = localStorage.getItem("ui-theme"); + api.asc_setSkin(value == "theme-dark" ? 'flatDark' : "flat"); + var setDocumentTitle = function(title) { (title) && (window.document.title += (' - ' + title)); }; diff --git a/apps/presentationeditor/main/index.html b/apps/presentationeditor/main/index.html index f6e18ef5d..961c89637 100644 --- a/apps/presentationeditor/main/index.html +++ b/apps/presentationeditor/main/index.html @@ -61,7 +61,7 @@ .loadmask > .sktoolbar { background: #f1f1f1; - border-bottom: 1px solid #cbcbcb; + border-bottom: var(--scaled-one-px-value, 1px) solid #cbcbcb; height: 46px; padding: 10px 6px; box-sizing: content-box; @@ -137,7 +137,7 @@ height: 100%; width: 100%; background: #fbfbfb; - border: 1px solid #dfdfdf; + border: var(--scaled-one-px-value, 1px) solid #dfdfdf; -webkit-animation: flickerAnimation 2s infinite ease-in-out; -moz-animation: flickerAnimation 2s infinite ease-in-out; @@ -181,12 +181,16 @@ 50% { opacity:0.5; } 100% { opacity:1; } } + + .pixel-ratio__1_5 { + --scaled-one-px-value: calc(1px / 1.5); + } @@ -245,6 +254,7 @@ +
    diff --git a/apps/presentationeditor/main/index.html.deploy b/apps/presentationeditor/main/index.html.deploy index cc73a526c..215c3ff66 100644 --- a/apps/presentationeditor/main/index.html.deploy +++ b/apps/presentationeditor/main/index.html.deploy @@ -63,7 +63,7 @@ .loadmask > .sktoolbar { background: #f1f1f1; - border-bottom: 1px solid #cbcbcb; + border-bottom: var(--scaled-one-px-value, 1px) solid #cbcbcb; height: 46px; padding: 10px 6px; box-sizing: content-box; @@ -139,7 +139,7 @@ height: 100%; width: 100%; background: #fbfbfb; - border: 1px solid #dfdfdf; + border: var(--scaled-one-px-value, 1px) solid #dfdfdf; -webkit-animation: flickerAnimation 2s infinite ease-in-out; -moz-animation: flickerAnimation 2s infinite ease-in-out; @@ -183,6 +183,10 @@ 50% { opacity:0.5; } 100% { opacity:1; } } + + .pixel-ratio__1_5 { + --scaled-one-px-value: calc(1px / 1.5); + }
    diff --git a/apps/presentationeditor/main/index.reporter.html b/apps/presentationeditor/main/index.reporter.html index 3877c6290..d458bf252 100644 --- a/apps/presentationeditor/main/index.reporter.html +++ b/apps/presentationeditor/main/index.reporter.html @@ -131,8 +131,8 @@ - -
    -
    - -
    -

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

    + +
    +
    + +
    +

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

    Вставка диаграммы

    -

    Для вставки диаграммы в презентацию,

    -
      -
    1. установите курсор там, где требуется поместить диаграмму,
    2. +

      Для вставки диаграммы в презентацию,

      +
        +
      1. установите курсор там, где требуется поместить диаграмму,
      2. перейдите на вкладку Вставка верхней панели инструментов,
      3. щелкните по значку Значок Диаграмма Диаграмма на верхней панели инструментов,
      4. -
      5. выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, -

        Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D.

        -
      6. -
      7. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: -
          -
        • Копировать и Вставить для копирования и вставки скопированных данных
        • -
        • Отменить и Повторить для отмены и повтора действий
        • -
        • Вставить функцию для вставки функции
        • -
        • Уменьшить разрядность и Увеличить разрядность для уменьшения и увеличения числа десятичных знаков
        • -
        • Формат чисел для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках
        • -
        -

        Окно Редактор диаграмм

        -
      8. -
      9. измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. -

        Окно Параметры диаграммы

        -

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

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

          Окно Выбор диапазона данных

          -

          В окне Выбор диапазона данных введите нужный диапазон данных в формате Sheet1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK.

          -
        • -
        • Измените способ расположения данных. Можно выбрать ряды данных для использования по оси X: в строках или в столбцах.
        • -
        -

        Окно Параметры диаграммы

        -

        На вкладке Макет можно изменить расположение элементов диаграммы:

        -
          -
        • Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: -
            -
          • Нет, чтобы заголовок диаграммы не отображался,
          • -
          • Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру,
          • -
          • Без наложения, чтобы показать заголовок над областью построения диаграммы.
          • -
          -
        • -
        • - Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: -
            -
          • Нет, чтобы условные обозначения не отображались,
          • -
          • Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы,
          • -
          • Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы,
          • -
          • Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы,
          • -
          • Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы,
          • -
          • Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева,
          • -
          • Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа.
          • -
          -
        • -
        • - Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных):
          -
            -
          • - укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. -
              -
            • Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху.
            • -
            • Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу.
            • -
            • Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху.
            • -
            • Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру.
            • -
            -
          • -
          • выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение,
          • -
          • введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных.
          • -
          -
        • -
        • Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались.
        • -
        • - Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. -

          Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм.

          -
        • -
        • - В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: -
            -
          • - Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: -
              -
            • Нет, чтобы название горизонтальной оси не отображалось,
            • -
            • Без наложения, чтобы показать название под горизонтальной осью.
            • -
            -
          • -
          • - Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: -
              -
            • Нет, чтобы название вертикальной оси не отображалось,
            • -
            • Повернутое, чтобы показать название снизу вверх слева от вертикальной оси,
            • -
            • По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси.
            • -
            -
          • -
          -
        • -
        • - В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. -

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

          -
        • -
        -

        Окно Параметры диаграммы

        -

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

        -

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

        -
          -
        • Раздел Параметры оси позволяет установить следующие параметры: -
            -
          • Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; - в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать - из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. -
          • -
          • Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; - в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать - из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. -
          • -
          • Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. - По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. - Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. -
          • -
          • Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция - может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым - (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения - из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, - Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. -
          • -
          • Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится - внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. -
          • -
          -
        • -
        • Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные - деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, - которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться - линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся - следующие опции размещения: -
            -
          • Нет, чтобы деления основного/дополнительного типа не отображались,
          • -
          • На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси,
          • -
          • Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси,
          • -
          • Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси.
          • -
          -
        • -
        • Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. - Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: -
            -
          • Нет, чтобы подписи не отображались,
          • -
          • Ниже, чтобы показывать подписи слева от области диаграммы,
          • -
          • Выше, чтобы показывать подписи справа от области диаграммы,
          • -
          • Рядом с осью, чтобы показывать подписи рядом с осью.
          • -
          -
        • -
        -

        Окно Параметры диаграммы

        -

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

        -
          -
        • Раздел Параметры оси позволяет установить следующие параметры: -
            -
          • Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. - Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум - (что соответствует первой и последней категории) на горизонтальной оси. -
          • -
          • Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями.
          • -
          • Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. - Когда этот флажок отмечен, категории располагаются справа налево. -
          • -
          -
        • -
        • Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные - деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, - которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться - линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: -
            -
          • Основной/Дополнительный тип - используется для указания следующих вариантов размещения: - Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы - отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы - отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы - отображать деления основного/дополнительного типа с наружной стороны оси. -
          • -
          • Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями.
          • -
          -
        • -
        • Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. -
            -
          • Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. - Выберите нужную опцию из выпадающего списка: - Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, - Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. -
          • -
          • Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. - Чем это значение больше, тем дальше расположены подписи от осей. +
          • + выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, +

            Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D.

          • - Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция - Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. - Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. + после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: +
              +
            • Копировать и Вставить для копирования и вставки скопированных данных
            • +
            • Отменить и Повторить для отмены и повтора действий
            • +
            • Вставить функцию для вставки функции
            • +
            • Уменьшить разрядность и Увеличить разрядность для уменьшения и увеличения числа десятичных знаков
            • +
            • Формат чисел для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках
            • +
            +

            Окно Редактор диаграмм

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

              Окно Диапазон данных

              +
                +
              • + Диапазон данных для диаграммы - выберите данные для вашей диаграммы. +
                  +
                • + Щелкните значок Иконка Выбор данных справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. +

                  Окно Диапазон данных для диаграммы

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

                  Окно Изменить ряд

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

                  Окно Подписи оси

                  +
                • +
                +
              • +
              • Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси.
              • +
              +
            2. +
            3. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно.
            4. +
            +
          • +
          • + измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. +

            Окно Параметры диаграммы

            +

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

            +
              +
            • Выберите Тип диаграммы, которую требуется вставить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая.
            • +
            • Проверьте выбранный Диапазон данных и при необходимости измените его, нажав на кнопку Выбор данных и указав желаемый диапазон данных в следующем формате: Лист1!A1:B4.
            • +
            • Измените способ расположения данных. Можно выбрать ряды данных для использования по оси X: в строках или в столбцах.
            • +
            +

            Окно Параметры диаграммы

            +

            На вкладке Макет можно изменить расположение элементов диаграммы:

            +
              +
            • + Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: +
                +
              • Нет, чтобы заголовок диаграммы не отображался,
              • +
              • Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру,
              • +
              • Без наложения, чтобы показать заголовок над областью построения диаграммы.
              • +
              +
            • +
            • + Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: +
                +
              • Нет, чтобы условные обозначения не отображались,
              • +
              • Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы,
              • +
              • Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы,
              • +
              • Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы,
              • +
              • Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы,
              • +
              • Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева,
              • +
              • Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа.
              • +
              +
            • +
            • + Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных):
              +
                +
              • + укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. +
                  +
                • Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху.
                • +
                • Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу.
                • +
                • Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху.
                • +
                • Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру.
                • +
                +
              • +
              • выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение,
              • +
              • введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных.
              • +
              +
            • +
            • Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались.
            • +
            • + Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. +

              Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм.

              +
            • +
            • + В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: +
                +
              • + Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: +
                  +
                • Нет, чтобы название горизонтальной оси не отображалось,
                • +
                • Без наложения, чтобы показать название под горизонтальной осью.
                • +
                +
              • +
              • + Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: +
                  +
                • Нет, чтобы название вертикальной оси не отображалось,
                • +
                • Повернутое, чтобы показать название снизу вверх слева от вертикальной оси,
                • +
                • По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси.
                • +
                +
              • +
              +
            • +
            • + В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. +

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

              +
            • +
            +

            Окно Параметры диаграммы

            +

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

            +

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

            +
              +
            • + Раздел Параметры оси позволяет установить следующие параметры: +
                +
              • + Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; + в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать + из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. +
              • +
              • + Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; + в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать + из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. +
              • +
              • + Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. + По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. + Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. +
              • +
              • + Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция + может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым + (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения + из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, + Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. +
              • +
              • + Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится + внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. +
              • +
              +
            • +
            • + Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные + деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, + которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться + линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся + следующие опции размещения: +
                +
              • Нет, чтобы деления основного/дополнительного типа не отображались,
              • +
              • На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси,
              • +
              • Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси,
              • +
              • Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси.
              • +
              +
            • +
            • + Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. + Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: +
                +
              • Нет, чтобы подписи не отображались,
              • +
              • Ниже, чтобы показывать подписи слева от области диаграммы,
              • +
              • Выше, чтобы показывать подписи справа от области диаграммы,
              • +
              • Рядом с осью, чтобы показывать подписи рядом с осью.
              • +
              +
            • +
            +

            Окно Параметры диаграммы

            +

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

            +
              +
            • + Раздел Параметры оси позволяет установить следующие параметры: +
                +
              • + Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. + Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум + (что соответствует первой и последней категории) на горизонтальной оси. +
              • +
              • Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями.
              • +
              • + Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. + Когда этот флажок отмечен, категории располагаются справа налево. +
              • +
              +
            • +
            • + Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные + деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, + которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться + линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: +
                +
              • + Основной/Дополнительный тип - используется для указания следующих вариантов размещения: + Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы + отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы + отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы + отображать деления основного/дополнительного типа с наружной стороны оси. +
              • +
              • Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями.
              • +
              +
            • +
            • + Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. +
                +
              • + Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. + Выберите нужную опцию из выпадающего списка: + Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, + Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. +
              • +
              • + Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. + Чем это значение больше, тем дальше расположены подписи от осей. +
              • +
              • + Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция + Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. + Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. +
              • +
              +
            • +
            +

            Окно Диаграмма - дополнительные параметры

            +

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

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

            Окно Параметры диаграммы

            +

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

          • -
          -
        • -
        -

        Окно Параметры диаграммы

        -

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

        -
      10. После того, как диаграмма будет добавлена, можно также изменить ее размер и положение.

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

      11. - -
      + +

    Вы также можете добавить диаграмму внутри текстовой рамки, нажав на кнопку Значок Диаграмма Диаграмма в ней и выбрав нужный тип диаграммы:

    Добавление диаграммы в текстовую рамку

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

    -
    +

    Редактирование элементов диаграммы

    Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный.

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

    @@ -243,27 +310,27 @@ При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице.

    Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен.

    -

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

    -

    Изменение размера элементов диаграммы

    -

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

    -

    Перемещение элементов диаграммы

    +

    Если вам нужно изменить размер элементов диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых квадратов Значок Квадратик, расположенных по периметру элемента.

    +

    Изменить размер элемент диаграммы

    +

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

    +

    Передвинуть элемент диаграммы

    Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре.

    Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы.

    3D-диаграмма


    Изменение параметров диаграммы

    - Вкладка Параметры диаграммы -

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

    -

    Раздел Размер позволяет изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции Значок Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы.

    -

    Раздел Изменить тип диаграммы позволяет изменить выбранный тип и/или стиль диаграммы с помощью соответствующего выпадающего меню.

    + Вкладка Параметры диаграммы +

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

    +

    Раздел Размер позволяет изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции Значок Сохранять пропорции (в этом случае она выглядит так: Кнопка Сохранять пропорции нажата), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы.

    +

    Раздел Изменить тип диаграммы позволяет изменить выбранный тип и/или стиль диаграммы с помощью соответствующего выпадающего меню.

    Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы.

    -

    Кнопка Изменить данные позволяет вызвать окно Редактор диаграмм и начать редактирование данных, как описано выше.

    -

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

    +

    Кнопка Изменить данные позволяет вызвать окно Редактор диаграмм и начать редактирование данных, как описано выше.

    +

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

    Опция Дополнительные параметры на правой боковой панели позволяет открыть окно Диаграмма - дополнительные параметры, в котором можно задать альтернативный текст:

    -

    Окно дополнительных параметров диаграммы

    -
    -

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

    -

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

    -
    - +

    Окно дополнительных параметров диаграммы

    +
    +

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

    +

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

    +
    + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm index 88d70fa54..c0544c230 100644 --- a/apps/presentationeditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm +++ b/apps/presentationeditor/main/resources/help/ru/UsageInstructions/MathAutoCorrect.htm @@ -1,2554 +1,2550 @@  - - Функции автозамены - - - - - - - -
    -
    - -
    -

    Функции автозамены

    -

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

    -

    Доступные параметры автозамены перечислены в соответствующем диалоговом окне. Чтобы его открыть, перейдите на вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены.

    -

    - В диалоговом окне Автозамена содержит три вкладки: Автозамена математическими символами, Распознанные функции и Автоформат при вводе. -

    -

    Автозамена математическими символами

    -

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

    -

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

    -

    Примечание: коды чувствительны к регистру.

    -

    Вы можете добавлять, изменять, восстанавливать и удалять записи автозамены из списка автозамены. Перейдите во вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены -> Автозамена математическими символами.

    -

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

    -

    -

      -
    • Введите код автозамены, который хотите использовать, в поле Заменить.
    • -
    • Введите символ, который будет присвоен введенному вами коду, в поле На.
    • -
    • Щелкните на кнопку Добавить.
    • -
    -

    -

    Чтобы изменить запись в списке автозамены,

    -

    -

      -
    • Выберите запись, которую хотите изменить.
    • -
    • Вы можете изменить информацию в полях Заменить для кода и На для символа.
    • -
    • Щелкните на кнопку Добавить.
    • -
    -

    -

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

    -

    -

      -
    • Выберите запись, которую хотите удалить.
    • -
    • Щелкните на кнопку Удалить.
    • -
    -

    -

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

    -

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

    -

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

    -

    Автозамена

    -

    В таблице ниже приведены все поддерживаемые в настоящее время коды, доступные в Редакторе документов. Полный список поддерживаемых кодов также можно найти на вкладке Файл -> Дополнительыне параметры... -> Правописание -> Параметры автозамены -> Автозамена математическими символами.

    -
    - Поддерживаемые коды - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    КодСимволКатегория
    !!Двойной факториалСимволы
    ...Горизонтальное многоточиеТочки
    ::Двойное двоеточиеОператоры
    :=Двоеточие равноОператоры
    /<Не меньше чемОператоры отношения
    />Не больше чемОператоры отношения
    /=Не равноОператоры отношения
    \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Знаки пробела
    ~=КонгруэнтноОператоры отношений
    -+Минус или плюсБинарные операторы
    +-Плюс или минусБинарные операторы
    <<СимволОператоры отношений
    <=Меньше или равноОператоры отношений
    ->СимволСтрелки
    >=Больше или равноОператоры отношений
    >>СимволОператоры отношений
    -
    -
    -

    Распознанные функции

    -

    На этой вкладке вы найдете список математических выражений, которые будут распознаваться редактором формул как функции и поэтому не будут автоматически выделены курсивом. Чтобы просмотреть список распознанных функций, перейдите на вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены -> Распознанные функции.

    -

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

    -

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

    -

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

    -

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

    -

    Распознанные функции

    -

    Автоформат при вводе

    -

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

    -

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

    -

    Автоформат при вводе

    -
    - + + Функции автозамены + + + + + + + +
    +
    + +
    +

    Функции автозамены

    +

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

    +

    Доступные параметры автозамены перечислены в соответствующем диалоговом окне. Чтобы его открыть, перейдите на вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены.

    +

    + В диалоговом окне Автозамена содержит три вкладки: Автозамена математическими символами, Распознанные функции и Автоформат при вводе. +

    +

    Автозамена математическими символами

    +

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

    +

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

    +

    Примечание: коды чувствительны к регистру.

    +

    Вы можете добавлять, изменять, восстанавливать и удалять записи автозамены из списка автозамены. Перейдите во вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены -> Автозамена математическими символами.

    +

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

    +

    +

      +
    • Введите код автозамены, который хотите использовать, в поле Заменить.
    • +
    • Введите символ, который будет присвоен введенному вами коду, в поле На.
    • +
    • Щелкните на кнопку Добавить.
    • +
    +

    +

    Чтобы изменить запись в списке автозамены,

    +

    +

      +
    • Выберите запись, которую хотите изменить.
    • +
    • Вы можете изменить информацию в полях Заменить для кода и На для символа.
    • +
    • Щелкните на кнопку Добавить.
    • +
    +

    +

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

    +

    +

      +
    • Выберите запись, которую хотите удалить.
    • +
    • Щелкните на кнопку Удалить.
    • +
    +

    +

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

    +

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

    +

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

    +

    Автозамена

    +

    В таблице ниже приведены все поддерживаемые в настоящее время коды, доступные в Редакторе презентаций. Полный список поддерживаемых кодов также можно найти на вкладке Файл -> Дополнительыне параметры... -> Правописание -> Параметры автозамены -> Автозамена математическими символами.

    +
    + Поддерживаемые коды + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    КодСимволКатегория
    !!Двойной факториалСимволы
    ...Горизонтальное многоточиеТочки
    ::Двойное двоеточиеОператоры
    :=Двоеточие равноОператоры
    /<Не меньше чемОператоры отношения
    />Не больше чемОператоры отношения
    /=Не равноОператоры отношения
    \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Знаки пробела
    ~=КонгруэнтноОператоры отношений
    -+Минус или плюсБинарные операторы
    +-Плюс или минусБинарные операторы
    <<СимволОператоры отношений
    <=Меньше или равноОператоры отношений
    ->СимволСтрелки
    >=Больше или равноОператоры отношений
    >>СимволОператоры отношений
    +
    +
    +

    Распознанные функции

    +

    На этой вкладке вы найдете список математических выражений, которые будут распознаваться редактором формул как функции и поэтому не будут автоматически выделены курсивом. Чтобы просмотреть список распознанных функций, перейдите на вкладку Файл -> Дополнительные параметры -> Правописание -> Параметры автозамены -> Распознанные функции.

    +

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

    +

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

    +

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

    +

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

    +

    Распознанные функции

    +
    + \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/help/ru/editor.css b/apps/presentationeditor/main/resources/help/ru/editor.css index 7a743ebc1..108b9b531 100644 --- a/apps/presentationeditor/main/resources/help/ru/editor.css +++ b/apps/presentationeditor/main/resources/help/ru/editor.css @@ -10,7 +10,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft diff --git a/apps/presentationeditor/main/resources/help/ru/images/axislabels.png b/apps/presentationeditor/main/resources/help/ru/images/axislabels.png new file mode 100644 index 000000000..e4ed4ea7b Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/axislabels.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chart_properties_3.png b/apps/presentationeditor/main/resources/help/ru/images/chart_properties_3.png new file mode 100644 index 000000000..2a85685f9 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/chart_properties_3.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chart_properties_alternative.png b/apps/presentationeditor/main/resources/help/ru/images/chart_properties_alternative.png new file mode 100644 index 000000000..79779c032 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/chart_properties_alternative.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartdata.png b/apps/presentationeditor/main/resources/help/ru/images/chartdata.png new file mode 100644 index 000000000..4d4cb1e68 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/chartdata.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartsettings.png b/apps/presentationeditor/main/resources/help/ru/images/chartsettings.png index 17df7e7bc..bacc43baf 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/chartsettings.png and b/apps/presentationeditor/main/resources/help/ru/images/chartsettings.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartsettings2.png b/apps/presentationeditor/main/resources/help/ru/images/chartsettings2.png index b2187cc5f..689aa67df 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/chartsettings2.png and b/apps/presentationeditor/main/resources/help/ru/images/chartsettings2.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartsettings3.png b/apps/presentationeditor/main/resources/help/ru/images/chartsettings3.png index 0c7eae447..92f701766 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/chartsettings3.png and b/apps/presentationeditor/main/resources/help/ru/images/chartsettings3.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartsettings4.png b/apps/presentationeditor/main/resources/help/ru/images/chartsettings4.png index ca0f0ef41..5394432c0 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/chartsettings4.png and b/apps/presentationeditor/main/resources/help/ru/images/chartsettings4.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartsettings5.png b/apps/presentationeditor/main/resources/help/ru/images/chartsettings5.png index 2baf0a73c..f849be913 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/chartsettings5.png and b/apps/presentationeditor/main/resources/help/ru/images/chartsettings5.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/chartsettings6.png b/apps/presentationeditor/main/resources/help/ru/images/chartsettings6.png index 174a033aa..efed7f465 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/chartsettings6.png and b/apps/presentationeditor/main/resources/help/ru/images/chartsettings6.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/editseries.png b/apps/presentationeditor/main/resources/help/ru/images/editseries.png new file mode 100644 index 000000000..d0699da2a Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/editseries.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png index 330ec9474..d406b2567 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/desktop_pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png b/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png index 90f465f2a..ba93b4f19 100644 Binary files a/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png and b/apps/presentationeditor/main/resources/help/ru/images/interface/pluginstab.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/recognizedfunctions.png b/apps/presentationeditor/main/resources/help/ru/images/recognizedfunctions.png new file mode 100644 index 000000000..ff1ffa3aa Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/recognizedfunctions.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/images/replacetext.png b/apps/presentationeditor/main/resources/help/ru/images/replacetext.png new file mode 100644 index 000000000..eb66e9e40 Binary files /dev/null and b/apps/presentationeditor/main/resources/help/ru/images/replacetext.png differ diff --git a/apps/presentationeditor/main/resources/help/ru/search/indexes.js b/apps/presentationeditor/main/resources/help/ru/search/indexes.js index 721113964..54b3956b7 100644 --- a/apps/presentationeditor/main/resources/help/ru/search/indexes.js +++ b/apps/presentationeditor/main/resources/help/ru/search/indexes.js @@ -118,7 +118,7 @@ var indexes = { "id": "UsageInstructions/InsertCharts.htm", "title": "Вставка и редактирование диаграмм", - "body": "Вставка диаграммы Для вставки диаграммы в презентацию, установите курсор там, где требуется поместить диаграмму, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: и для копирования и вставки скопированных данных и для отмены и повтора действий для вставки функции и для уменьшения и увеличения числа десятичных знаков для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. На вкладке Тип и данные можно выбрать тип диаграммы, а также данные, которые вы хотите использовать для создания диаграммы. Выберите Тип диаграммы, которую требуется вставить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая. Проверьте выбранный Диапазон данных и при необходимости измените его. Для этого нажмите кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Sheet1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Измените способ расположения данных. Можно выбрать ряды данных для использования по оси X: в строках или в столбцах. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название горизонтальной оси не отображалось, Без наложения, чтобы показать название под горизонтальной осью. Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название вертикальной оси не отображалось, Повернутое, чтобы показать название снизу вверх слева от вертикальной оси, По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси. В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. Примечание: разделы Параметры оси и Линии сетки будут недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. Примечание: Вкладки Вертикальная/горизонтальная ось недоступны для круговых диаграмм, так как у круговых диаграмм нет осей. Вкладка Вертикальная ось позволяет изменить параметры вертикальной оси, которую называют также осью значений или осью Y, на которой указываются числовые значения. Обратите, пожалуйста, внимание, что для гистограмм вертикальная ось является осью категорий, на которой показываются текстовые подписи, так что в этом случае опции вкладки Вертикальная ось будут соответствовать опциям, о которых пойдет речь в следующей вкладке. Для точечных диаграмм обе оси являются осями категорий. Раздел Параметры оси позволяет установить следующие параметры: Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся следующие опции размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет, чтобы подписи не отображались, Ниже, чтобы показывать подписи слева от области диаграммы, Выше, чтобы показывать подписи справа от области диаграммы, Рядом с осью, чтобы показывать подписи рядом с осью. Вкладка Горизонтальная ось позволяет изменить параметры горизонтальной оси, которую также называют осью категорий или осью X, где отображаются текстовые подписи. Обратите внимание, что для Гистограмм горизонтальная ось является осью значений, на которой отображаются числовые значения, так что в этом случае опции вкладки Горизонтальная ось будут соответствовать опциям, описанным в предыдущем разделе. Для точечных диаграмм обе оси являются осями значений. Раздел Параметры оси позволяет установить следующие параметры: Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум (что соответствует первой и последней категории) на горизонтальной оси. Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. После того, как диаграмма будет добавлена, можно также изменить ее размер и положение. Можно задать положение диаграммы на слайде, перетаскивая ее по горизонтали или по вертикали. Вы также можете добавить диаграмму внутри текстовой рамки, нажав на кнопку Диаграмма в ней и выбрав нужный тип диаграммы: Также можно добавить диаграмму в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, стиль, размер или цвет шрифта. При выборе диаграммы становится также активным значок Параметры фигуры справа, так как фигура используется в качестве фона для диаграммы. Можно щелкнуть по этому значку, чтобы открыть вкладку Параметры фигуры на правой боковой панели инструментов и изменить параметры Заливки и Обводки фигуры. Обратите, пожалуйста, внимание, что вы не можете изменить тип фигуры. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если требуется изменить размер элемента диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых маркеров , расположенных по периметру элемента. Чтобы изменить позицию элемента, щелкните по нему левой кнопкой мыши, убедитесь, что курсор принял вид , удерживайте левую кнопку мыши и перетащите элемент в нужное место. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. Изменение параметров диаграммы Размер, тип и стиль диаграммы, а также данные, используемые для построения диаграммы, можно изменить с помощью правой боковой панели. Чтобы ее активировать, щелкните по диаграмме и выберите значок Параметры диаграммы справа. Раздел Размер позволяет изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы. Раздел Изменить тип диаграммы позволяет изменить выбранный тип и/или стиль диаграммы с помощью соответствующего выпадающего меню. Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы. Кнопка Изменить данные позволяет вызвать окно Редактор диаграмм и начать редактирование данных, как описано выше. Примечание: чтобы быстро вызвать окно Редактор диаграмм, можно также дважды щелкнуть мышью по диаграмме на слайде. Опция Дополнительные параметры на правой боковой панели позволяет открыть окно Диаграмма - дополнительные параметры, в котором можно задать альтернативный текст: Чтобы удалить добавленную диаграмму, щелкните по ней левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять диаграмму на слайде или расположить в определенном порядке несколько объектов, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." + "body": "Вставка диаграммы Для вставки диаграммы в презентацию, установите курсор там, где требуется поместить диаграмму, перейдите на вкладку Вставка верхней панели инструментов, щелкните по значку Диаграмма на верхней панели инструментов, выберите из доступных типов диаграммы тот, который вам нужен - гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая, Обратите внимание: для Гистограмм, Графиков, Круговых или Линейчатых диаграмм также доступен формат 3D. после этого появится окно Редактор диаграмм, в котором можно ввести в ячейки необходимые данные при помощи следующих элементов управления: и для копирования и вставки скопированных данных и для отмены и повтора действий для вставки функции и для уменьшения и увеличения числа десятичных знаков для изменения числового формата, то есть того, каким образом выглядят введенные числа в ячейках Нажмите кнопку Выбрать данные, расположенную в окне Редактора диаграмм. Откроется окно Данные диаграммы. Используйте диалоговое окно Данные диаграммы для управления диапазоном данных диаграммы, элементами легенды (ряды), подписями горизонтальной оси (категории) и переключием строк / столбцов. Диапазон данных для диаграммы - выберите данные для вашей диаграммы. Щелкните значок справа от поля Диапазон данных для диаграммы, чтобы выбрать диапазон ячеек. Элементы легенды (ряды) - добавляйте, редактируйте или удаляйте записи легенды. Введите или выберите ряд для записей легенды. В Элементах легенды (ряды) нажмите кнопку Добавить. В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. Подписи горизонтальной оси (категории) - изменяйте текст подписи категории. В Подписях горизонтальной оси (категории) нажмите Редактировать. В поле Диапазон подписей оси введите названия для категорий или нажмите на иконку , чтобы выбрать диапазон ячеек. Переключить строку/столбец - переставьте местами данные, которые расположены на диаграмме. Переключите строки на столбцы, чтобы данные отображались на другой оси. Нажмите кнопку ОК, чтобы применить изменения и закрыть окно. измените параметры диаграммы, нажав на кнопку Изменить диаграмму в окне Редактор диаграмм. Откроется окно Диаграмма - дополнительные параметры. На вкладке Тип и данные можно выбрать тип диаграммы, а также данные, которые вы хотите использовать для создания диаграммы. Выберите Тип диаграммы, которую требуется вставить: гистограмма, график, круговая, линейчатая, с областями, точечная, биржевая. Проверьте выбранный Диапазон данных и при необходимости измените его, нажав на кнопку Выбор данных и указав желаемый диапазон данных в следующем формате: Лист1!A1:B4. Измените способ расположения данных. Можно выбрать ряды данных для использования по оси X: в строках или в столбцах. На вкладке Макет можно изменить расположение элементов диаграммы: Укажите местоположение Заголовка диаграммы относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы заголовок диаграммы не отображался, Наложение, чтобы наложить заголовок на область построения диаграммы и выровнять его по центру, Без наложения, чтобы показать заголовок над областью построения диаграммы. Укажите местоположение Условных обозначений относительно диаграммы, выбрав нужную опцию из выпадающего списка: Нет, чтобы условные обозначения не отображались, Снизу, чтобы показать условные обозначения и расположить их в ряд под областью построения диаграммы, Сверху, чтобы показать условные обозначения и расположить их в ряд над областью построения диаграммы, Справа, чтобы показать условные обозначения и расположить их справа от области построения диаграммы, Слева, чтобы показать условные обозначения и расположить их слева от области построения диаграммы, Наложение слева, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру слева, Наложение справа, чтобы наложить условные обозначения на область построения диаграммы и выровнять их по центру справа. Определите параметры Подписей данных (то есть текстовых подписей, показывающих точные значения элементов данных): укажите местоположение Подписей данных относительно элементов данных, выбрав нужную опцию из выпадающего списка. Доступные варианты зависят от выбранного типа диаграммы. Для Гистограмм и Линейчатых диаграмм можно выбрать следующие варианты: Нет, По центру, Внутри снизу, Внутри сверху, Снаружи сверху. Для Графиков и Точечных или Биржевых диаграмм можно выбрать следующие варианты: Нет, По центру, Слева, Справа, Сверху, Снизу. Для Круговых диаграмм можно выбрать следующие варианты: Нет, По центру, По ширине, Внутри сверху, Снаружи сверху. Для диаграмм С областями, а также для Гистограмм, Графиков и Линейчатых диаграмм в формате 3D можно выбрать следующие варианты: Нет, По центру. выберите данные, которые вы хотите включить в ваши подписи, поставив соответствующие флажки: Имя ряда, Название категории, Значение, введите символ (запятая, точка с запятой и т.д.), который вы хотите использовать для разделения нескольких подписей, в поле Разделитель подписей данных. Линии - используется для выбора типа линий для линейчатых/точечных диаграмм. Можно выбрать одну из следующих опций: Прямые для использования прямых линий между элементами данных, Сглаженные для использования сглаженных кривых линий между элементами данных или Нет для того, чтобы линии не отображались. Маркеры - используется для указания того, нужно показывать маркеры (если флажок поставлен) или нет (если флажок снят) на линейчатых/точечных диаграммах. Примечание: Опции Линии и Маркеры доступны только для Линейчатых диаграмм и Точечных диаграмм. В разделе Параметры оси можно указать, надо ли отображать Горизонтальную/Вертикальную ось, выбрав из выпадающего списка опцию Показать или Скрыть. Можно также задать параметры Названий горизонтальной/вертикальной оси: Укажите, надо ли отображать Название горизонтальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название горизонтальной оси не отображалось, Без наложения, чтобы показать название под горизонтальной осью. Укажите ориентацию Названия вертикальной оси, выбрав нужную опцию из выпадающего списка: Нет, чтобы название вертикальной оси не отображалось, Повернутое, чтобы показать название снизу вверх слева от вертикальной оси, По горизонтали, чтобы показать название по горизонтали слева от вертикальной оси. В разделе Линии сетки можно указать, какие из Горизонтальных/вертикальных линий сетки надо отображать, выбрав нужную опцию из выпадающего списка: Основные, Дополнительные или Основные и дополнительные. Можно вообще скрыть линии сетки, выбрав из списка опцию Нет. Примечание: разделы Параметры оси и Линии сетки будут недоступны для круговых диаграмм, так как у круговых диаграмм нет осей и линий сетки. Примечание: Вкладки Вертикальная/горизонтальная ось недоступны для круговых диаграмм, так как у круговых диаграмм нет осей. Вкладка Вертикальная ось позволяет изменить параметры вертикальной оси, которую называют также осью значений или осью Y, на которой указываются числовые значения. Обратите, пожалуйста, внимание, что для гистограмм вертикальная ось является осью категорий, на которой показываются текстовые подписи, так что в этом случае опции вкладки Вертикальная ось будут соответствовать опциям, о которых пойдет речь в следующей вкладке. Для точечных диаграмм обе оси являются осями категорий. Раздел Параметры оси позволяет установить следующие параметры: Минимум - используется для указания наименьшего значения, которое отображается в начале вертикальной оси. По умолчанию выбрана опция Авто; в этом случае минимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Максимум - используется для указания наибольшего значения, которое отображается в конце вертикальной оси. По умолчанию выбрана опция Авто; в этом случае максимальное значение высчитывается автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Фиксированный и указать в поле справа другое значение. Пересечение с осью - используется для указания точки на вертикальной оси, в которой она должна пересекаться с горизонтальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум на вертикальной оси. Единицы отображения - используется для определения порядка числовых значений на вертикальной оси. Эта опция может пригодиться, если вы работаете с большими числами и хотите, чтобы отображение цифр на оси было более компактным и удобочитаемым (например, можно сделать так, чтобы 50 000 показывалось как 50, воспользовавшись опцией Тысячи). Выберите желаемые единицы отображения из выпадающего списка: Сотни, Тысячи, 10 000, 100 000, Миллионы, 10 000 000, 100 000 000, Миллиарды, Триллионы или выберите опцию Нет, чтобы вернуться к единицам отображения по умолчанию. Значения в обратном порядке - используется для отображения значений в обратном порядке. Когда этот флажок снят, наименьшее значение находится внизу, а наибольшее - наверху. Когда этот флажок отмечен, значения располагаются сверху вниз. Раздел Параметры делений позволяет определить местоположение делений на вертикальной оси. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие цифровые значения. Деления дополнительного типа - это вспомогательные деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. В выпадающих списках Основной/Дополнительный тип содержатся следующие опции размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы показывать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы показывать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы показывать деления основного/дополнительного типа с наружной стороны оси. Раздел Параметры подписи позволяет определить положение подписей основных делений, отображающих значения. Для того, чтобы задать Положение подписи относительно вертикальной оси, выберите нужную опцию из выпадающего списка: Нет, чтобы подписи не отображались, Ниже, чтобы показывать подписи слева от области диаграммы, Выше, чтобы показывать подписи справа от области диаграммы, Рядом с осью, чтобы показывать подписи рядом с осью. Вкладка Горизонтальная ось позволяет изменить параметры горизонтальной оси, которую также называют осью категорий или осью X, где отображаются текстовые подписи. Обратите внимание, что для Гистограмм горизонтальная ось является осью значений, на которой отображаются числовые значения, так что в этом случае опции вкладки Горизонтальная ось будут соответствовать опциям, описанным в предыдущем разделе. Для точечных диаграмм обе оси являются осями значений. Раздел Параметры оси позволяет установить следующие параметры: Пересечение с осью - используется для указания точки на горизонтальной оси, в которой она должна пересекаться с вертикальной осью. По умолчанию выбрана опция Авто; в этом случае точка пересечения осей определяется автоматически в зависимости от выбранного диапазона данных. Можно выбрать из выпадающего списка опцию Значение и указать в поле справа другое значение или установить точку пересечения осей на Минимум/Максимум (что соответствует первой и последней категории) на горизонтальной оси. Положение оси - используется для указания того, куда нужно выводить текстовые подписи на ось: на Деления или Между делениями. Значения в обратном порядке - используется для отображения категорий в обратном порядке. Когда этот флажок снят, категории располагаются слева направо. Когда этот флажок отмечен, категории располагаются справа налево. Раздел Параметры делений позволяет определять местоположение делений на горизонтальной шкале. Деления основного типа - это более крупные деления шкалы, у которых могут быть подписи, отображающие значения категорий. Деления дополнительного типа - это более мелкие деления шкалы, которые располагаются между делениями основного типа и у которых нет подписей. Кроме того, деления шкалы указывают, где могут отображаться линии сетки, если на вкладке Макет выбрана соответствующая опция. Можно регулировать следующие параметры делений: Основной/Дополнительный тип - используется для указания следующих вариантов размещения: Нет, чтобы деления основного/дополнительного типа не отображались, На пересечении, чтобы отображать деления основного/дополнительного типа по обеим сторонам оси, Внутри, чтобы отображать деления основного/дополнительного типа с внутренней стороны оси, Снаружи, чтобы отображать деления основного/дополнительного типа с наружной стороны оси. Интервал между делениями - используется для указания того, сколько категорий нужно показывать между двумя соседними делениями. Раздел Параметры подписи позволяет установить местоположение подписей, которые отражают категории. Положение подписи - используется для указания того, где следует располагать подписи относительно горизонтальной оси. Выберите нужную опцию из выпадающего списка: Нет, чтобы подписи категорий не отображались, Ниже, чтобы подписи категорий располагались снизу области диаграммы, Выше, чтобы подписи категорий располагались наверху области диаграммы, Рядом с осью, чтобы подписи категорий отображались рядом с осью. Расстояние до подписи - используется для указания того, насколько близко подписи должны располагаться от осей. Можно указать нужное значение в поле ввода. Чем это значение больше, тем дальше расположены подписи от осей. Интервал между подписями - используется для указания того, как часто нужно показывать подписи. По умолчанию выбрана опция Авто; в этом случае подписи отображаются для каждой категории. Можно выбрать опцию Вручную и указать нужное значение в поле справа. Например, введите 2, чтобы отображать подписи у каждой второй категории, и т.д. Вкладка Привязка к ячейке содержит следующие параметры: Перемещать и изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее. Если ячейка перемещается (например, при вставке или удалении нескольких строк/столбцов), диаграмма будет перемещаться вместе с ячейкой. При увеличении или уменьшении ширины или высоты ячейки размер диаграммы также будет изменяться. Перемещать, но не изменять размеры вместе с ячейками - эта опция позволяет привязать диаграмму к ячейке позади нее, не допуская изменения размера диаграммы. Если ячейка перемещается, диаграмма будет перемещаться вместе с ячейкой, но при изменении размера ячейки размеры диаграммы останутся неизменными. Не перемещать и не изменять размеры вместе с ячейками - эта опция позволяет запретить перемещение или изменение размера диаграммы при изменении положения или размера ячейки. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит диаграмма. После того, как диаграмма будет добавлена, можно также изменить ее размер и положение. Можно задать положение диаграммы на слайде, перетаскивая ее по горизонтали или по вертикали. Вы также можете добавить диаграмму внутри текстовой рамки, нажав на кнопку Диаграмма в ней и выбрав нужный тип диаграммы: Также можно добавить диаграмму в макет слайда. Для получения дополнительной информации вы можете обратиться к этой статье. Редактирование элементов диаграммы Чтобы изменить Заголовок диаграммы, выделите мышью стандартный текст и введите вместо него свой собственный. Чтобы изменить форматирование шрифта внутри текстовых элементов, таких как заголовок диаграммы, названия осей, элементы условных обозначений, подписи данных и так далее, выделите нужный текстовый элемент, щелкнув по нему левой кнопкой мыши. Затем используйте значки на вкладке Главная верхней панели инструментов, чтобы изменить тип, стиль, размер или цвет шрифта. При выборе диаграммы становится также активным значок Параметры фигуры справа, так как фигура используется в качестве фона для диаграммы. Можно щелкнуть по этому значку, чтобы открыть вкладку Параметры фигуры на правой боковой панели инструментов и изменить параметры Заливки и Обводки фигуры. Обратите, пожалуйста, внимание, что вы не можете изменить тип фигуры. C помощью вкладки Параметры фигуры на правой боковой панели можно изменить не только саму область диаграммы, но и элементы диаграммы, такие как область построения, ряды данных, заголовок диаграммы, легенда и другие, и применить к ним различные типы заливки. Выберите элемент диаграммы, нажав на него левой кнопкой мыши, и выберите нужный тип заливки: сплошной цвет, градиент, текстура или изображение, узор. Настройте параметры заливки и при необходимости задайте уровень прозрачности. При выделении вертикальной или горизонтальной оси или линий сетки на вкладке Параметры фигуры будут доступны только параметры обводки: цвет, толщина и тип линии. Для получения дополнительной информации о работе с цветами, заливками и обводкой фигур можно обратиться к этой странице. Обратите внимание: параметр Отображать тень также доступен на вкладке Параметры фигуры, но для элементов диаграммы он неактивен. Если вам нужно изменить размер элементов диаграммы, щелкните левой кнопкой мыши, чтобы выбрать нужный элемент, и перетащите один из 8 белых квадратов , расположенных по периметру элемента. Чтобы изменить положение элемента, щелкните по нему левой кнопкой мыши, убедитесь, что ваш курсор изменился на , удерживайте левую кнопку мыши и перетащите элемент в нужное положение. Чтобы удалить элемент диаграммы, выделите его, щелкнув левой кнопкой мыши, и нажмите клавишу Delete на клавиатуре. Можно также поворачивать 3D-диаграммы с помощью мыши. Щелкните левой кнопкой мыши внутри области построения диаграммы и удерживайте кнопку мыши. Не отпуская кнопку мыши, перетащите курсор, чтобы изменить ориентацию 3D-диаграммы. Изменение параметров диаграммы Размер, тип и стиль диаграммы, а также данные, используемые для построения диаграммы, можно изменить с помощью правой боковой панели. Чтобы ее активировать, щелкните по диаграмме и выберите значок Параметры диаграммы справа. Раздел Размер позволяет изменить ширину и/или высоту диаграммы. Если нажата кнопка Сохранять пропорции (в этом случае она выглядит так: ), ширина и высота будут изменены пропорционально, сохраняя исходное соотношение сторон диаграммы. Раздел Изменить тип диаграммы позволяет изменить выбранный тип и/или стиль диаграммы с помощью соответствующего выпадающего меню. Для выбора нужного Стиля диаграммы используйте второе выпадающее меню в разделе Изменить тип диаграммы. Кнопка Изменить данные позволяет вызвать окно Редактор диаграмм и начать редактирование данных, как описано выше. Примечание: чтобы быстро вызвать окно Редактор диаграмм, можно также дважды щелкнуть мышью по диаграмме на слайде. Опция Дополнительные параметры на правой боковой панели позволяет открыть окно Диаграмма - дополнительные параметры, в котором можно задать альтернативный текст: Чтобы удалить добавленную диаграмму, щелкните по ней левой кнопкой мыши и нажмите клавишу Delete на клавиатуре. Чтобы узнать, как выровнять диаграмму на слайде или расположить в определенном порядке несколько объектов, обратитесь к разделу Выравнивание и упорядочивание объектов на слайде." }, { "id": "UsageInstructions/InsertEquation.htm", @@ -163,7 +163,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/OpenCreateNew.htm", diff --git a/apps/presentationeditor/main/resources/less/app.less b/apps/presentationeditor/main/resources/less/app.less index 7d38ffd86..452f6b7ba 100644 --- a/apps/presentationeditor/main/resources/less/app.less +++ b/apps/presentationeditor/main/resources/less/app.less @@ -9,6 +9,8 @@ // Bootstrap overwrite @import "../../../../common/main/resources/less/variables.less"; +@import "../../../../common/main/resources/less/colors-table.less"; +@import "../../../../common/main/resources/less/colors-table-dark.less"; // // Bootstrap @@ -132,8 +134,8 @@ @import "sprites/iconsbig@1x"; @import "sprites/iconssmall@2x"; @import "sprites/iconsbig@2x"; -//@import "sprites/iconssmall@1.5x"; -//@import "sprites/iconsbig@1.5x"; +@import "sprites/iconssmall@1.5x"; +@import "sprites/iconsbig@1.5x"; .font-size-small { .fontsize(@font-size-small); @@ -149,7 +151,7 @@ .slidenum-div { background-color: @body-bg; - color: @gray-deep; + color: @text-normal; padding: 5px 12px; border: 1px solid rgba(0, 0, 0, 0.15); .box-shadow(0 6px 12px rgba(0, 0, 0, 0.175)); @@ -176,6 +178,14 @@ } } +#slide-texture-img-box { + background: @background-normal; + border: @scaled-one-px-value solid @border-regular-control; + border-radius: 2px; + float: right; + padding: 14px 20px; +} + // Skeleton of document .doc-placeholder { diff --git a/apps/presentationeditor/main/resources/less/document-preview.less b/apps/presentationeditor/main/resources/less/document-preview.less index 8587861dc..80a151c48 100644 --- a/apps/presentationeditor/main/resources/less/document-preview.less +++ b/apps/presentationeditor/main/resources/less/document-preview.less @@ -3,7 +3,7 @@ } .preview-controls { display: table; - background: @gray-light; + background: @background-toolbar; height: 35px; z-index: 10; opacity: 0.2; diff --git a/apps/presentationeditor/main/resources/less/layout.less b/apps/presentationeditor/main/resources/less/layout.less index ff84af5f7..ad91dad2c 100644 --- a/apps/presentationeditor/main/resources/less/layout.less +++ b/apps/presentationeditor/main/resources/less/layout.less @@ -2,7 +2,7 @@ body { width: 100%; height: 100%; .user-select(none); - color: @gray-deep; + color: @text-normal; &.safari { position: absolute; @@ -50,7 +50,7 @@ label { top:0; right: 0; bottom: 0; - background-color: @gray-light; + background-color: @background-toolbar; overflow: hidden; } diff --git a/apps/presentationeditor/main/resources/less/leftmenu.less b/apps/presentationeditor/main/resources/less/leftmenu.less index fc934cc4b..df9d5d857 100644 --- a/apps/presentationeditor/main/resources/less/leftmenu.less +++ b/apps/presentationeditor/main/resources/less/leftmenu.less @@ -1,15 +1,3 @@ -.tool-menu { - height: 100%; - display: block; - - &.left { - overflow: hidden; - - .tool-menu-btns { - border-right: 1px solid @gray-dark; - } - } -} #left-menu { &+.layout-resizer { @@ -17,38 +5,13 @@ border-right: 0 none; &.move { - border-left: 1px solid @gray-dark; - border-right: 1px solid @gray-dark; + border-left: @scaled-one-px-value solid @border-toolbar; + border-right: @scaled-one-px-value solid @border-toolbar; opacity: 0.4; } } } -.tool-menu-btns { - width: 40px; - height: 100%; - display: inline-block; - position: absolute; - padding-top: 15px; - - button { - margin-bottom: 8px; - } -} - -.left-panel { - padding-left: 40px; - height: 100%; - border-right: 1px solid @gray-dark; - - #left-panel-chat { - height: 100%; - } - #left-panel-comments { - height: 100%; - } -} - .left-menu-full-ct { width: 100%; height: 100%; @@ -57,7 +20,7 @@ top: 0; position: absolute; z-index: @zindex-dropdown - 5; - background-color: @gray-light; + background-color: @background-toolbar; overflow: hidden; } @@ -84,16 +47,7 @@ } #file-menu-panel { - > div { - height: 100%; - } - .panel-menu { - width: 260px; - float: left; - border-right: 1px solid @gray-dark; - background-color: @gray-light; - li { list-style: none; position: relative; @@ -103,12 +57,12 @@ margin-bottom: 3px; &:hover { - background-color: @secondary; + background-color: @highlight-button-hover; } &.active { outline: 0; - background-color: @primary; + background-color: @highlight-button-pressed; > a { color: #fff; @@ -161,7 +115,7 @@ .panel-context { width: 100%; padding-left: 260px; - background-color: #fff; + background-color: @background-normal; .content-box { height: 100%; @@ -189,14 +143,6 @@ } } - .flex-settings { - &.bordered { - border-bottom: 1px solid @gray; - } - overflow: hidden; - position: relative; - } - #panel-settings, #panel-info { padding: 0; @@ -313,7 +259,7 @@ &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } .recent-icon { @@ -354,7 +300,7 @@ } .dataview { - border-right: 1px solid @gray-dark; + border-right: @scaled-one-px-value solid @border-toolbar; & > div:not([class^=ps-scrollbar]) { display: block; @@ -368,11 +314,11 @@ &:not(.header-name) { &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } &.selected { - background-color: @primary; + background-color: @highlight-button-pressed; color: @dropdown-link-active-color; } } diff --git a/apps/presentationeditor/main/resources/less/rightmenu.less b/apps/presentationeditor/main/resources/less/rightmenu.less index 2f371c1d9..b9349b5de 100644 --- a/apps/presentationeditor/main/resources/less/rightmenu.less +++ b/apps/presentationeditor/main/resources/less/rightmenu.less @@ -1,84 +1,7 @@ -.tool-menu.right { - .tool-menu-btns { - position: absolute; - border-left: 1px solid @gray-dark; - background-color: @gray-light; - right: 0; - overflow: hidden; - } -} - -.right-panel { - width: 220px; - height: 100%; - display: none; - padding: 0 10px 0 15px; - position: relative; - overflow: hidden; - border-left: 1px solid @gray-dark; - line-height: 15px; -} - .settings-panel { - display: none; - overflow: visible; - margin-top: 7px; - - & > table { - width: 100%; - } - - &.active { - display: block; - } - - .padding-small { - padding-bottom: 8px; - } - - .padding-large { - padding-bottom: 16px; - } - - .finish-cell { - height: 15px; - } - - label { - .font-size-normal(); - font-weight: normal; - - &.input-label{ - margin-bottom: 0; - vertical-align: middle; - } - - &.header { - font-weight: bold; - } - } - - .separator { width: 100%;} - - .settings-hidden { - display: none; - } - - textarea { - .user-select(text); - width: 100%; - resize: none; - margin-bottom: 5px; - border: 1px solid @gray-dark; - height: 100%; - - &.disabled { - opacity: 0.65; - cursor: default !important; - } - } } + .right-panel .settings-panel { label.input-label{ vertical-align: baseline; @@ -91,25 +14,6 @@ background-size: cover; } -.btn-edit-table, -.btn-change-shape { - .background-ximage('@{common-image-path}/right-panels/rowscols_icon.png', '@{common-image-path}/right-panels/rowscols_icon@2x.png', 84px); - margin-right: 2px !important; - margin-bottom: 1px !important; -} - -.btn-edit-table {background-position: 0 0;} -button.over .btn-edit-table {background-position: -28px 0;} -.btn-group.open .btn-edit-table, -button.active:not(.disabled) .btn-edit-table, -button:active:not(.disabled) .btn-edit-table {background-position: -56px 0;} - -.btn-change-shape {background-position: 0 -16px;} -button.over .btn-change-shape {background-position: -28px -16px;} -.btn-group.open .btn-change-shape, -button.active:not(.disabled) .btn-change-shape, -button:active:not(.disabled) .btn-change-shape {background-position: -56px -16px;} - .combo-pattern-item { .background-ximage('@{common-image-path}/right-panels/patterns.png', '@{common-image-path}/right-panels/patterns@2x.png', 112px); } @@ -117,10 +21,10 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - .combo-dataview-menu { .form-control { cursor: pointer; - background-color: white; + background-color: @background-normal; &.text { - background: white; + background: @background-normal; vertical-align: bottom; } } @@ -188,7 +92,7 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - &:hover, &.over { - background-color: @secondary; + background-color: @highlight-button-hover; .caret { display: inline-block; diff --git a/apps/presentationeditor/main/resources/less/statusbar.less b/apps/presentationeditor/main/resources/less/statusbar.less index 595a0bdea..380c861fe 100644 --- a/apps/presentationeditor/main/resources/less/statusbar.less +++ b/apps/presentationeditor/main/resources/less/statusbar.less @@ -1,14 +1,8 @@ .statusbar { display: table; padding: 2px; - height: 25px; - background-color: @gray-light; - .box-inner-shadow(0 1px 0 @gray-dark); .status-label { - font-weight: bold; - color: @gray-deep; - white-space: nowrap; position: relative; top: 1px; } @@ -173,7 +167,7 @@ height: 12px; display: inline-block; vertical-align: middle; - border: 1px solid @gray-dark; + border: @scaled-one-px-value solid @border-toolbar; } .name { diff --git a/apps/presentationeditor/main/resources/less/toolbar.less b/apps/presentationeditor/main/resources/less/toolbar.less index 81cfd0544..d8defcfda 100644 --- a/apps/presentationeditor/main/resources/less/toolbar.less +++ b/apps/presentationeditor/main/resources/less/toolbar.less @@ -14,6 +14,10 @@ > .btn-slot:not(:last-child):not(.split) { margin-right: 4px; } + + > .btn-slot:not(:last-child).split { + margin-right: 2px; + } } } @@ -25,7 +29,7 @@ &:hover, &.selected { .layout > div:first-child { - .box-shadow(0 0 0 2px @primary); + .box-shadow(0 0 0 2px @highlight-button-pressed); } } } @@ -51,40 +55,6 @@ height: 38px; } -.color-schemas-menu { - span { - &.colors { - display: inline-block; - margin-right: 15px; - } - - &.color { - display: inline-block; - width: 12px; - height: 12px; - margin-right: 2px; - border: 1px solid rgba(0, 0, 0, 0.2); - vertical-align: middle; - } - - &.text { - vertical-align: middle; - } - } - &.checked { - &:before { - display: none !important; - } - &, &:hover, &:focus { - background-color: @primary; - color: @dropdown-link-active-color; - span.color { - border-color: rgba(255,255,255,0.7); - } - } - } -} - // menu zoom .menu-zoom { line-height: @line-height-base; @@ -117,11 +87,6 @@ text-overflow: ellipsis; } -.item-equation { - border: 1px solid @gray; - .background-ximage-v2('toolbar/math.png', 1500px); -} - #plugins-panel { .separator:first-child { display: inline-block; @@ -131,8 +96,8 @@ #special-paste-container { position: absolute; z-index: @zindex-dropdown - 20; - background-color: @gray-light; - border: 1px solid @gray; + background-color: @background-toolbar; + border: @scaled-one-px-value solid @border-regular-control; } .item-theme { @@ -142,6 +107,6 @@ background-size: cover } -#slot-btn-incfont, #slot-btn-decfont { +#slot-btn-incfont, #slot-btn-decfont, #slot-btn-changecase { margin-left: 2px; } \ No newline at end of file diff --git a/apps/presentationeditor/main/resources/less/variables.less b/apps/presentationeditor/main/resources/less/variables.less index 70bb29691..1529f99e9 100644 --- a/apps/presentationeditor/main/resources/less/variables.less +++ b/apps/presentationeditor/main/resources/less/variables.less @@ -1,5 +1,6 @@ // Paths // ------------------------- +@header-background-color: var(--toolbar-header-presentation); // Grays // ------------------------- diff --git a/apps/presentationeditor/mobile/app/controller/Main.js b/apps/presentationeditor/mobile/app/controller/Main.js index 53916e3bb..12d1f9fa6 100644 --- a/apps/presentationeditor/mobile/app/controller/Main.js +++ b/apps/presentationeditor/mobile/app/controller/Main.js @@ -118,7 +118,8 @@ define([ 'Slide number': this.txtSlideNumber, 'Slide subtitle': this.txtSlideSubtitle, 'Table': this.txtSldLtTTbl, - 'Slide title': this.txtSlideTitle + 'Slide title': this.txtSlideTitle, + 'Click to add first slide': this.txtAddFirstSlide } }); @@ -294,10 +295,6 @@ define([ if (data.doc) { PE.getController('Toolbar').setDocumentTitle(data.doc.title); - if (data.doc.info) { - data.doc.info.author && console.log("Obsolete: The 'author' parameter of the document 'info' section is deprecated. Please use 'owner' instead."); - data.doc.info.created && console.log("Obsolete: The 'created' parameter of the document 'info' section is deprecated. Please use 'uploaded' instead."); - } } }, @@ -738,7 +735,13 @@ define([ me.appOptions.canComments = me.appOptions.canLicense && (me.permissions.comment===undefined ? me.appOptions.isEdit : me.permissions.comment) && (me.editorConfig.mode !== 'view'); me.appOptions.canComments = me.appOptions.canComments && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.comments===false); me.appOptions.canViewComments = me.appOptions.canComments || !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.comments===false); - me.appOptions.canEditComments = me.appOptions.isOffline || !(typeof (me.editorConfig.customization) == 'object' && me.editorConfig.customization.commentAuthorOnly); + me.appOptions.canEditComments= me.appOptions.isOffline || !me.permissions.editCommentAuthorOnly; + me.appOptions.canDeleteComments= me.appOptions.isOffline || !me.permissions.deleteCommentAuthorOnly; + if ((typeof (this.editorConfig.customization) == 'object') && me.editorConfig.customization.commentAuthorOnly===true) { + console.log("Obsolete: The 'commentAuthorOnly' parameter of the 'customization' section is deprecated. Please use 'editCommentAuthorOnly' and 'deleteCommentAuthorOnly' parameters in the permissions instead."); + if (me.permissions.editCommentAuthorOnly===undefined && me.permissions.deleteCommentAuthorOnly===undefined) + me.appOptions.canEditComments = me.appOptions.canDeleteComments = me.appOptions.isOffline; + } me.appOptions.canChat = me.appOptions.canLicense && !me.appOptions.isOffline && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.chat===false); me.appOptions.canEditStyles = me.appOptions.canLicense && me.appOptions.canEdit; me.appOptions.canPrint = (me.permissions.print !== false); @@ -752,10 +755,11 @@ define([ me.appOptions.canBranding = params.asc_getCustomization(); me.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof me.editorConfig.customization == 'object'); - me.appOptions.canUseReviewPermissions = me.appOptions.canLicense && me.editorConfig.customization && me.editorConfig.customization.reviewPermissions && (typeof (me.editorConfig.customization.reviewPermissions) == 'object'); + me.appOptions.canUseReviewPermissions = me.appOptions.canLicense && (!!me.permissions.reviewGroup || + me.editorConfig.customization && me.editorConfig.customization.reviewPermissions && (typeof (me.editorConfig.customization.reviewPermissions) == 'object')); Common.Utils.UserInfoParser.setParser(me.appOptions.canUseReviewPermissions); Common.Utils.UserInfoParser.setCurrentName(me.appOptions.user.fullname); - me.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(me.editorConfig.customization.reviewPermissions); + me.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(me.permissions.reviewGroup, me.editorConfig.customization.reviewPermissions); me.applyModeCommonElements(); me.applyModeEditorElements(); @@ -1212,7 +1216,10 @@ define([ var buttons = [{ text: 'OK', bold: true, + close: false, onClick: function () { + if (!me._state.openDlg) return; + $(me._state.openDlg).hasClass('modal-in') && uiApp.closeModal(me._state.openDlg); var password = $(me._state.openDlg).find('.modal-text-input[name="modal-password"]').val(); me.api.asc_setAdvancedOptions(type, new Asc.asc_CDRMAdvancedOptions(password)); @@ -1233,7 +1240,7 @@ define([ me._state.openDlg = uiApp.modal({ title: me.advDRMOptions, - text: me.txtProtected, + text: (typeof advOptions=='string' ? advOptions : me.txtProtected), afterText: '
    ', buttons: buttons }); @@ -1559,7 +1566,8 @@ define([ errorSessionToken: 'The connection to the server has been interrupted. Please reload the page.', warnLicenseLimitedRenewed: 'License needs to be renewed.
    You have a limited access to document editing functionality.
    Please contact your administrator to get full access', warnLicenseLimitedNoAccess: 'License expired.
    You have no access to document editing functionality.
    Please contact your administrator.', - textGuest: 'Guest' + textGuest: 'Guest', + txtAddFirstSlide: 'Click to add first slide' } })(), PE.Controllers.Main || {})) }); \ No newline at end of file diff --git a/apps/presentationeditor/mobile/app/controller/Settings.js b/apps/presentationeditor/mobile/app/controller/Settings.js index 03180ddf4..5353ddeb8 100644 --- a/apps/presentationeditor/mobile/app/controller/Settings.js +++ b/apps/presentationeditor/mobile/app/controller/Settings.js @@ -215,9 +215,9 @@ define([ info = document.info || {}; document.title ? $('#settings-presentation-title').html(document.title) : $('.display-presentation-title').remove(); - var value = info.owner || info.author; + var value = info.owner; value ? $('#settings-pe-owner').html(value) : $('.display-owner').remove(); - value = info.uploaded || info.created; + value = info.uploaded; value ? $('#settings-pe-uploaded').html(value) : $('.display-uploaded').remove(); info.folder ? $('#settings-pe-location').html(info.folder) : $('.display-location').remove(); diff --git a/apps/presentationeditor/mobile/locale/de.json b/apps/presentationeditor/mobile/locale/de.json index 36fab4343..795cca8e4 100644 --- a/apps/presentationeditor/mobile/locale/de.json +++ b/apps/presentationeditor/mobile/locale/de.json @@ -185,6 +185,7 @@ "PE.Controllers.Main.textYes": "Ja", "PE.Controllers.Main.titleLicenseExp": "Lizenz ist abgelaufen", "PE.Controllers.Main.titleServerVersion": "Editor wurde aktualisiert", + "PE.Controllers.Main.txtAddFirstSlide": "Klicken Sie, um die erste Folie hinzuzufügen", "PE.Controllers.Main.txtArt": "Hier den Text eingeben", "PE.Controllers.Main.txtBasicShapes": "Standardformen", "PE.Controllers.Main.txtButtons": "Buttons", diff --git a/apps/presentationeditor/mobile/locale/el.json b/apps/presentationeditor/mobile/locale/el.json index 9b96445c8..7fd3bb654 100644 --- a/apps/presentationeditor/mobile/locale/el.json +++ b/apps/presentationeditor/mobile/locale/el.json @@ -1,5 +1,5 @@ { - "Common.Controllers.Collaboration.textAddReply": "Προσθήκη απάντησης", + "Common.Controllers.Collaboration.textAddReply": "Προσθήκη Απάντησης", "Common.Controllers.Collaboration.textCancel": "Ακύρωση", "Common.Controllers.Collaboration.textDeleteComment": "Διαγραφή σχολίου", "Common.Controllers.Collaboration.textDeleteReply": "Διαγραφή απάντησης", @@ -12,11 +12,11 @@ "Common.Controllers.Collaboration.textResolve": "Επίλυση", "Common.Controllers.Collaboration.textYes": "Ναι", "Common.UI.ThemeColorPalette.textCustomColors": "Προσαρμοσμένα χρώματα", - "Common.UI.ThemeColorPalette.textStandartColors": "Κανονικά Χρώματα", + "Common.UI.ThemeColorPalette.textStandartColors": "Τυπικά χρώματα", "Common.UI.ThemeColorPalette.textThemeColors": "Χρώματα θέματος", "Common.Utils.Metric.txtCm": "εκ", "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Προσθήκη απάντησης", + "Common.Views.Collaboration.textAddReply": "Προσθήκη Απάντησης", "Common.Views.Collaboration.textBack": "Πίσω", "Common.Views.Collaboration.textCancel": "Ακύρωση", "Common.Views.Collaboration.textCollaboration": "Συνεργασία", @@ -178,13 +178,14 @@ "PE.Controllers.Main.textPaidFeature": "Δυνατότητα επί πληρωμή", "PE.Controllers.Main.textPassword": "Συνθηματικό", "PE.Controllers.Main.textPreloader": "Φόρτωση ...", - "PE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου", + "PE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου για όλα τα αρχεία", "PE.Controllers.Main.textShape": "Σχήμα", "PE.Controllers.Main.textTryUndoRedo": "Οι λειτουργίες Αναίρεση/Επανάληψη απενεργοποιούνται για τη λειτουργία γρήγορης συν-επεξεργασίας.", "PE.Controllers.Main.textUsername": "Όνομα χρήστη", "PE.Controllers.Main.textYes": "Ναι", "PE.Controllers.Main.titleLicenseExp": "Η άδεια έληξε", "PE.Controllers.Main.titleServerVersion": "Ο επεξεργαστής ενημερώθηκε", + "PE.Controllers.Main.txtAddFirstSlide": "Κάντε κλικ για να προσθέσετε την πρώτη διαφάνεια", "PE.Controllers.Main.txtArt": "Το κείμενό σας εδώ", "PE.Controllers.Main.txtBasicShapes": "Βασικά σχήματα", "PE.Controllers.Main.txtButtons": "Κουμπιά", @@ -508,7 +509,7 @@ "PE.Views.EditText.textNumbers": "Αριθμοί", "PE.Views.EditText.textSize": "Μέγεθος", "PE.Views.EditText.textSmallCaps": "Μικρά κεφαλαία", - "PE.Views.EditText.textStrikethrough": "Διακριτή διαγραφή", + "PE.Views.EditText.textStrikethrough": "Διακριτική διαγραφή", "PE.Views.EditText.textSubscript": "Δείκτης", "PE.Views.Search.textCase": "Με διάκριση πεζών - κεφαλαίων γραμμάτων", "PE.Views.Search.textDone": "Ολοκληρώθηκε", diff --git a/apps/presentationeditor/mobile/locale/en.json b/apps/presentationeditor/mobile/locale/en.json index f54ccb604..40ba35902 100644 --- a/apps/presentationeditor/mobile/locale/en.json +++ b/apps/presentationeditor/mobile/locale/en.json @@ -179,13 +179,14 @@ "PE.Controllers.Main.textPaidFeature": "Paid feature", "PE.Controllers.Main.textPassword": "Password", "PE.Controllers.Main.textPreloader": "Loading... ", - "PE.Controllers.Main.textRemember": "Remember my choice", + "PE.Controllers.Main.textRemember": "Remember my choice for all files", "PE.Controllers.Main.textShape": "Shape", "PE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.", "PE.Controllers.Main.textUsername": "Username", "PE.Controllers.Main.textYes": "Yes", "PE.Controllers.Main.titleLicenseExp": "License expired", "PE.Controllers.Main.titleServerVersion": "Editor updated", + "PE.Controllers.Main.txtAddFirstSlide": "Click to add the first slide", "PE.Controllers.Main.txtArt": "Your text here", "PE.Controllers.Main.txtBasicShapes": "Basic Shapes", "PE.Controllers.Main.txtButtons": "Buttons", diff --git a/apps/presentationeditor/mobile/locale/fr.json b/apps/presentationeditor/mobile/locale/fr.json index dc4571fef..fc6eca41d 100644 --- a/apps/presentationeditor/mobile/locale/fr.json +++ b/apps/presentationeditor/mobile/locale/fr.json @@ -185,6 +185,7 @@ "PE.Controllers.Main.textYes": "Oui", "PE.Controllers.Main.titleLicenseExp": "Licence expirée", "PE.Controllers.Main.titleServerVersion": "Editeur mis à jour", + "PE.Controllers.Main.txtAddFirstSlide": "Cliquez pour ajouter la première diapositive", "PE.Controllers.Main.txtArt": "Votre texte ici", "PE.Controllers.Main.txtBasicShapes": "Formes de base", "PE.Controllers.Main.txtButtons": "Boutons", diff --git a/apps/presentationeditor/mobile/locale/it.json b/apps/presentationeditor/mobile/locale/it.json index cd8f953bf..da230c52e 100644 --- a/apps/presentationeditor/mobile/locale/it.json +++ b/apps/presentationeditor/mobile/locale/it.json @@ -185,6 +185,7 @@ "PE.Controllers.Main.textYes": "Sì", "PE.Controllers.Main.titleLicenseExp": "La licenza è scaduta", "PE.Controllers.Main.titleServerVersion": "L'editor è stato aggiornato", + "PE.Controllers.Main.txtAddFirstSlide": "Clicca per aggiungere la prima diapositiva", "PE.Controllers.Main.txtArt": "Il tuo testo qui", "PE.Controllers.Main.txtBasicShapes": "Forme di base", "PE.Controllers.Main.txtButtons": "Bottoni", diff --git a/apps/presentationeditor/mobile/locale/lo.json b/apps/presentationeditor/mobile/locale/lo.json index 40095da29..4390adb82 100644 --- a/apps/presentationeditor/mobile/locale/lo.json +++ b/apps/presentationeditor/mobile/locale/lo.json @@ -7,7 +7,7 @@ "Common.Controllers.Collaboration.textEdit": "ແກ້ໄຂ", "Common.Controllers.Collaboration.textEditUser": "ຜູ້ໃຊ້ທີກໍາລັງແກ້ໄຂເອກະສານ", "Common.Controllers.Collaboration.textMessageDeleteComment": "ທ່ານຕ້ອງການລົບຄຳເຫັນນີ້ແທ້ບໍ", - "Common.Controllers.Collaboration.textMessageDeleteReply": "\nທ່ານຕ້ອງການລຶບ ຄຳ ຕອບນີ້ແທ້ບໍ?", + "Common.Controllers.Collaboration.textMessageDeleteReply": "ທ່ານຕ້ອງການລຶບ ຄຳ ຕອບນີ້ແທ້ບໍ?", "Common.Controllers.Collaboration.textReopen": "ເປີດຄືນ", "Common.Controllers.Collaboration.textResolve": "ແກ້ໄຂ", "Common.Controllers.Collaboration.textYes": "ແມ່ນແລ້ວ", @@ -110,19 +110,19 @@ "PE.Controllers.Main.errorCoAuthoringDisconnect": "ບໍ່ສາມາດເຊື່ອມຕໍ່ ເຊີບເວີ , ທ່ານບໍ່ສາມາດແກ້ໄຂເອກະສານຕໍ່ໄດ້", "PE.Controllers.Main.errorConnectToServer": "ເອກະສານບໍ່ສາມາດບັນທຶກໄດ້. ກະລຸນາກວດສອບການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຫລືຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.
    ເມື່ອທ່ານກົດປຸ່ມ 'OK', ທ່ານຈະໄດ້ຮັບການກະຕຸ້ນເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", "PE.Controllers.Main.errorDatabaseConnection": "ຂໍ້ຜິດພາດພາຍນອກ. ກະລຸນາ, ຕິດຕໍ່ການສະ ໜັບ ສະ ໜູນ.", - "PE.Controllers.Main.errorDataEncrypted": "\nໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "PE.Controllers.Main.errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", "PE.Controllers.Main.errorDataRange": "ໄລຍະຂອງຂໍ້ມູນບໍ່ຖືກ", "PE.Controllers.Main.errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", - "PE.Controllers.Main.errorEditingDownloadas": "\nມີຂໍ້ຜິດພາດເກີດຂື້ນໃນລະຫວ່າງການເຮັດວຽກກັບເອກະສານ.ໃຊ້ຕົວເລືອກ 'ດາວໂຫລດ' ເພື່ອບັນທຶກເອກະສານ ສຳ ເນົາເກັບໄວ້ໃນຮາດຄອມພິວເຕີຂອງທ່ານ.", + "PE.Controllers.Main.errorEditingDownloadas": "ມີຂໍ້ຜິດພາດເກີດຂື້ນໃນລະຫວ່າງການເຮັດວຽກກັບເອກະສານ.ໃຊ້ຕົວເລືອກ 'ດາວໂຫລດ' ເພື່ອບັນທຶກເອກະສານ ສຳ ເນົາເກັບໄວ້ໃນຮາດຄອມພິວເຕີຂອງທ່ານ.", "PE.Controllers.Main.errorFilePassProtect": "ມີລະຫັດປົກປ້ອງຟາຍນີ້ຈຶ່ງບໍ່ສາມາດເປີດໄດ້", "PE.Controllers.Main.errorFileSizeExceed": "ຂະໜາດຂອງຟາຍໃຫຍ່ກວ່າທີ່ກຳນົດໄວ້ໃນລະບົບ.
    ກະລຸນະຕິດຕໍ່ຜູ້ຄຸ້ມຄອງລົບຂອງທ່ານ", "PE.Controllers.Main.errorKeyEncrypt": "ບໍ່ຮູ້ຕົວບັນຍາຍຫຼັກ", "PE.Controllers.Main.errorKeyExpire": "ລະຫັດໝົດອາຍຸ", "PE.Controllers.Main.errorOpensource": "ທ່ານໃຊ້ສະບັບຊຸມຊົນແບບບໍ່ເສຍຄ່າ ທ່ານສາມາດເປີດເອກະສານ ແລະ ເບິ່ງເທົ່ານັ້ນ. ເພື່ອເຂົ້າເຖິງ ແກ້ໄຊທາງ ເວັບມືຖື, ຕ້ອງມີໃບອະນຸຍາດການຄ້າ.", "PE.Controllers.Main.errorProcessSaveResult": "ບັນທືກບໍ່ສໍາເລັດ", - "PE.Controllers.Main.errorServerVersion": "\nສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອ ນຳໃຊ້ການປ່ຽນແປງ.", + "PE.Controllers.Main.errorServerVersion": "ສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອ ນຳໃຊ້ການປ່ຽນແປງ.", "PE.Controllers.Main.errorSessionAbsolute": "ໝົດເວລາ ການແກ້ໄຂເອກະສານ ກະລຸນາໂຫລດ ໜ້າ ນີ້ຄືນ ໃໝ່", - "PE.Controllers.Main.errorSessionIdle": "\nເອກະສານດັ່ງກ່າວບໍ່ໄດ້ຖືກດັດແກ້ມາດົນແລ້ວ. ກະລຸນາໂຫລດ ໜ້ານີ້ຄືນໃໝ່.", + "PE.Controllers.Main.errorSessionIdle": "ເອກະສານດັ່ງກ່າວບໍ່ໄດ້ຖືກດັດແກ້ມາດົນແລ້ວ. ກະລຸນາໂຫລດ ໜ້ານີ້ຄືນໃໝ່.", "PE.Controllers.Main.errorSessionToken": "ການເຊື່ອມຕໍ່ຫາ ເຊີເວີຖືກລົບກວນ, ກະລຸນນາໂລດຄືນ", "PE.Controllers.Main.errorStockChart": "ຄໍາສັ່ງແຖວບໍ່ຖືກຕ້ອງ. ເພື່ອສ້າງຕາຕະລາງຫຸ້ນອວາງຂໍ້ມູນໃສ່ເຈັ້ຍຕາມ ລຳດັບຕໍ່ໄປນີ້: ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ.", "PE.Controllers.Main.errorUpdateVersion": "ເອກະສານໄດ້ຖືກປ່ຽນແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດ ໃໝ່.", @@ -130,7 +130,7 @@ "PE.Controllers.Main.errorUserDrop": "ບໍ່ສາມາດເຂົ້າເຖິງຟາຍໄດ້", "PE.Controllers.Main.errorUsersExceed": "ຈໍານວນຜູ້ໃຊ້ເກີນກໍານົດ", "PE.Controllers.Main.errorViewerDisconnect": "ຂາດການເຊື່ອມຕໍ່,ທ່ານຍັງສາມາດເບິ່ງເອກະສານໄດ້
    ແຕ່ຈະບໍ່ສາມາດດາວໂຫຼດໄດ້ຈົນກວ່າການເຊື່ອມຕໍ່ຈະໄດ້ຮັບການກູ້ຄືນ ແລະ ໂຫຼດໜ້າໃໝ່", - "PE.Controllers.Main.leavePageText": "\nທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", + "PE.Controllers.Main.leavePageText": "ທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", "PE.Controllers.Main.loadFontsTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ", "PE.Controllers.Main.loadFontsTitleText": "ດາວໂຫຼດຂໍ້ມູນ", "PE.Controllers.Main.loadFontTextText": "ກຳລັງດາວໂຫຼດຂໍ້ມູນ", @@ -149,7 +149,7 @@ "PE.Controllers.Main.openTitleText": "ກໍາລັງເປີດເອກະສານ", "PE.Controllers.Main.printTextText": "ກໍາລັງພີມເອກະສານ", "PE.Controllers.Main.printTitleText": "ກໍາລັງພີມເອກະສານ", - "PE.Controllers.Main.reloadButtonText": "\nໂຫລດ ໜ້າ ເວັບ ໃໝ່", + "PE.Controllers.Main.reloadButtonText": "ໂຫລດ ໜ້າ ເວັບ ໃໝ່", "PE.Controllers.Main.requestEditFailedMessageText": "ມີຄົນກຳລັງແກ້ໄຂເອກະສານນີ້, ກະລຸນາລອງໃໝ່ພາຍຫຼັງ", "PE.Controllers.Main.requestEditFailedTitleText": "ປະ​ຕິ​ເສດ​ການ​ເຂົ້າ​ເຖິງ", "PE.Controllers.Main.saveErrorText": "ພົບບັນຫາຕອນບັນທຶກຟາຍ", @@ -158,9 +158,9 @@ "PE.Controllers.Main.saveTextText": "ກໍາລັງບັນທືກເອກະສານ", "PE.Controllers.Main.saveTitleText": "ບັນທືກເອກະສານ", "PE.Controllers.Main.scriptLoadError": "ການເຊື່ອມຕໍ່ອິນເຕີເນັດຊ້າເກີນໄປ, ບາງອົງປະກອບບໍ່ສາມາດໂຫຼດໄດ້. ກະລຸນາໂຫຼດໜ້ານີ້ຄືນໃໝ່", - "PE.Controllers.Main.splitDividerErrorText": "\nຈໍານວນແຖວຕ້ອງເປັນຕົວເລກຂອງ %1", + "PE.Controllers.Main.splitDividerErrorText": "ຈໍານວນແຖວຕ້ອງເປັນຕົວເລກຂອງ %1", "PE.Controllers.Main.splitMaxColsErrorText": "ຈຳນວນຖັນຕ້ອງຕໍ່າ ກວ່າ % 1", - "PE.Controllers.Main.splitMaxRowsErrorText": "\nຈຳນວນແຖວຕ້ອງໜ້ອຍກວ່າ % 1", + "PE.Controllers.Main.splitMaxRowsErrorText": "ຈຳນວນແຖວຕ້ອງໜ້ອຍກວ່າ % 1", "PE.Controllers.Main.textAnonymous": "ບໍ່ລະບຸຊື່", "PE.Controllers.Main.textBack": "ກັບຄືນ", "PE.Controllers.Main.textBuyNow": "ເຂົ້າໄປເວັບໄຊ", @@ -168,7 +168,7 @@ "PE.Controllers.Main.textClose": " ປິດ", "PE.Controllers.Main.textCloseTip": "ແຕະເພື່ອປິດ", "PE.Controllers.Main.textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", - "PE.Controllers.Main.textCustomLoader": "\nກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
    ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", + "PE.Controllers.Main.textCustomLoader": "ກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
    ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", "PE.Controllers.Main.textDone": "ສໍາເລັດ", "PE.Controllers.Main.textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
    ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", "PE.Controllers.Main.textLoadingDocument": "ກຳລັງໂຫຼດບົດພີເຊັ້ນ", @@ -180,7 +180,7 @@ "PE.Controllers.Main.textPreloader": "ກໍາລັງໂລດ", "PE.Controllers.Main.textRemember": "ຈື່ທາງເລືອກຂອງຂ້ອຍ", "PE.Controllers.Main.textShape": "ຮູບຮ່າງ", - "PE.Controllers.Main.textTryUndoRedo": "\nໜ້າທີ່ ກັບຄືນ ຫຼື ທວນຄືນ ຖືກປິດໃຊ້ງານ ສຳລັບ ໂໝດ ການແກ້ໄຂຮ່ວມກັນດ່ວນ.", + "PE.Controllers.Main.textTryUndoRedo": "ໜ້າທີ່ ກັບຄືນ ຫຼື ທວນຄືນ ຖືກປິດໃຊ້ງານ ສຳລັບ ໂໝດ ການແກ້ໄຂຮ່ວມກັນດ່ວນ.", "PE.Controllers.Main.textUsername": "ຊື່ຜູ້ໃຊ້", "PE.Controllers.Main.textYes": "ແມ່ນແລ້ວ", "PE.Controllers.Main.titleLicenseExp": "ໃບອະນຸຍາດໝົດອາຍຸ", @@ -259,7 +259,7 @@ "PE.Controllers.Main.uploadImageTitleText": "ກໍາລັງອັບໂຫຼດຮູບພາບ", "PE.Controllers.Main.waitText": "ກະລຸນາລໍຖ້າ...", "PE.Controllers.Main.warnLicenseExceeded": " ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
    ຕິດຕໍ່ທີມບໍລິຫານ ເພື່ອສືກສາເພີ່ມເຕີ່ມ ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ເເກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
    ຕິດຕໍ່ທີມບໍລິຫານ ເພື່ອສືກສາເພີ່ມເຕີ່ມ", - "PE.Controllers.Main.warnLicenseExp": "\nໃບອະນຸຍາດຂອງທ່ານ ໝົດ ອາຍຸແລ້ວ.
    ກະລຸນາປັບປຸງໃບອະນຸຍາດຂອງທ່ານແລະ ນຳໃຊ້ໃໝ່.", + "PE.Controllers.Main.warnLicenseExp": "ໃບອະນຸຍາດຂອງທ່ານ ໝົດ ອາຍຸແລ້ວ.
    ກະລຸນາປັບປຸງໃບອະນຸຍາດຂອງທ່ານແລະ ນຳໃຊ້ໃໝ່.", "PE.Controllers.Main.warnLicenseLimitedNoAccess": "ໃບອະນຸຍາດໝົດອາຍຸ.
    ທ່ານບໍ່ສາມາດເຂົ້າເຖິງ ໜ້າ ທີ່ແກ້ໄຂເອກະສານ.
    ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.", "PE.Controllers.Main.warnLicenseLimitedRenewed": "ໃບອະນຸຍາດ ຈຳ ເປັນຕ້ອງມີການຕໍ່ອາຍຸ
    ທ່ານມີຂໍ້ ຈຳ ກັດໃນການ ທຳ ງານການແກ້ໄຂເອກະສານ, ກະລຸນາຕິດຕໍ່ຫາຜູ້ເບິ່ງລະບົບ", "PE.Controllers.Main.warnLicenseUsersExceeded": " ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມບໍລິຫານເພື່ອຂໍ້ມູນເພີ່ມເຕີ່ມ ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ແກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມບໍລິຫານເພື່ອຂໍ້ມູນເພີ່ມເຕີ່ມ", @@ -270,7 +270,7 @@ "PE.Controllers.Search.textReplaceAll": "ປ່ຽນແທນທັງໝົດ", "PE.Controllers.Settings.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "PE.Controllers.Settings.txtLoading": "ກໍາລັງໂລດ", - "PE.Controllers.Toolbar.dlgLeaveMsgText": "\nທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", + "PE.Controllers.Toolbar.dlgLeaveMsgText": "ທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", "PE.Controllers.Toolbar.dlgLeaveTitleText": "ເຈົ້າອອກຈາກລະບົບ", "PE.Controllers.Toolbar.leaveButtonText": "ອອກຈາກໜ້ານີ້", "PE.Controllers.Toolbar.stayButtonText": "ຢູ່ໃນໜ້ານີ້", @@ -335,7 +335,7 @@ "PE.Views.EditChart.textToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", "PE.Views.EditChart.textToForeground": "ເອົາໄປທີ່ເບື້ອງໜ້າ", "PE.Views.EditChart.textType": "ພິມ, ຕີພິມ", - "PE.Views.EditChart.txtDistribHor": "\nແຈກຢາຍຕາມແນວນອນ", + "PE.Views.EditChart.txtDistribHor": "ແຈກຢາຍຕາມແນວນອນ", "PE.Views.EditChart.txtDistribVert": "ແຈກຢາຍແນວຕັ້ງ", "PE.Views.EditImage.textAddress": "ທີ່ຢູ່", "PE.Views.EditImage.textAlign": "ຈັດແນວ", @@ -359,7 +359,7 @@ "PE.Views.EditImage.textReplaceImg": "ປ່ຽນແທນຮູບ", "PE.Views.EditImage.textToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", "PE.Views.EditImage.textToForeground": "ເອົາໄປໄວ້ທາງໜ້າ", - "PE.Views.EditImage.txtDistribHor": "\nແຈກຢາຍຕາມແນວນອນ", + "PE.Views.EditImage.txtDistribHor": "ແຈກຢາຍຕາມແນວນອນ", "PE.Views.EditImage.txtDistribVert": "ແຈກຢາຍແນວຕັ້ງ", "PE.Views.EditLink.textBack": "ກັບຄືນ", "PE.Views.EditLink.textDisplay": "ສະແດງຜົນ", @@ -400,10 +400,10 @@ "PE.Views.EditShape.textStyle": "ປະເພດ ", "PE.Views.EditShape.textToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", "PE.Views.EditShape.textToForeground": "ເອົາໄປທີ່ເບື້ອງໜ້າ", - "PE.Views.EditShape.txtDistribHor": "\nແຈກຢາຍຕາມແນວນອນ", + "PE.Views.EditShape.txtDistribHor": "ແຈກຢາຍຕາມແນວນອນ", "PE.Views.EditShape.txtDistribVert": "ແຈກຢາຍແນວຕັ້ງ", "PE.Views.EditSlide.textAddCustomColor": "ເພີ່ມສີຂອງໂຕເອງ", - "PE.Views.EditSlide.textApplyAll": "\nນຳໃຊ້ກັບທຸກໆແຜ່ນສະໄລ້", + "PE.Views.EditSlide.textApplyAll": "ນຳໃຊ້ກັບທຸກໆແຜ່ນສະໄລ້", "PE.Views.EditSlide.textBack": "ກັບຄືນ", "PE.Views.EditSlide.textBlack": "ຜ່ານສີດຳ", "PE.Views.EditSlide.textBottom": "ດ້ານລຸ່ມ", @@ -423,7 +423,7 @@ "PE.Views.EditSlide.textFill": "ຕື່ມ", "PE.Views.EditSlide.textHorizontalIn": "ລວງນອນທາງໃນ", "PE.Views.EditSlide.textHorizontalOut": "ລວງນອນທາງນອກ", - "PE.Views.EditSlide.textLayout": "\nແຜນຜັງ", + "PE.Views.EditSlide.textLayout": "ແຜນຜັງ", "PE.Views.EditSlide.textLeft": "ຊ້າຍ", "PE.Views.EditSlide.textNone": "ບໍ່ມີ", "PE.Views.EditSlide.textOpacity": "ຄວາມເຂັ້ມ", @@ -480,7 +480,7 @@ "PE.Views.EditTable.textToBackground": "ສົ່ງໄປເປັນພື້ນຫຼັງ", "PE.Views.EditTable.textToForeground": "ເອົາໄປໄວ້ທາງໜ້າ", "PE.Views.EditTable.textTotalRow": "ຈໍານວນແຖວທັງໝົດ", - "PE.Views.EditTable.txtDistribHor": "\nແຈກຢາຍຕາມແນວນອນ", + "PE.Views.EditTable.txtDistribHor": "ແຈກຢາຍຕາມແນວນອນ", "PE.Views.EditTable.txtDistribVert": "ແຈກຢາຍແນວຕັ້ງ", "PE.Views.EditText.textAddCustomColor": "ເພີ່ມສີທີ່ກຳໜົດເອງ", "PE.Views.EditText.textAdditional": "ເພີ່ມເຕີມ", @@ -501,7 +501,7 @@ "PE.Views.EditText.textFontColor": "ສີຂອງຕົວອັກສອນ", "PE.Views.EditText.textFontColors": "ສີຕົວອັກສອນ", "PE.Views.EditText.textFonts": "ຕົວອັກສອນ", - "PE.Views.EditText.textFromText": "\nໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", + "PE.Views.EditText.textFromText": "ໄລຍະຫ່າງຈາກຂໍ້ຄວາມ", "PE.Views.EditText.textLetterSpacing": "ໄລບະຫ່າງລະຫວ່າງຕົວອັກສອນ", "PE.Views.EditText.textLineSpacing": "ໄລຍະຫ່າງລະຫວ່າງເສັ້ນ", "PE.Views.EditText.textNone": "ບໍ່ມີ", @@ -518,7 +518,7 @@ "PE.Views.Search.textSearch": "ຊອກຫາ, ຄົ້ນຫາ", "PE.Views.Settings. textComment": "ຄໍາເຫັນ", "PE.Views.Settings.mniSlideStandard": "ມາດຕະຖານ (4:3)", - "PE.Views.Settings.mniSlideWide": "\nຈໍກວ້າງ (16: 9)", + "PE.Views.Settings.mniSlideWide": "ຈໍກວ້າງ (16: 9)", "PE.Views.Settings.textAbout": "ກ່ຽວກັບ, ປະມານ", "PE.Views.Settings.textAddress": "ທີ່ຢູ່", "PE.Views.Settings.textApplication": "ແອັບ", diff --git a/apps/presentationeditor/mobile/locale/pt.json b/apps/presentationeditor/mobile/locale/pt.json index 1587885ff..6129d1f1f 100644 --- a/apps/presentationeditor/mobile/locale/pt.json +++ b/apps/presentationeditor/mobile/locale/pt.json @@ -185,6 +185,7 @@ "PE.Controllers.Main.textYes": "Sim", "PE.Controllers.Main.titleLicenseExp": "Licença expirada", "PE.Controllers.Main.titleServerVersion": "Editor atualizado", + "PE.Controllers.Main.txtAddFirstSlide": "Clique para adicionar o primeiro slide", "PE.Controllers.Main.txtArt": "Seu texto aqui", "PE.Controllers.Main.txtBasicShapes": "Formas básicas", "PE.Controllers.Main.txtButtons": "Botões", diff --git a/apps/presentationeditor/mobile/locale/ro.json b/apps/presentationeditor/mobile/locale/ro.json index be9b3b142..2ec300bef 100644 --- a/apps/presentationeditor/mobile/locale/ro.json +++ b/apps/presentationeditor/mobile/locale/ro.json @@ -185,6 +185,7 @@ "PE.Controllers.Main.textYes": "Da", "PE.Controllers.Main.titleLicenseExp": "Licența a expirat", "PE.Controllers.Main.titleServerVersion": "Editorul a fost actualizat", + "PE.Controllers.Main.txtAddFirstSlide": "Faceți clic pentru a adăuga primul diapozitiv", "PE.Controllers.Main.txtArt": "Textul dvs. aici", "PE.Controllers.Main.txtBasicShapes": "Forme de bază", "PE.Controllers.Main.txtButtons": "Butoane", diff --git a/apps/presentationeditor/mobile/locale/ru.json b/apps/presentationeditor/mobile/locale/ru.json index 196516b0c..5afa96970 100644 --- a/apps/presentationeditor/mobile/locale/ru.json +++ b/apps/presentationeditor/mobile/locale/ru.json @@ -178,13 +178,14 @@ "PE.Controllers.Main.textPaidFeature": "Платная функция", "PE.Controllers.Main.textPassword": "Пароль", "PE.Controllers.Main.textPreloader": "Загрузка...", - "PE.Controllers.Main.textRemember": "Запомнить мой выбор", + "PE.Controllers.Main.textRemember": "Запомнить мой выбор для всех файлов", "PE.Controllers.Main.textShape": "Фигура", "PE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.", "PE.Controllers.Main.textUsername": "Имя пользователя", "PE.Controllers.Main.textYes": "Да", "PE.Controllers.Main.titleLicenseExp": "Истек срок действия лицензии", "PE.Controllers.Main.titleServerVersion": "Редактор обновлен", + "PE.Controllers.Main.txtAddFirstSlide": "Нажмите, чтобы добавить первый слайд", "PE.Controllers.Main.txtArt": "Введите ваш текст", "PE.Controllers.Main.txtBasicShapes": "Основные фигуры", "PE.Controllers.Main.txtButtons": "Кнопки", @@ -508,7 +509,7 @@ "PE.Views.EditText.textNumbers": "Нумерация", "PE.Views.EditText.textSize": "Размер", "PE.Views.EditText.textSmallCaps": "Малые прописные", - "PE.Views.EditText.textStrikethrough": "Зачеркнутый", + "PE.Views.EditText.textStrikethrough": "Зачёркивание", "PE.Views.EditText.textSubscript": "Подстрочные", "PE.Views.Search.textCase": "С учетом регистра", "PE.Views.Search.textDone": "Готово", diff --git a/apps/presentationeditor/mobile/locale/sk.json b/apps/presentationeditor/mobile/locale/sk.json index 025df5b1d..97fed8312 100644 --- a/apps/presentationeditor/mobile/locale/sk.json +++ b/apps/presentationeditor/mobile/locale/sk.json @@ -185,6 +185,7 @@ "PE.Controllers.Main.textYes": "Áno", "PE.Controllers.Main.titleLicenseExp": "Platnosť licencie uplynula", "PE.Controllers.Main.titleServerVersion": "Editor bol aktualizovaný", + "PE.Controllers.Main.txtAddFirstSlide": "Kliknutím pridajte prvú snímku", "PE.Controllers.Main.txtArt": "Váš text tu", "PE.Controllers.Main.txtBasicShapes": "Základné tvary", "PE.Controllers.Main.txtButtons": "Tlačidlá", diff --git a/apps/spreadsheeteditor/embed/locale/pl.json b/apps/spreadsheeteditor/embed/locale/pl.json index 07a9890b1..f0decb433 100644 --- a/apps/spreadsheeteditor/embed/locale/pl.json +++ b/apps/spreadsheeteditor/embed/locale/pl.json @@ -1,5 +1,6 @@ { "common.view.modals.txtCopy": "Skopiuj do schowka", + "common.view.modals.txtEmbed": "Osadź", "common.view.modals.txtHeight": "Wysokość", "common.view.modals.txtShare": "Udostępnij link", "common.view.modals.txtWidth": "Szerokość", @@ -23,6 +24,7 @@ "SSE.ApplicationController.unsupportedBrowserErrorText": "Twoja przeglądarka nie jest wspierana.", "SSE.ApplicationController.waitText": "Proszę czekać...", "SSE.ApplicationView.txtDownload": "Pobierz", + "SSE.ApplicationView.txtEmbed": "Osadź", "SSE.ApplicationView.txtFullScreen": "Pełny ekran", "SSE.ApplicationView.txtPrint": " Drukuj", "SSE.ApplicationView.txtShare": "Udostępnij" diff --git a/apps/spreadsheeteditor/embed/locale/zh.json b/apps/spreadsheeteditor/embed/locale/zh.json index ab3b77872..63b6ffc93 100644 --- a/apps/spreadsheeteditor/embed/locale/zh.json +++ b/apps/spreadsheeteditor/embed/locale/zh.json @@ -13,18 +13,19 @@ "SSE.ApplicationController.errorDefaultMessage": "错误代码:%1", "SSE.ApplicationController.errorFilePassProtect": "该文档受密码保护,无法被打开。", "SSE.ApplicationController.errorFileSizeExceed": "文件大小超出了为服务器设置的限制.
    有关详细信息,请与文档服务器管理员联系。", - "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "网连接已还原文件版本已更改。.
    在继续工作之前,需要下载文件或复制其内容以确保没有丢失任何内容,然后重新加载此页。", + "SSE.ApplicationController.errorUpdateVersionOnDisconnect": "网络连接已恢复,文件版本已变更。
    在继续工作之前,需要下载文件或复制其内容以避免丢失数据,然后刷新此页。", "SSE.ApplicationController.errorUserDrop": "该文件现在无法访问。", "SSE.ApplicationController.notcriticalErrorTitle": "警告", "SSE.ApplicationController.scriptLoadError": "连接速度过慢,部分组件无法被加载。请重新加载页面。", "SSE.ApplicationController.textLoadingDocument": "正在加载电子表格…", "SSE.ApplicationController.textOf": "的", "SSE.ApplicationController.txtClose": "关闭", - "SSE.ApplicationController.unknownErrorText": "示知错误", - "SSE.ApplicationController.unsupportedBrowserErrorText": "你的浏览器不支持", + "SSE.ApplicationController.unknownErrorText": "未知错误。", + "SSE.ApplicationController.unsupportedBrowserErrorText": "您的浏览器不受支持", "SSE.ApplicationController.waitText": "请稍候...", "SSE.ApplicationView.txtDownload": "下载", "SSE.ApplicationView.txtEmbed": "嵌入", "SSE.ApplicationView.txtFullScreen": "全屏", + "SSE.ApplicationView.txtPrint": "打印", "SSE.ApplicationView.txtShare": "共享" } \ No newline at end of file diff --git a/apps/spreadsheeteditor/embed/resources/less/application.less b/apps/spreadsheeteditor/embed/resources/less/application.less index c3deef750..b3fa8b561 100644 --- a/apps/spreadsheeteditor/embed/resources/less/application.less +++ b/apps/spreadsheeteditor/embed/resources/less/application.less @@ -4,19 +4,17 @@ // Worksheets // ------------------------- .viewer { + display: flex; + flex-direction: column; + .sdk-view { - position: absolute; - left: 0; - top: 0; - right: 0; - bottom: 25px; + position: relative; + flex-grow: 1; } ul.worksheet-list { - position: absolute; - left: 0; - right: 0; - bottom: 0; + flex-grow: 0; + flex-shrink: 0; margin: 0; padding: 0 9px; border-top: 1px solid #5A5A5A; diff --git a/apps/spreadsheeteditor/main/app.js b/apps/spreadsheeteditor/main/app.js index 98f81f10a..2057534be 100644 --- a/apps/spreadsheeteditor/main/app.js +++ b/apps/spreadsheeteditor/main/app.js @@ -201,6 +201,7 @@ require([ 'common/main/lib/controller/Plugins' ,'common/main/lib/controller/ReviewChanges' ,'common/main/lib/controller/Protection' + ,'common/main/lib/controller/Themes' ,'common/main/lib/controller/Desktop' ], function() { app.start(); diff --git a/apps/spreadsheeteditor/main/app/controller/CellEditor.js b/apps/spreadsheeteditor/main/app/controller/CellEditor.js index cb92d6915..58943bcad 100644 --- a/apps/spreadsheeteditor/main/app/controller/CellEditor.js +++ b/apps/spreadsheeteditor/main/app/controller/CellEditor.js @@ -185,7 +185,7 @@ define([ onLayoutResize: function(o, r) { if (r == 'cell:edit') { - if (this.editor.$el.height() > 19) { + if (Math.floor(this.editor.$el.height()) > 19) { if (!this.editor.$btnexpand.hasClass('btn-collapse')) this.editor.$btnexpand['addClass']('btn-collapse'); o && Common.localStorage.setItem('sse-celleditor-height', this.editor.$el.height()); @@ -225,7 +225,7 @@ define([ }, expandEditorField: function() { - if (this.editor.$el.height() > 19) { + if ( Math.floor(this.editor.$el.height()) > 19) { this.editor.keep_height = this.editor.$el.height(); this.editor.$el.height(19); this.editor.$btnexpand['removeClass']('btn-collapse'); diff --git a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js index c5cf1355e..b05d0d9fc 100644 --- a/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js +++ b/apps/spreadsheeteditor/main/app/controller/DocumentHolder.js @@ -1258,7 +1258,7 @@ define([ } } - if (index_filter!==undefined && !(me.dlgFilter && me.dlgFilter.isVisible()) && !(me.currentMenu && me.currentMenu.isVisible())) { + if (index_filter!==undefined && !(me.dlgFilter && me.dlgFilter.isVisible()) && !(me.currentMenu && me.currentMenu.isVisible()) && !dataarray[index_filter-1].asc_getFilter().asc_getPivotObj()) { if (!filterTip.parentEl) { filterTip.parentEl = $('
    '); me.documentHolder.cmpEl.append(filterTip.parentEl); diff --git a/apps/spreadsheeteditor/main/app/controller/Main.js b/apps/spreadsheeteditor/main/app/controller/Main.js index 1c5a99c48..5743df0d8 100644 --- a/apps/spreadsheeteditor/main/app/controller/Main.js +++ b/apps/spreadsheeteditor/main/app/controller/Main.js @@ -167,7 +167,8 @@ define([ this.api = this.getApplication().getController('Viewport').getApi(); Common.UI.FocusManager.init(); - + Common.UI.Themes.init(this.api); + var value = Common.localStorage.getBool("sse-settings-cachemode", true); Common.Utils.InternalSettings.set("sse-settings-cachemode", value); this.api.asc_setDefaultBlitMode(!!value); @@ -936,6 +937,11 @@ define([ Common.Gateway.documentReady(); if (this.appOptions.user.guest && this.appOptions.canRenameAnonymous && !this.appOptions.isEditDiagram && !this.appOptions.isEditMailMerge && (Common.Utils.InternalSettings.get("guest-username")===null)) this.showRenameUserDialog(); + + $('#header-logo').children(0).click(e => { + e.stopImmediatePropagation(); + Common.UI.Themes.toggleTheme(); + }) }, onLicenseChanged: function(params) { @@ -1070,10 +1076,11 @@ define([ this.appOptions.canFavorite && this.headerView && this.headerView.setFavorite(this.appOptions.spreadsheet.info.favorite); this.appOptions.canRename && this.headerView.setCanRename(true); - this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object'); + this.appOptions.canUseReviewPermissions = this.appOptions.canLicense && (!!this.permissions.reviewGroup || + this.appOptions.canLicense && this.editorConfig.customization && this.editorConfig.customization.reviewPermissions && (typeof (this.editorConfig.customization.reviewPermissions) == 'object')); Common.Utils.UserInfoParser.setParser(this.appOptions.canUseReviewPermissions); Common.Utils.UserInfoParser.setCurrentName(this.appOptions.user.fullname); - this.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(this.editorConfig.customization.reviewPermissions); + this.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(this.permissions.reviewGroup, this.editorConfig.customization.reviewPermissions); this.headerView.setUserName(Common.Utils.UserInfoParser.getParsedName(Common.Utils.UserInfoParser.getCurrentName())); } else this.appOptions.canModifyFilter = true; @@ -1087,7 +1094,13 @@ define([ this.appOptions.canForcesave = this.appOptions.isEdit && !this.appOptions.isOffline && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge) && (typeof (this.editorConfig.customization) == 'object' && !!this.editorConfig.customization.forcesave); this.appOptions.forcesave = this.appOptions.canForcesave; - this.appOptions.canEditComments= this.appOptions.isOffline || !(typeof (this.editorConfig.customization) == 'object' && this.editorConfig.customization.commentAuthorOnly); + this.appOptions.canEditComments= this.appOptions.isOffline || !this.permissions.editCommentAuthorOnly; + this.appOptions.canDeleteComments= this.appOptions.isOffline || !this.permissions.deleteCommentAuthorOnly; + if ((typeof (this.editorConfig.customization) == 'object') && this.editorConfig.customization.commentAuthorOnly===true) { + console.log("Obsolete: The 'commentAuthorOnly' parameter of the 'customization' section is deprecated. Please use 'editCommentAuthorOnly' and 'deleteCommentAuthorOnly' parameters in the permissions instead."); + if (this.permissions.editCommentAuthorOnly===undefined && this.permissions.deleteCommentAuthorOnly===undefined) + this.appOptions.canEditComments = this.appOptions.canDeleteComments = this.appOptions.isOffline; + } this.appOptions.isSignatureSupport= this.appOptions.isEdit && this.appOptions.isDesktopApp && this.appOptions.isOffline && this.api.asc_isSignaturesSupport() && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge); this.appOptions.isPasswordSupport = this.appOptions.isEdit && this.api.asc_isProtectionSupport() && !(this.appOptions.isEditDiagram || this.appOptions.isEditMailMerge); this.appOptions.canProtect = (this.appOptions.isSignatureSupport || this.appOptions.isPasswordSupport); @@ -1873,7 +1886,8 @@ define([ title: Common.Views.OpenDialog.prototype.txtTitleProtected, closeFile: me.appOptions.canRequestClose, type: Common.Utils.importTextType.DRM, - warning: !(me.appOptions.isDesktopApp && me.appOptions.isOffline), + warning: !(me.appOptions.isDesktopApp && me.appOptions.isOffline) && (typeof advOptions == 'string'), + warningMsg: advOptions, validatePwd: !!me._state.isDRM, handler: function (result, value) { me.isShowOpenDialog = false; @@ -2086,6 +2100,11 @@ define([ case 'processmouse': this.onProcessMouse(data.data); break; + case 'theme:change': + document.documentElement.className = + document.documentElement.className.replace(/theme-\w+\s?/, data.data); + this.api.asc_setSkin(data.data == "theme-dark" ? 'flatDark' : "flat"); + break; } } }, @@ -2216,6 +2235,7 @@ define([ if (change && this.appOptions.user.guest && this.appOptions.canRenameAnonymous && (change.asc_getIdOriginal() == this.appOptions.user.id)) { // change name of the current user var name = change.asc_getUserName(); if (name && name !== Common.Utils.UserInfoParser.getCurrentName() ) { + this._renameDialog && this._renameDialog.close(); Common.Utils.UserInfoParser.setCurrentName(name); this.headerView.setUserName(Common.Utils.UserInfoParser.getParsedName(name)); diff --git a/apps/spreadsheeteditor/main/app/controller/Toolbar.js b/apps/spreadsheeteditor/main/app/controller/Toolbar.js index 1889bb2ba..08103004f 100644 --- a/apps/spreadsheeteditor/main/app/controller/Toolbar.js +++ b/apps/spreadsheeteditor/main/app/controller/Toolbar.js @@ -310,11 +310,13 @@ define([ toolbar.btnBackColor.on('click', _.bind(this.onBackColor, this)); toolbar.mnuTextColorPicker.on('select', _.bind(this.onTextColorSelect, this)); toolbar.mnuBackColorPicker.on('select', _.bind(this.onBackColorSelect, this)); + $('#id-toolbar-menu-auto-fontcolor').on('click', _.bind(this.onAutoFontColor, this)); toolbar.btnBorders.on('click', _.bind(this.onBorders, this)); if (toolbar.btnBorders.rendered) { toolbar.btnBorders.menu.on('item:click', _.bind(this.onBordersMenu, this)); toolbar.mnuBorderWidth.on('item:toggle', _.bind(this.onBordersWidth, this)); toolbar.mnuBorderColorPicker.on('select', _.bind(this.onBordersColor, this)); + $('#id-toolbar-menu-auto-bordercolor').on('click', _.bind(this.onAutoBorderColor, this)); } toolbar.btnAlignLeft.on('click', _.bind(this.onHorizontalAlign, this, AscCommon.align_Left)); toolbar.btnAlignCenter.on('click', _.bind(this.onHorizontalAlign, this, AscCommon.align_Center)); @@ -601,15 +603,13 @@ define([ onTextColorSelect: function(picker, color, fromBtn) { this._state.clrtext_asccolor = this._state.clrtext = undefined; - var clr = (typeof(color) == 'object') ? color.color : color; - this.toolbar.btnTextColor.currentColor = color; - $('.btn-color-value-line', this.toolbar.btnTextColor.cmpEl).css('background-color', '#' + clr); + this.toolbar.btnTextColor.setColor((typeof(color) == 'object') ? (color.isAuto ? '000' : color.color) : color); this.toolbar.mnuTextColorPicker.currentColor = color; if (this.api) { this.toolbar.btnTextColor.ischanged = (fromBtn!==true); - this.api.asc_setCellTextColor(Common.Utils.ThemeColor.getRgbColor(color)); + this.api.asc_setCellTextColor(color.isAuto ? color.color : Common.Utils.ThemeColor.getRgbColor(color)); this.toolbar.btnTextColor.ischanged = false; } @@ -623,8 +623,8 @@ define([ var clr = (typeof(color) == 'object') ? color.color : color; this.toolbar.btnBackColor.currentColor = color; - $('.btn-color-value-line', this.toolbar.btnBackColor.cmpEl).css('background-color', clr == 'transparent' ? 'transparent' : '#' + clr); - + this.toolbar.btnBackColor.setColor(this.toolbar.btnBackColor.currentColor); + this.toolbar.mnuBackColorPicker.currentColor = color; if (this.api) { this.toolbar.btnBackColor.ischanged = (fromBtn!==true); @@ -649,6 +649,25 @@ define([ this.toolbar.mnuBorderColorPicker.addNewColor(); }, + onAutoFontColor: function(e) { + this._state.clrtext_asccolor = this._state.clrtext = undefined; + + var color = new Asc.asc_CColor(); + color.put_auto(true); + + this.toolbar.btnTextColor.currentColor = {color: color, isAuto: true}; + this.toolbar.btnTextColor.setColor('000'); + + this.toolbar.mnuTextColorPicker.clearSelection(); + this.toolbar.mnuTextColorPicker.currentColor = {color: color, isAuto: true}; + if (this.api) { + this.api.asc_setCellTextColor(color); + } + + Common.NotificationCenter.trigger('edit:complete', this.toolbar, {restorefocus:true}); + Common.component.Analytics.trackEvent('ToolBar', 'Text Color'); + }, + onBorders: function(btn) { var menuItem; @@ -715,10 +734,27 @@ define([ }, onBordersColor: function(picker, color) { - $('#id-toolbar-mnu-item-border-color .menu-item-icon').css('border-color', '#' + ((typeof(color) == 'object') ? color.color : color)); + $('#id-toolbar-mnu-item-border-color > a .menu-item-icon').css('border-color', '#' + ((typeof(color) == 'object') ? color.color : color)); this.toolbar.mnuBorderColor.onUnHoverItem(); this.toolbar.btnBorders.options.borderscolor = Common.Utils.ThemeColor.getRgbColor(color); this.toolbar.mnuBorderColorPicker.currentColor = color; + var clr_item = this.toolbar.btnBorders.menu.$el.find('#id-toolbar-menu-auto-bordercolor > a'); + clr_item.hasClass('selected') && clr_item.removeClass('selected'); + + Common.NotificationCenter.trigger('edit:complete', this.toolbar); + Common.component.Analytics.trackEvent('ToolBar', 'Border Color'); + }, + + onAutoBorderColor: function(e) { + $('#id-toolbar-mnu-item-border-color > a .menu-item-icon').css('border-color', '#000'); + this.toolbar.mnuBorderColor.onUnHoverItem(); + var color = new Asc.asc_CColor(); + color.put_auto(true); + this.toolbar.btnBorders.options.borderscolor = color; + this.toolbar.mnuBorderColorPicker.clearSelection(); + this.toolbar.mnuBorderColorPicker.currentColor = {color: color, isAuto: true}; + var clr_item = this.toolbar.btnBorders.menu.$el.find('#id-toolbar-menu-auto-bordercolor > a'); + !clr_item.hasClass('selected') && clr_item.addClass('selected'); Common.NotificationCenter.trigger('edit:complete', this.toolbar); Common.component.Analytics.trackEvent('ToolBar', 'Border Color'); @@ -2080,10 +2116,7 @@ define([ val; /* read font name */ - var fontparam = fontobj.asc_getFontName(); - if (fontparam != toolbar.cmbFontName.getValue()) { - Common.NotificationCenter.trigger('fonts:change', fontobj); - } + Common.NotificationCenter.trigger('fonts:change', fontobj); /* read font params */ if (!toolbar.mode.isEditMailMerge && !toolbar.mode.isEditDiagram) { @@ -2147,32 +2180,43 @@ define([ if (!toolbar.btnTextColor.ischanged && !fontColorPicker.isDummy) { color = fontobj.asc_getFontColor(); if (color) { - if (color.get_type() == Asc.c_oAscColor.COLOR_TYPE_SCHEME) { - clr = {color: Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()), effectValue: color.get_value() }; - } else { - clr = Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()); - } - } - var type1 = typeof(clr), - type2 = typeof(this._state.clrtext); - if ( (type1 !== type2) || (type1=='object' && - (clr.effectValue!==this._state.clrtext.effectValue || this._state.clrtext.color.indexOf(clr.color)<0)) || - (type1!='object' && this._state.clrtext!==undefined && this._state.clrtext.indexOf(clr)<0 )) { - - if (_.isObject(clr)) { - var isselected = false; - for (var i = 0; i < 10; i++) { - if (Common.Utils.ThemeColor.ThemeValues[i] == clr.effectValue) { - fontColorPicker.select(clr, true); - isselected = true; - break; - } + if (color.get_auto()) { + if (this._state.clrtext !== 'auto') { + fontColorPicker.clearSelection(); + var clr_item = this.toolbar.btnTextColor.menu.$el.find('#id-toolbar-menu-auto-fontcolor > a'); + !clr_item.hasClass('selected') && clr_item.addClass('selected'); + this._state.clrtext = 'auto'; } - if (!isselected) fontColorPicker.clearSelection(); } else { - fontColorPicker.select(clr, true); + if (color.get_type() == Asc.c_oAscColor.COLOR_TYPE_SCHEME) { + clr = {color: Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()), effectValue: color.get_value() }; + } else { + clr = Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()); + } + var type1 = typeof(clr), + type2 = typeof(this._state.clrtext); + if ( (this._state.clrtext == 'auto') || (type1 !== type2) || (type1=='object' && + (clr.effectValue!==this._state.clrtext.effectValue || this._state.clrtext.color.indexOf(clr.color)<0)) || + (type1!='object' && this._state.clrtext!==undefined && this._state.clrtext.indexOf(clr)<0 )) { + + var clr_item = this.toolbar.btnTextColor.menu.$el.find('#id-toolbar-menu-auto-fontcolor > a'); + clr_item.hasClass('selected') && clr_item.removeClass('selected'); + if (_.isObject(clr)) { + var isselected = false; + for (var i = 0; i < 10; i++) { + if (Common.Utils.ThemeColor.ThemeValues[i] == clr.effectValue) { + fontColorPicker.select(clr, true); + isselected = true; + break; + } + } + if (!isselected) fontColorPicker.clearSelection(); + } else { + fontColorPicker.select(clr, true); + } + this._state.clrtext = clr; + } } - this._state.clrtext = clr; } this._state.clrtext_asccolor = color; } @@ -2195,10 +2239,7 @@ define([ val, need_disable = false; /* read font name */ - var fontparam = xfs.asc_getFontName(); - if (fontparam != toolbar.cmbFontName.getValue()) { - Common.NotificationCenter.trigger('fonts:change', xfs); - } + Common.NotificationCenter.trigger('fonts:change', xfs); /* read font size */ var str_size = xfs.asc_getFontSize(); @@ -2294,32 +2335,43 @@ define([ if (!toolbar.btnTextColor.ischanged && !fontColorPicker.isDummy) { color = xfs.asc_getFontColor(); if (color) { - if (color.get_type() == Asc.c_oAscColor.COLOR_TYPE_SCHEME) { - clr = {color: Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()), effectValue: color.get_value() }; - } else { - clr = Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()); - } - } - var type1 = typeof(clr), - type2 = typeof(this._state.clrtext); - if ( (type1 !== type2) || (type1=='object' && - (clr.effectValue!==this._state.clrtext.effectValue || this._state.clrtext.color.indexOf(clr.color)<0)) || - (type1!='object' && this._state.clrtext!==undefined && this._state.clrtext.indexOf(clr)<0 )) { - - if (_.isObject(clr)) { - var isselected = false; - for (var i = 0; i < 10; i++) { - if (Common.Utils.ThemeColor.ThemeValues[i] == clr.effectValue) { - fontColorPicker.select(clr, true); - isselected = true; - break; - } + if (color.get_auto()) { + if (this._state.clrtext !== 'auto') { + fontColorPicker.clearSelection(); + var clr_item = this.toolbar.btnTextColor.menu.$el.find('#id-toolbar-menu-auto-fontcolor > a'); + !clr_item.hasClass('selected') && clr_item.addClass('selected'); + this._state.clrtext = 'auto'; } - if (!isselected) fontColorPicker.clearSelection(); } else { - fontColorPicker.select(clr, true); + if (color.get_type() == Asc.c_oAscColor.COLOR_TYPE_SCHEME) { + clr = {color: Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()), effectValue: color.get_value() }; + } else { + clr = Common.Utils.ThemeColor.getHexColor(color.get_r(), color.get_g(), color.get_b()); + } + var type1 = typeof(clr), + type2 = typeof(this._state.clrtext); + if ( (this._state.clrtext == 'auto') || (type1 !== type2) || (type1=='object' && + (clr.effectValue!==this._state.clrtext.effectValue || this._state.clrtext.color.indexOf(clr.color)<0)) || + (type1!='object' && this._state.clrtext!==undefined && this._state.clrtext.indexOf(clr)<0 )) { + + var clr_item = this.toolbar.btnTextColor.menu.$el.find('#id-toolbar-menu-auto-fontcolor > a'); + clr_item.hasClass('selected') && clr_item.removeClass('selected'); + if (_.isObject(clr)) { + var isselected = false; + for (var i = 0; i < 10; i++) { + if (Common.Utils.ThemeColor.ThemeValues[i] == clr.effectValue) { + fontColorPicker.select(clr, true); + isselected = true; + break; + } + } + if (!isselected) fontColorPicker.clearSelection(); + } else { + fontColorPicker.select(clr, true); + } + this._state.clrtext = clr; + } } - this._state.clrtext = clr; } this._state.clrtext_asccolor = color; } @@ -2377,7 +2429,7 @@ define([ formatTableInfo = info.asc_getFormatTableInfo(); if (!toolbar.mode.isEditMailMerge) { /* read cell horizontal align */ - fontparam = xfs.asc_getHorAlign(); + var fontparam = xfs.asc_getHorAlign(); if (this._state.pralign !== fontparam) { this._state.pralign = fontparam; @@ -2733,18 +2785,17 @@ define([ }; updateColors(this.toolbar.mnuTextColorPicker, Common.Utils.ThemeColor.getStandartColors()[1]); - if (this.toolbar.btnTextColor.currentColor === undefined) { + if (this.toolbar.btnTextColor.currentColor === undefined || !this.toolbar.btnTextColor.currentColor.isAuto) { this.toolbar.btnTextColor.currentColor=Common.Utils.ThemeColor.getStandartColors()[1]; - } else - this.toolbar.btnTextColor.currentColor = this.toolbar.mnuTextColorPicker.currentColor.color || this.toolbar.mnuTextColorPicker.currentColor; - $('.btn-color-value-line', this.toolbar.btnTextColor.cmpEl).css('background-color', '#' + this.toolbar.btnTextColor.currentColor); + this.toolbar.btnTextColor.setColor(this.toolbar.btnTextColor.currentColor); + } updateColors(this.toolbar.mnuBackColorPicker, Common.Utils.ThemeColor.getStandartColors()[3]); if (this.toolbar.btnBackColor.currentColor === undefined) { this.toolbar.btnBackColor.currentColor=Common.Utils.ThemeColor.getStandartColors()[3]; } else this.toolbar.btnBackColor.currentColor = this.toolbar.mnuBackColorPicker.currentColor.color || this.toolbar.mnuBackColorPicker.currentColor; - $('.btn-color-value-line', this.toolbar.btnBackColor.cmpEl).css('background-color', this.toolbar.btnBackColor.currentColor == 'transparent' ? 'transparent' : '#' + this.toolbar.btnBackColor.currentColor); + this.toolbar.btnBackColor.setColor(this.toolbar.btnBackColor.currentColor); if (this._state.clrtext_asccolor!==undefined || this._state.clrshd_asccolor!==undefined) { this._state.clrtext = undefined; @@ -2756,9 +2807,14 @@ define([ this._state.clrshd_asccolor = undefined; if (this.toolbar.mnuBorderColorPicker) { - updateColors(this.toolbar.mnuBorderColorPicker, Common.Utils.ThemeColor.getEffectColors()[1]); - this.toolbar.btnBorders.options.borderscolor = this.toolbar.mnuBorderColorPicker.currentColor.color || this.toolbar.mnuBorderColorPicker.currentColor; - $('#id-toolbar-mnu-item-border-color .menu-item-icon').css('border-color', '#' + this.toolbar.btnBorders.options.borderscolor); + updateColors(this.toolbar.mnuBorderColorPicker, {color: '000', isAuto: true}); + var currentColor = this.toolbar.mnuBorderColorPicker.currentColor; + if (currentColor && currentColor.isAuto) { + var clr_item = this.toolbar.btnBorders.menu.$el.find('#id-toolbar-menu-auto-bordercolor > a'); + !clr_item.hasClass('selected') && clr_item.addClass('selected'); + } + this.toolbar.btnBorders.options.borderscolor = currentColor.color || currentColor; + $('#id-toolbar-mnu-item-border-color > a .menu-item-icon').css('border-color', '#' + this.toolbar.btnBorders.options.borderscolor); } }, @@ -2867,9 +2923,9 @@ define([ parentMenu: menu.items[i].menu, store: equationsStore.at(i).get('groupStore'), scrollAlwaysVisible: true, - itemTemplate: _.template('
    ' + - '
    ' + + itemTemplate: _.template( + '
    ' + + '
    ' + '
    ') }); equationPicker.on('item:click', function(picker, item, record, e) { diff --git a/apps/spreadsheeteditor/main/app/template/CellEditor.template b/apps/spreadsheeteditor/main/app/template/CellEditor.template index 01bf97f19..bba8d7381 100644 --- a/apps/spreadsheeteditor/main/app/template/CellEditor.template +++ b/apps/spreadsheeteditor/main/app/template/CellEditor.template @@ -4,7 +4,7 @@
    - +
    diff --git a/apps/spreadsheeteditor/main/app/template/SortDialog.template b/apps/spreadsheeteditor/main/app/template/SortDialog.template index 77bbbd1e9..989f33250 100644 --- a/apps/spreadsheeteditor/main/app/template/SortDialog.template +++ b/apps/spreadsheeteditor/main/app/template/SortDialog.template @@ -3,11 +3,11 @@ diff --git a/apps/spreadsheeteditor/main/app/view/CellRangeDialog.js b/apps/spreadsheeteditor/main/app/view/CellRangeDialog.js index 8bc2fa066..d3a03020d 100644 --- a/apps/spreadsheeteditor/main/app/view/CellRangeDialog.js +++ b/apps/spreadsheeteditor/main/app/view/CellRangeDialog.js @@ -168,6 +168,8 @@ define([ this.settings.argvalues[this.settings.argindex] = val; this.api.asc_insertArgumentsInFormula(this.settings.argvalues); + } else if (this.settings.type == Asc.c_oAscSelectionDialogType.DataValidation) { + this.inputRange.setValue('=' + name); } else this.inputRange.setValue(name); if (this.inputRange.cmpEl.hasClass('error')) diff --git a/apps/spreadsheeteditor/main/app/view/CellSettings.js b/apps/spreadsheeteditor/main/app/view/CellSettings.js index ff7b560a6..325849ad9 100644 --- a/apps/spreadsheeteditor/main/app/view/CellSettings.js +++ b/apps/spreadsheeteditor/main/app/view/CellSettings.js @@ -111,8 +111,13 @@ define([ if (this.api) { var new_borders = [], bordersWidth = this.BorderType, + bordersColor; + if (this.btnBorderColor.isAutoColor()) { + bordersColor = new Asc.asc_CColor(); + bordersColor.put_auto(true); + } else { bordersColor = Common.Utils.ThemeColor.getRgbColor(this.btnBorderColor.color); - + } if (btn.options.borderId == 'inner') { new_borders[Asc.c_oAscBorderOptions.InnerV] = new Asc.asc_CBorder(bordersWidth, bordersColor); new_borders[Asc.c_oAscBorderOptions.InnerH] = new Asc.asc_CBorder(bordersWidth, bordersColor); @@ -410,7 +415,8 @@ define([ parentEl: $('#cell-border-color-btn'), disabled: this._locked, menu : true, - color: '000000' + color: 'auto', + auto: true }); this.lockedControls.push(this.btnBorderColor); @@ -856,7 +862,7 @@ define([ } this.colorsBack.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); this.borderColor.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); - this.btnBorderColor.setColor(this.borderColor.getColor()); + !this.btnBorderColor.isAutoColor() && this.btnBorderColor.setColor(this.borderColor.getColor()); this.colorsGrad.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); this.colorsFG.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); this.colorsBG.updateColors(Common.Utils.ThemeColor.getEffectColors(), Common.Utils.ThemeColor.getStandartColors()); diff --git a/apps/spreadsheeteditor/main/app/view/ChartSettings.js b/apps/spreadsheeteditor/main/app/view/ChartSettings.js index f86cbbe7b..961ec35c0 100644 --- a/apps/spreadsheeteditor/main/app/view/ChartSettings.js +++ b/apps/spreadsheeteditor/main/app/view/ChartSettings.js @@ -156,33 +156,37 @@ define([ var type = (this._state.SeveralCharts && value) ? null : this.chartProps.getType(); if (this._state.ChartType !== type) { this.ShowCombinedProps(type); - (type !== null) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); + !(type===null || type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom) && this.updateChartStyles(this.api.asc_getChartPreviews(type)); this._state.ChartType = type; } - value = props.asc_getSeveralChartStyles(); - if (this._state.SeveralCharts && value) { - this.cmbChartStyle.fieldPicker.deselectAll(); - this.cmbChartStyle.menuPicker.deselectAll(); - this._state.ChartStyle = null; - } else { - value = this.chartProps.getStyle(); - if (this._state.ChartStyle!==value || this._isChartStylesChanged) { - this.cmbChartStyle.suspendEvents(); - var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); - this.cmbChartStyle.menuPicker.selectRecord(rec); - this.cmbChartStyle.resumeEvents(); + if (!(type==Asc.c_oAscChartTypeSettings.comboBarLine || type==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + type==Asc.c_oAscChartTypeSettings.comboAreaBar || type==Asc.c_oAscChartTypeSettings.comboCustom)) { + value = props.asc_getSeveralChartStyles(); + if (this._state.SeveralCharts && value) { + this.cmbChartStyle.fieldPicker.deselectAll(); + this.cmbChartStyle.menuPicker.deselectAll(); + this._state.ChartStyle = null; + } else { + value = this.chartProps.getStyle(); + if (this._state.ChartStyle!==value || this._isChartStylesChanged) { + this.cmbChartStyle.suspendEvents(); + var rec = this.cmbChartStyle.menuPicker.store.findWhere({data: value}); + this.cmbChartStyle.menuPicker.selectRecord(rec); + this.cmbChartStyle.resumeEvents(); - if (this._isChartStylesChanged) { - if (rec) - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(),true); - else - this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + if (this._isChartStylesChanged) { + if (rec) + this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.getSelectedRec(),true); + else + this.cmbChartStyle.fillComboView(this.cmbChartStyle.menuPicker.store.at(0), true); + } + this._state.ChartStyle=value; } - this._state.ChartStyle=value; } + this._isChartStylesChanged = false; } - this._isChartStylesChanged = false; this._noApply = false; @@ -507,6 +511,8 @@ define([ spinner.setDefaultUnit(Common.Utils.Metric.getCurrentMetricName()); spinner.setStep(Common.Utils.Metric.getCurrentMetric()==Common.Utils.Metric.c_MetricUnits.pt ? 1 : 0.1); } + this.spnWidth && this.spnWidth.setValue((this._state.Width!==null) ? Common.Utils.Metric.fnRecalcFromMM(this._state.Width) : '', true); + this.spnHeight && this.spnHeight.setValue((this._state.Height!==null) ? Common.Utils.Metric.fnRecalcFromMM(this._state.Height) : '', true); } }, @@ -923,9 +929,6 @@ define([ handler: function(result, value) { if (result == 'ok') { props.endEdit(); - if (me.api) { - me.api.asc_editChartDrawingObject(value.chartSettings); - } me._isEditType = false; } Common.NotificationCenter.trigger('edit:complete', me); @@ -952,7 +955,9 @@ define([ }, _onUpdateChartStyles: function() { - if (this.api && this._state.ChartType!==null && this._state.ChartType>-1) + if (this.api && this._state.ChartType!==null && this._state.ChartType>-1 && + !(this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLine || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboBarLineSecondary || + this._state.ChartType==Asc.c_oAscChartTypeSettings.comboAreaBar || this._state.ChartType==Asc.c_oAscChartTypeSettings.comboCustom)) this.updateChartStyles(this.api.asc_getChartPreviews(this._state.ChartType)); }, diff --git a/apps/spreadsheeteditor/main/app/view/DataValidationDialog.js b/apps/spreadsheeteditor/main/app/view/DataValidationDialog.js index 4f89aae63..fa068fc84 100644 --- a/apps/spreadsheeteditor/main/app/view/DataValidationDialog.js +++ b/apps/spreadsheeteditor/main/app/view/DataValidationDialog.js @@ -90,20 +90,20 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ cls: 'input-group-nr', editable: false, data: [ - {value: Asc.EDataValidationType.None, displayValue: this.txtAny}, - {value: Asc.EDataValidationType.Whole, displayValue: this.txtWhole}, - {value: Asc.EDataValidationType.Decimal, displayValue: this.txtDecimal}, - {value: Asc.EDataValidationType.List, displayValue: this.txtList}, - {value: Asc.EDataValidationType.Date, displayValue: this.txtDate}, - {value: Asc.EDataValidationType.Time, displayValue: this.txtTime}, - {value: Asc.EDataValidationType.TextLength, displayValue: this.txtTextLength}, - {value: Asc.EDataValidationType.Custom, displayValue: this.txtOther} + {value: Asc.c_oAscEDataValidationType.None, displayValue: this.txtAny}, + {value: Asc.c_oAscEDataValidationType.Whole, displayValue: this.txtWhole}, + {value: Asc.c_oAscEDataValidationType.Decimal, displayValue: this.txtDecimal}, + {value: Asc.c_oAscEDataValidationType.List, displayValue: this.txtList}, + {value: Asc.c_oAscEDataValidationType.Date, displayValue: this.txtDate}, + {value: Asc.c_oAscEDataValidationType.Time, displayValue: this.txtTime}, + {value: Asc.c_oAscEDataValidationType.TextLength, displayValue: this.txtTextLength}, + {value: Asc.c_oAscEDataValidationType.Custom, displayValue: this.txtOther} ], style: 'width: 100%;', menuStyle : 'min-width: 100%;', takeFocusOnClose: true }); - this.cmbAllow.setValue(Asc.EDataValidationType.None); + this.cmbAllow.setValue(Asc.c_oAscEDataValidationType.None); this.cmbAllow.on('selected', _.bind(this.onAllowSelect, this)); this.cmbData = new Common.UI.ComboBox({ @@ -170,9 +170,10 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ this.chApply = new Common.UI.CheckBox({ el: $window.find('#data-validation-ch-apply'), - labelText: this.textApply + labelText: this.textApply, + disabled: true }); - // this.chApply.on('change', _.bind(this.onApplyChange, this)); + this.chApply.on('change', _.bind(this.onApplyChange, this)); // input message this.chShowInput = new Common.UI.CheckBox({ @@ -321,7 +322,7 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ win.setSettings({ api : me.api, range : input.getValue(), - type : Asc.c_oAscSelectionDialogType.Chart, + type : Asc.c_oAscSelectionDialogType.DataValidation, validation: function() {return true;} }); } @@ -332,11 +333,11 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ if (!this._noApply) { if (type==1 || type==3) { if (!this.props.asc_getFormula1()) - this.props.asc_setFormula1(new AscCommonExcel.CDataFormula()); + this.props.asc_setFormula1(new Asc.CDataFormula()); this.props.asc_getFormula1().asc_setValue(newValue); } else if (type==2) { if (!this.props.asc_getFormula2()) - this.props.asc_setFormula2(new AscCommonExcel.CDataFormula()); + this.props.asc_setFormula2(new Asc.CDataFormula()); this.props.asc_getFormula2().asc_setValue(newValue); } } @@ -363,17 +364,19 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ onStyleSelect: function(combo, record) { this.errorIcon.removeClass("error warn info"); this.errorIcon.addClass(record.clsText); + if (!this._noApply) + this.props.asc_setErrorStyle(record.value); }, onIgnoreChange: function(field, newValue, oldValue, eOpts) { if (!this._noApply) { - this.props.asc_setAllowBlank(field.getValue()!=='checked'); + this.props.asc_setAllowBlank(field.getValue()=='checked'); } }, onDropDownChange: function(field, newValue, oldValue, eOpts) { if (!this._noApply) { - this.props.asc_setShowDropDown(field.getValue()=='checked'); + this.props.asc_setShowDropDown(field.getValue()!=='checked'); } }, @@ -398,15 +401,22 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ } }, + onApplyChange: function(field, newValue, oldValue, eOpts) { + if (this.api && !this._noApply) { + this.api.asc_setDataValidation(this.getSettings(), field.getValue()=='checked'); + } + }, + _setDefaults: function (props) { this._noApply = true; if (props) { var value = props.asc_getAllowBlank(); - this.chIgnore.setValue(!value, true); + this.chIgnore.setValue(value, true); value = props.asc_getShowDropDown(); - this.chShowDropDown.setValue(!!value, true); + this.chShowDropDown.setValue(!value, true); value = props.asc_getType(); - this.cmbAllow.setValue(value!==null ? value : Asc.EDataValidationType.None, true); + this.cmbAllow.setValue(value!==null ? value : Asc.c_oAscEDataValidationType.None, true); + this.chApply.setDisabled(value===Asc.c_oAscEDataValidationType.None); value = props.asc_getOperator(); this.cmbData.setValue(value!==null ? value : Asc.EDataValidationOperator.Between, true); this.inputRangeMin.setValue(props.asc_getFormula1() ? props.asc_getFormula1().asc_getValue() || '' : ''); @@ -424,7 +434,11 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ this.textareaError.setValue(props.asc_getError() || ''); value = props.asc_getErrorStyle(); this.cmbStyle.setValue(value!==null ? value : Asc.EDataValidationErrorStyle.Stop); - + var rec = this.cmbStyle.getSelectedRecord(); + if (rec) { + this.errorIcon.removeClass("error warn info"); + this.errorIcon.addClass(rec.clsText); + } } this.ShowHideElem(); this._noApply = false; @@ -446,11 +460,12 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ var me = this; var state = (typeof(event) == 'object') ? event.currentTarget.attributes['result'].value : event; if (state == 'ok') { - if (!this.isRangeValid()) return; - this.handler && this.handler.call(this, state, (state == 'ok') ? this.getSettings() : undefined); - } - - this.close(); + this.isRangeValid(function() { + me.handler && me.handler.call(me, state, (state == 'ok') ? me.getSettings() : undefined); + me.close(); + }); + } else + this.close(); }, onPrimary: function() { @@ -462,37 +477,39 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ var allow = this.cmbAllow.getValue(), data = this.cmbData.getValue(); var between = (data==Asc.EDataValidationOperator.Between || data==Asc.EDataValidationOperator.NotBetween); - var source = (allow==Asc.EDataValidationType.Custom || allow==Asc.EDataValidationType.List); - this.minMaxTr.toggleClass('hidden', allow==Asc.EDataValidationType.None || source || !between); - this.sourceTr.toggleClass('hidden', allow==Asc.EDataValidationType.None || !source && between ); - this.dropdownTr.toggleClass('hidden', allow!=Asc.EDataValidationType.List); + var source = (allow==Asc.c_oAscEDataValidationType.Custom || allow==Asc.c_oAscEDataValidationType.List); + this.minMaxTr.toggleClass('hidden', allow==Asc.c_oAscEDataValidationType.None || source || !between); + this.sourceTr.toggleClass('hidden', allow==Asc.c_oAscEDataValidationType.None || !source && between ); + this.dropdownTr.toggleClass('hidden', allow!=Asc.c_oAscEDataValidationType.List); - this.chIgnore.setDisabled(allow===Asc.EDataValidationType.None); - this.cmbData.setDisabled(allow===Asc.EDataValidationType.None || allow===Asc.EDataValidationType.Custom || allow===Asc.EDataValidationType.List); + this.chIgnore.setDisabled(allow===Asc.c_oAscEDataValidationType.None); + this.cmbData.setDisabled(allow===Asc.c_oAscEDataValidationType.None || allow===Asc.c_oAscEDataValidationType.Custom || allow===Asc.c_oAscEDataValidationType.List); var str = this.textSource; - if (allow==Asc.EDataValidationType.Custom) + if (allow==Asc.c_oAscEDataValidationType.List) + str = this.textSource; + else if (allow==Asc.c_oAscEDataValidationType.Custom) str = this.textFormula; else if (data==Asc.EDataValidationOperator.Equal || data==Asc.EDataValidationOperator.NotEqual) { // equals, not equals - if (allow==Asc.EDataValidationType.Date) + if (allow==Asc.c_oAscEDataValidationType.Date) str = this.txtDate; - else if (allow==Asc.EDataValidationType.TextLength) + else if (allow==Asc.c_oAscEDataValidationType.TextLength) str = this.txtLength; - else if (allow==Asc.EDataValidationType.Time) + else if (allow==Asc.c_oAscEDataValidationType.Time) str = this.txtElTime; else str = this.textCompare; } else if (data==Asc.EDataValidationOperator.GreaterThan || data==Asc.EDataValidationOperator.GreaterThanOrEqual) { // greater, greater or equals - if (allow==Asc.EDataValidationType.Date) + if (allow==Asc.c_oAscEDataValidationType.Date) str = this.txtStartDate; - else if (allow==Asc.EDataValidationType.Time) + else if (allow==Asc.c_oAscEDataValidationType.Time) str = this.txtStartTime; else str = this.textMin; } else if (data==Asc.EDataValidationOperator.LessThan || data==Asc.EDataValidationOperator.LessThanOrEqual) { // less, less or equals - if (allow==Asc.EDataValidationType.Date) + if (allow==Asc.c_oAscEDataValidationType.Date) str = this.txtEndDate; - else if (allow==Asc.EDataValidationType.Time) + else if (allow==Asc.c_oAscEDataValidationType.Time) str = this.txtEndTime; else str = this.textMax; @@ -501,10 +518,10 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ var str1 = this.textMin, str2 = this.textMax; - if (allow==Asc.EDataValidationType.Date) { + if (allow==Asc.c_oAscEDataValidationType.Date) { str1 = this.txtStartDate; str2 = this.txtEndDate; - } else if (allow==Asc.EDataValidationType.Time) { + } else if (allow==Asc.c_oAscEDataValidationType.Time) { str1 = this.txtStartTime; str2 = this.txtEndTime; } @@ -512,59 +529,100 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ this.lblRangeMax.text(str2); }, - isRangeValid: function() { + isRangeValid: function(callback) { + var me = this; var isvalid = Asc.c_oAscError.ID.No; var type = this.cmbAllow.getValue(); - if (type!==Asc.EDataValidationType.None) { + if (type!==Asc.c_oAscEDataValidationType.None) { var focusedInput, lblField, error, minVisible = this.inputRangeMin.isVisible(); + var callback2 = function(isvalid) { + if (isvalid === Asc.c_oAscError.ID.No) { + isvalid = me.props.asc_checkValid(); + (isvalid !== Asc.c_oAscError.ID.No) && (focusedInput = minVisible ? me.inputRangeMin : me.inputRangeSource); + } + switch (isvalid) { + case Asc.c_oAscError.ID.DataValidateNotNumeric: + error = Common.Utils.String.format(me.errorNotNumeric, lblField.text()); + break; + case Asc.c_oAscError.ID.DataValidateNegativeTextLength: + error = Common.Utils.String.format(me.errorNegativeTextLength, me.cmbAllow.getDisplayValue(me.cmbAllow.getSelectedRecord())); + break; + case Asc.c_oAscError.ID.DataValidateMustEnterValue: + error = minVisible ? Common.Utils.String.format(me.errorMustEnterBothValues, me.lblRangeMin.text(), me.lblRangeMax.text()) : + Common.Utils.String.format(me.errorMustEnterValue, me.lblRangeSource.text()); + break; + case Asc.c_oAscError.ID.DataValidateMinGreaterMax: + error = Common.Utils.String.format(me.errorMinGreaterMax, me.lblRangeMin.text(), me.lblRangeMax.text()); + break; + case Asc.c_oAscError.ID.DataValidateInvalid: + error = Common.Utils.String.format((type==Asc.c_oAscEDataValidationType.Time) ? me.errorInvalidTime : ((type==Asc.c_oAscEDataValidationType.Date) ? me.errorInvalidDate : me.errorInvalid), lblField.text()); + break; + case Asc.c_oAscError.ID.NamedRangeNotFound: + error = me.errorNamedRange; + break; + case Asc.c_oAscError.ID.DataValidateInvalidList: + error = me.errorInvalidList; + break; + } + error && Common.UI.warning({ + msg: error, + maxwidth: 600, + callback: function(btn){ + focusedInput.focus(); + } + }); + (isvalid === Asc.c_oAscError.ID.No) && callback.call(me); + }; + var callback1 = function(isvalid) { + if (me.inputRangeMax.isVisible() && isvalid === Asc.c_oAscError.ID.No) { + isvalid = me.api.asc_checkDataRange(Asc.c_oAscSelectionDialogType.DataValidation, me.props.asc_getFormula2() ? me.props.asc_getFormula2().asc_getValue() : null, true, undefined, type); + if (isvalid !== Asc.c_oAscError.ID.No) { + focusedInput = me.inputRangeMax; + lblField = me.lblRangeMax; + } + if (isvalid===Asc.c_oAscError.ID.FormulaEvaluateError) { + Common.UI.warning({ + msg: me.errorFormula, + maxwidth: 600, + buttons: ['yes', 'no'], + primary: 'yes', + callback: function(btn){ + if (btn=='yes') { + callback2(Asc.c_oAscError.ID.No); + } else + focusedInput.focus(); + } + }); + } else + callback2(isvalid); + } else + callback2(isvalid); + }; isvalid = this.api.asc_checkDataRange(Asc.c_oAscSelectionDialogType.DataValidation, this.props.asc_getFormula1() ? this.props.asc_getFormula1().asc_getValue() : null, true, undefined, type); if (isvalid !== Asc.c_oAscError.ID.No) { - focusedInput = minVisible ? this.inputRangeMin : this.inputRangeSource; - lblField = minVisible ? this.lblRangeMin : this.lblRangeSource; + focusedInput = minVisible ? me.inputRangeMin : me.inputRangeSource; + lblField = minVisible ? me.lblRangeMin : me.lblRangeSource; } - if (isvalid === Asc.c_oAscError.ID.No) { - isvalid = this.api.asc_checkDataRange(Asc.c_oAscSelectionDialogType.DataValidation, this.props.asc_getFormula2() ? this.props.asc_getFormula2().asc_getValue() : null, true, undefined, type); - if (isvalid !== Asc.c_oAscError.ID.No) { - focusedInput = this.inputRangeMax; - lblField = this.lblRangeMax; - } - } - if (isvalid === Asc.c_oAscError.ID.No) { - isvalid = this.props.asc_checkValid(); - (isvalid !== Asc.c_oAscError.ID.No) && (focusedInput = minVisible ? this.inputRangeMin : this.inputRangeSource); - } - - switch (isvalid) { - case Asc.c_oAscError.ID.DataValidateNotNumeric: - error = Common.Utils.String.format(this.errorNotNumeric, lblField.text()); - break; - case Asc.c_oAscError.ID.DataValidateNegativeTextLength: - error = Common.Utils.String.format(this.errorNegativeTextLength, this.cmbAllow.getDisplayValue(this.cmbAllow.getSelectedRecord())); - break; - case Asc.c_oAscError.ID.DataValidateMustEnterValue: - error = minVisible ? Common.Utils.String.format(this.errorMustEnterBothValues, this.lblRangeMin.text(), this.lblRangeMax.text()) : - Common.Utils.String.format(this.errorMustEnterValue, this.lblRangeSource.text()); - break; - case Asc.c_oAscError.ID.DataValidateMinGreaterMax: - error = Common.Utils.String.format(this.errorMinGreaterMax, this.lblRangeMin.text(), this.lblRangeMax.text()); - break; - case Asc.c_oAscError.ID.DataValidateInvalid: - error = Common.Utils.String.format((type==Asc.EDataValidationType.Time) ? this.errorInvalidTime : this.errorInvalidDate, lblField.text()); - break; - } - error && Common.UI.warning({ - msg: error, - maxwidth: 600, - callback: function(btn){ - focusedInput.focus(); - } - }); - } - - return (isvalid === Asc.c_oAscError.ID.No); + if (isvalid===Asc.c_oAscError.ID.FormulaEvaluateError) { + Common.UI.warning({ + msg: this.errorFormula, + maxwidth: 600, + buttons: ['yes', 'no'], + primary: 'yes', + callback: function(btn){ + if (btn=='yes') { + callback1(Asc.c_oAscError.ID.No); + } else + focusedInput.focus(); + } + }); + } else + callback1(isvalid); + } else + callback.call(me); }, strSettings: 'Settings', @@ -582,7 +640,7 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ textEndTime: 'End Time', textFormula: 'Formula', textIgnore: 'Ignore blank', - textApply: 'Apply these changes to all othes calls the same settings', + textApply: 'Apply these changes to all other cells with the same settings', textShowDropDown: 'Show drop-down list in cell', textCellSelected: 'When cell is selected, show this input message', textTitle: 'Title', @@ -622,9 +680,13 @@ define([ 'text!spreadsheeteditor/main/app/template/DataValidationDialog.templ errorMustEnterValue: 'You must enter a value in field \"{0}\".', errorInvalidDate: 'The date you entered for the field \"{0}\" is invalid.', errorInvalidTime: 'The time you entered for the field \"{0}\" is invalid.', + errorInvalid: 'The value you entered for the field \"{0}\" is invalid.', errorNotNumeric: 'The field \"{0}\" must be a numeric value, numeric expression, or refer to a cell containing a numeric value.', errorNegativeTextLength: 'Negative values cannot be used in conditions \"{0}\".', - errorMinGreaterMax: 'The \"{1}\" field must be greater than or equal to the \"{0}\" field.' + errorMinGreaterMax: 'The \"{1}\" field must be greater than or equal to the \"{0}\" field.', + errorFormula: 'The value currently evaluates to an error. Do you want to continue?', + errorNamedRange: 'A named range you specified cannot be found.', + errorInvalidList: 'The list source must be a delimited list, or a reference to single row or column.' }, SSE.Views.DataValidationDialog || {})) }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js index 2f19fb766..91306012c 100644 --- a/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js +++ b/apps/spreadsheeteditor/main/app/view/FileMenuPanels.js @@ -691,6 +691,10 @@ define([ '', '','', /** coauthoring end **/ + '', + '', + '', + '','', '', '', '', @@ -908,7 +912,9 @@ define([ '', '', '', - '', + '', '

    Um mehr über Plug-ins zu erfahren lesen Sie bitte unsere API-Dokumentation. Alle derzeit als Open-Source verfügbaren Plug-in-Beispiele sind auf GitHub verfügbar.

    diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm index 59e39ad5d..6018ffc72 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/FontTypeSizeStyle.htm @@ -18,8 +18,8 @@

    Hinweis: 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.

    - - - -
    -
    + + + +
    +
    - - + + diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/PivotTables.htm index 731aaa7b4..216417ff7 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/PivotTables.htm @@ -120,7 +120,7 @@

    Pivot-Tabelle - Filter - Feldeinstellungen

    -

    Der Abschnitt Zwischensumme hat die Funktionen für Zwischensummem. Markieren Sie die gewünschten Funktionen in der Liste: Summe, Anzahö, MITTELWERT, Max, Min, Produkt, Zähle Zahlen, StdDev, StdDevp, Var, Varp.

    +

    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

    Pivot-Tabelle - Werte - Feldeinstellungen

      diff --git a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm index c76b8f5e6..e98330245 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm +++ b/apps/spreadsheeteditor/main/resources/help/de/UsageInstructions/SheetView.htm @@ -15,9 +15,10 @@

      Tabellenansichten verwalten

      -

      Im ONLYOFFICE Tabelleneditor können Sie den Tabellenansichten-Manager verwenden, um zwischen den benutzerdefinierten Tabellenansichten zu wechseln. Jetzt können Sie die erforderlichen Filter- und Sortierparameter als Ansichtsvoreinstellung speichern und zusammen mit Ihren Kollegen verwenden sowie mehrere Voreinstellungen erstellen und mühelos zwischen diesen wechseln. Wenn Sie an einer Tabelle zusammenarbeiten, erstellen Sie individuelle Ansichtsvoreinstellungen und arbeiten Sie weiter mit den Filtern und Sortierparametern, die Sie benötigen, ohne von anderen Co-Editoren gestört zu werden.

      +

      Hinweis: Diese Funktion ist in der kostenpflichtigen Version nur ab ONLYOFFICE Docs v. 6.1 verfügbar.

      +

      Im ONLYOFFICE Tabelleneditor können Sie den Tabellenansichten-Manager verwenden, um zwischen den benutzerdefinierten Tabellenansichten zu wechseln. Jetzt können Sie die erforderlichen Filter- als Ansichtsvoreinstellung speichern und zusammen mit Ihren Kollegen verwenden sowie mehrere Voreinstellungen erstellen und mühelos zwischen diesen wechseln. Wenn Sie an einer Tabelle zusammenarbeiten, erstellen Sie individuelle Ansichtsvoreinstellungen und arbeiten Sie weiter mit den Filtern , die Sie benötigen, ohne von anderen Co-Editoren gestört zu werden.

      Tabellenansicht erstellen

      -

      Da eine Ansichtsvoreinstellung die benutzerdefinierte Filter- und Sortierparameter speichern soll, sollen Sie diese Parameter zuerst auf das Blatt anwenden. Weitere Informationen zum Filtern und Sortieren finden Sie in dieser Anleitung.

      +

      Da eine Ansichtsvoreinstellung die benutzerdefinierten Filterparameter speichern soll, sollen Sie diese Parameter zuerst auf das Blatt anwenden. Weitere Informationen zum Filtern finden Sie in dieser Anleitung.

      Es gibt zwei Möglichkeiten, eine neue Voreinstellung für die Blattansicht zu erstellen. Sie können entweder

      • die Registerkarte Tabellenansicht öffnen und da auf das Symbol Tabellenansicht SymbolTabellenansicht klicken,
      • diff --git a/apps/spreadsheeteditor/main/resources/help/de/editor.css b/apps/spreadsheeteditor/main/resources/help/de/editor.css index 2cf64b652..443ea7b42 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/de/editor.css @@ -10,7 +10,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -186,4 +186,38 @@ kbd { box-shadow: 0 1px 3px rgba(85,85,85,.35); margin: 0.2em 0.1em; color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/backgroundcolor.png b/apps/spreadsheeteditor/main/resources/help/de/images/backgroundcolor.png index d73b2b665..7af662f5a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/backgroundcolor.png and b/apps/spreadsheeteditor/main/resources/help/de/images/backgroundcolor.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/bold.png b/apps/spreadsheeteditor/main/resources/help/de/images/bold.png index 8b50580a0..ff78d284e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/bold.png and b/apps/spreadsheeteditor/main/resources/help/de/images/bold.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/changecolorscheme.png b/apps/spreadsheeteditor/main/resources/help/de/images/changecolorscheme.png index f9464e5f4..9ef44daaf 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/changecolorscheme.png and b/apps/spreadsheeteditor/main/resources/help/de/images/changecolorscheme.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/fontcolor.png b/apps/spreadsheeteditor/main/resources/help/de/images/fontcolor.png index 1f3478e4e..f1263f839 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/fontcolor.png and b/apps/spreadsheeteditor/main/resources/help/de/images/fontcolor.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/fontfamily.png b/apps/spreadsheeteditor/main/resources/help/de/images/fontfamily.png index f5521a276..8b68acb6d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/fontfamily.png and b/apps/spreadsheeteditor/main/resources/help/de/images/fontfamily.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 7348a191f..f372695f2 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/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/de/images/interface/pluginstab.png index 51c4b201d..af89fc895 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/italic.png b/apps/spreadsheeteditor/main/resources/help/de/images/italic.png index 08fd67a4d..7d5e6d062 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/italic.png and b/apps/spreadsheeteditor/main/resources/help/de/images/italic.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/larger.png b/apps/spreadsheeteditor/main/resources/help/de/images/larger.png index 1a461a817..8c4befb6c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/larger.png and b/apps/spreadsheeteditor/main/resources/help/de/images/larger.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/smaller.png b/apps/spreadsheeteditor/main/resources/help/de/images/smaller.png index d24f79a22..a24525389 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/smaller.png and b/apps/spreadsheeteditor/main/resources/help/de/images/smaller.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/strike.png b/apps/spreadsheeteditor/main/resources/help/de/images/strike.png index d86505d51..742143a34 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/strike.png and b/apps/spreadsheeteditor/main/resources/help/de/images/strike.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/sub.png b/apps/spreadsheeteditor/main/resources/help/de/images/sub.png index 5fc959534..b99d9c1df 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/sub.png and b/apps/spreadsheeteditor/main/resources/help/de/images/sub.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/de/images/underline.png b/apps/spreadsheeteditor/main/resources/help/de/images/underline.png index 793ad5b94..4c82ff29b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/de/images/underline.png and b/apps/spreadsheeteditor/main/resources/help/de/images/underline.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 2e50979ce..66b321f53 100644 --- a/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/de/search/indexes.js @@ -2488,7 +2488,7 @@ var indexes = { "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. Sie können Daten neu organisieren, um nur die erforderlichen 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. Es 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 wird verwendet. Wenn Sie den Bereich ändern möchten (z.B., nur einen Teil der Datenquelle zu 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 dir Pivot-Tabelle aus. Die Option Neues Arbeitsblatt ist standardmäßig markiert. Die Pivot-Tabelle wird auf einer 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. Nach 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, ein gesonderter Filter wird 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 hinzugefü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 hinzugefü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 hinzufü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 den Kontextmenü zu öffnen. Der Menü hat die folgenden Optionen: Den ausgewählten Feld Nach oben, Nach unten, Zum Anfang, Zum Ende bewegen und verschieben, wenn es mehr als einen Feld gibt. Den ausgewählten Feld zum anderen Abschnitt bewegen: Zu Filter, Zu Zeilen, Zu Spalten, Zu Werten. Die Option, die dem aktiven Abschnitt entspricht, wird deaktiviert. Den ausgewählten 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 erstell 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. 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 leere 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, Anzahö, 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. 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 in klassischen Pivot-Tabellen-Format anzeigen: jede Spalte für jeden Feld, erstellte Räume für Feldüberschrifte. Die Zwischensummen sind nach oben angezeigt. In Tabellenformat anzeigen - die Pivot-Tabell als eine standarde Tabelle anzeigen: jede Spalte für jeden 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 leere Zeilen in der Drop-Down Liste Leere Zeilen aus: Nach jedem Element eine Leerzeile einfügen - fügen Sie die leere Zeilen nach Elementen ein. Leere Zeilen nach jedem Element entfernen - entfernen Sie die eingefügte 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 in dem Fenster für die erweiterte 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 im 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, die 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 verbundene 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. 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. 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 gemeinsame 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 entsprechende 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 auszuwä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 verwendete Daten für die Pivot-Tabelle. Prüfen Sie den Datenbereich und ändern Sie er 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 den 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, 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. Sie können Daten neu organisieren, um nur die erforderlichen 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. Es 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 wird verwendet. Wenn Sie den Bereich ändern möchten (z.B., nur einen Teil der Datenquelle zu 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 dir Pivot-Tabelle aus. Die Option Neues Arbeitsblatt ist standardmäßig markiert. Die Pivot-Tabelle wird auf einer 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. Nach 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, ein gesonderter Filter wird 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 hinzugefü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 hinzugefü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 hinzufü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 den Kontextmenü zu öffnen. Der Menü hat die folgenden Optionen: Den ausgewählten Feld Nach oben, Nach unten, Zum Anfang, Zum Ende bewegen und verschieben, wenn es mehr als einen Feld gibt. Den ausgewählten Feld zum anderen Abschnitt bewegen: Zu Filter, Zu Zeilen, Zu Spalten, Zu Werten. Die Option, die dem aktiven Abschnitt entspricht, wird deaktiviert. Den ausgewählten 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 erstell 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. 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 leere 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. 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 in klassischen Pivot-Tabellen-Format anzeigen: jede Spalte für jeden Feld, erstellte Räume für Feldüberschrifte. Die Zwischensummen sind nach oben angezeigt. In Tabellenformat anzeigen - die Pivot-Tabell als eine standarde Tabelle anzeigen: jede Spalte für jeden 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 leere Zeilen in der Drop-Down Liste Leere Zeilen aus: Nach jedem Element eine Leerzeile einfügen - fügen Sie die leere Zeilen nach Elementen ein. Leere Zeilen nach jedem Element entfernen - entfernen Sie die eingefügte 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 in dem Fenster für die erweiterte 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 im 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, die 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 verbundene 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. 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. 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 gemeinsame 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 entsprechende 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 auszuwä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 verwendete Daten für die Pivot-Tabelle. Prüfen Sie den Datenbereich und ändern Sie er 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 den 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, 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/RemoveDuplicates.htm", @@ -2508,7 +2508,7 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Tabellenansichten verwalten", - "body": "Im ONLYOFFICE Tabelleneditor können Sie den Tabellenansichten-Manager verwenden, um zwischen den benutzerdefinierten Tabellenansichten zu wechseln. Jetzt können Sie die erforderlichen Filter- und Sortierparameter als Ansichtsvoreinstellung speichern und zusammen mit Ihren Kollegen verwenden sowie mehrere Voreinstellungen erstellen und mühelos zwischen diesen wechseln. Wenn Sie an einer Tabelle zusammenarbeiten, erstellen Sie individuelle Ansichtsvoreinstellungen und arbeiten Sie weiter mit den Filtern und Sortierparametern, die Sie benötigen, ohne von anderen Co-Editoren gestört zu werden. Tabellenansicht erstellen Da eine Ansichtsvoreinstellung die benutzerdefinierte Filter- und Sortierparameter speichern soll, sollen Sie diese Parameter zuerst auf das Blatt anwenden. Weitere Informationen zum Filtern und Sortieren finden Sie in dieser Anleitung . Es gibt zwei Möglichkeiten, eine neue Voreinstellung für die Blattansicht zu erstellen. Sie können entweder die Registerkarte Tabellenansicht öffnen und da auf das Symbol Tabellenansicht klicken, die Option Ansichten-Manager aus dem Drop-Down-Menü auswählen, auf die Schaltfläche Neu im geöffneten Tabellenansichten-Manager klicken, den Namen der Ansicht eingeben, oder auf die Schaltfläche Neu klicken, die sich auf der Registerkarte Tabellenansicht in der oberen Symbolleiste befindet. Die Ansichtsvoreinstellung wird unter einem Standardnamen erstellt, d.h. “View1/2/3...”. Um den Namen zu ändern, öffnen Sie den Tabellenansichten-Manager, wählen Sie die gewünschte Voreinstellung aus und klicken Sie auf Umbenennen. Klicken Sie auf Zum Anzeigen, um die Ansichtsvoreinstellung zu aktivieren. Zwischen den Ansichtsvoreinstellungen wechseln Öffnen Sie dei Registerkarte Tabellenansicht und klicken Sie auf das Symbol Tabellenansicht. Wählen Sie die Option Ansichten-Manager aus dem Drop-Down-Menü aus. Im Feld Tabellenansichten wählen Sie die Ansichtsvoreinstellung aus, die Sie aktivieren möchten. Klicken Sie auf Zum Anzeigen, um zur ausgewählten Voreinstellung zu wechseln. Um die aktive Ansichtsvoreinstellung zu schließen, klicken Sie auf die Schaltfläche Schließen auf der Registerkarte Tabellenansicht in der oberen Symbolleiste. Ansichtsvoreinstellungen bearbeiten Öffnen Sie dei Registerkarte Tabellenansicht und klicken Sie auf das Symbol Tabellenansicht. Wählen Sie die Option Ansichten-Manager aus dem Drop-Down-Menü aus. Im Feld Tabellenansichten wählen Sie die Ansichtsvoreinstellung aus, die Sie bearbeiten möchten. Wählen Sie eine der Bearbeitungsoptionen aus: Umbenennen, um die ausgewählte Ansichtsvoreinstellung umzubenennen, Duplizieren, um eine Kopie der ausgewählten Ansichtsvoreinstellung zu erstellen, Löschen, um die ausgewählte Ansichtsvoreinstellung zu löschen. Klicken Sie auf Zum Anzeigen, um die ausgewählte Voreinstellung zu aktivieren." + "body": "Im ONLYOFFICE Tabelleneditor können Sie den Tabellenansichten-Manager verwenden, um zwischen den benutzerdefinierten Tabellenansichten zu wechseln. Jetzt können Sie die erforderlichen Filter- als Ansichtsvoreinstellung speichern und zusammen mit Ihren Kollegen verwenden sowie mehrere Voreinstellungen erstellen und mühelos zwischen diesen wechseln. Wenn Sie an einer Tabelle zusammenarbeiten, erstellen Sie individuelle Ansichtsvoreinstellungen und arbeiten Sie weiter mit den Filtern , die Sie benötigen, ohne von anderen Co-Editoren gestört zu werden. Tabellenansicht erstellen Da eine Ansichtsvoreinstellung die benutzerdefinierten Filterparameter speichern soll, sollen Sie diese Parameter zuerst auf das Blatt anwenden. Weitere Informationen zum Filtern finden Sie in dieser Anleitung . Es gibt zwei Möglichkeiten, eine neue Voreinstellung für die Blattansicht zu erstellen. Sie können entweder die Registerkarte Tabellenansicht öffnen und da auf das Symbol Tabellenansicht klicken, die Option Ansichten-Manager aus dem Drop-Down-Menü auswählen, auf die Schaltfläche Neu im geöffneten Tabellenansichten-Manager klicken, den Namen der Ansicht eingeben, oder auf die Schaltfläche Neu klicken, die sich auf der Registerkarte Tabellenansicht in der oberen Symbolleiste befindet. Die Ansichtsvoreinstellung wird unter einem Standardnamen erstellt, d.h. “View1/2/3...”. Um den Namen zu ändern, öffnen Sie den Tabellenansichten-Manager, wählen Sie die gewünschte Voreinstellung aus und klicken Sie auf Umbenennen. Klicken Sie auf Zum Anzeigen, um die Ansichtsvoreinstellung zu aktivieren. Zwischen den Ansichtsvoreinstellungen wechseln Öffnen Sie dei Registerkarte Tabellenansicht und klicken Sie auf das Symbol Tabellenansicht. Wählen Sie die Option Ansichten-Manager aus dem Drop-Down-Menü aus. Im Feld Tabellenansichten wählen Sie die Ansichtsvoreinstellung aus, die Sie aktivieren möchten. Klicken Sie auf Zum Anzeigen, um zur ausgewählten Voreinstellung zu wechseln. Um die aktive Ansichtsvoreinstellung zu schließen, klicken Sie auf die Schaltfläche Schließen auf der Registerkarte Tabellenansicht in der oberen Symbolleiste. Ansichtsvoreinstellungen bearbeiten Öffnen Sie dei Registerkarte Tabellenansicht und klicken Sie auf das Symbol Tabellenansicht. Wählen Sie die Option Ansichten-Manager aus dem Drop-Down-Menü aus. Im Feld Tabellenansichten wählen Sie die Ansichtsvoreinstellung aus, die Sie bearbeiten möchten. Wählen Sie eine der Bearbeitungsoptionen aus: Umbenennen, um die ausgewählte Ansichtsvoreinstellung umzubenennen, Duplizieren, um eine Kopie der ausgewählten Ansichtsvoreinstellung zu erstellen, Löschen, um die ausgewählte Ansichtsvoreinstellung zu löschen. Klicken Sie auf Zum Anzeigen, um die ausgewählte Voreinstellung zu aktivieren." }, { "id": "UsageInstructions/Slicers.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/en/Contents.json b/apps/spreadsheeteditor/main/resources/help/en/Contents.json index 791d52635..a91156f11 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/en/Contents.json @@ -25,11 +25,12 @@ {"src": "UsageInstructions/InsertDeleteCells.htm", "name": "Manage cells, rows, and columns", "headername": "Editing rows/columns" }, { "src": "UsageInstructions/SortData.htm", "name": "Sort and filter data" }, { "src": "UsageInstructions/FormattedTables.htm", "name": "Use formatted tables" }, - {"src": "UsageInstructions/Slicers.htm", "name": "Create slicers for formatted tables" }, { "src": "UsageInstructions/PivotTables.htm", "name": "Create and edit pivot tables" }, + {"src": "UsageInstructions/Slicers.htm", "name": "Create slicers for tables" }, { "src": "UsageInstructions/GroupData.htm", "name": "Group data" }, { "src": "UsageInstructions/RemoveDuplicates.htm", "name": "Remove duplicates" }, {"src": "UsageInstructions/ConditionalFormatting.htm", "name": "Conditional Formatting" }, + {"src": "UsageInstructions/DataValidation.htm", "name": "Data validation" }, {"src": "UsageInstructions/InsertFunction.htm", "name": "Insert function", "headername": "Work with functions"}, {"src": "UsageInstructions/UseNamedRanges.htm", "name": "Use named ranges"}, {"src": "UsageInstructions/InsertImages.htm", "name": "Insert images", "headername": "Operations on objects"}, diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/growth.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/growth.htm new file mode 100644 index 000000000..38701c436 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/growth.htm @@ -0,0 +1,43 @@ + + + + GROWTH Function + + + + + + + +
        +
        + +
        +

        GROWTH Function

        +

        The GROWTH function is one of the statistical functions. It is used to calculate predicted exponential growth by using existing data.

        +

        The GROWTH function syntax is:

        +

        GROWTH(known_y’s, [known_x’s], [new_x’s], [const])

        +

        where

        +

        known_y’s is the set of y-values you already know in the y = b*m^x equation.

        +

        known_x’s is the optional set of x-values you might know in the y = b*m^x equation.

        +

        new_x’s is the optional set of x-values you want y-values to be returned to.

        +

        const is an optional argument. It is a TRUE or FALSE value where TRUE or lack of the argument forces b to be calculated normally and FALSE sets b to 1 in the y = b*m^x equation.

        + +

        To apply the GROWTH function,

        +
          +
        1. select the cell where you wish to display the result,
        2. +
        3. + click the Insert function Insert function icon icon situated at the top toolbar, +
          or right-click within a selected cell and select the Insert Function option from the menu, +
          or click the Function icon icon situated at the formula bar, +
        4. +
        5. select the Statistical function group from the list,
        6. +
        7. click the GROWTH function,
        8. +
        9. enter the required argument,
        10. +
        11. press the Enter button.
        12. +
        +

        The result will be displayed in the selected cell.

        +

        GROWTH Function

        +
        + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/logest.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/logest.htm new file mode 100644 index 000000000..de1ad7f31 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/logest.htm @@ -0,0 +1,43 @@ + + + + LOGEST Function + + + + + + + +
        +
        + +
        +

        LOGEST Function

        +

        The LOGEST function is one of the statistical functions. It is used to calculate an exponential curve that fits the data and returns an array of values that describes the curve.

        +

        The LOGEST function syntax is:

        +

        LOGEST(known_y’s, [known_x’s], [const], [stats])

        +

        where

        +

        known_y’s is the set of y-values you already know in the y = b*m^x equation.

        +

        known_x’s is the optional set of x-values you might know in the y = b*m^x equation.

        +

        const is an optional argument. It is a TRUE or FALSE value where TRUE or lack of the argument forces b to be calculated normally and FALSE sets b to 1 in the y = b*m^x equation and m-values correspond with the y = m^x equation.

        +

        stats is an optional argument. It is a TRUE or FALSE value that sets whether additional regression statistics should be returned.

        + +

        To apply the LOGEST function,

        +
          +
        1. select the cell where you wish to display the result,
        2. +
        3. + click the Insert function Insert function icon icon situated at the top toolbar, +
          or right-click within a selected cell and select the Insert Function option from the menu, +
          or click the Function icon icon situated at the formula bar, +
        4. +
        5. select the Statistical function group from the list,
        6. +
        7. click the LOGEST function,
        8. +
        9. enter the required argument,
        10. +
        11. press the Enter button.
        12. +
        +

        The result will be displayed in the selected cell.

        +

        LOGEST Function

        +
        + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/trend.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/trend.htm new file mode 100644 index 000000000..0f46e0ee6 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/trend.htm @@ -0,0 +1,44 @@ + + + + TREND Function + + + + + + + +
        +
        + +
        +

        TREND Function

        +

        The TREND function is one of the statistical functions. It is used to calculate a linear trend line and returns values along it using the method of least squares.

        +

        The TREND function syntax is:

        +

        TREND(known_y’s, [known_x’s], [new_x’s], [const])

        +

        where

        +

        known_y’s is the set of y-values you already know in the y = mx + b equation.

        +

        known_x’s is the optional set of x-values you might know in the y = mx + b equation.

        +

        new_x’s is the optional set of x-values you want y-values to be returned to.

        +

        const is an optional argument. It is a TRUE or FALSE value where TRUE or lack of the argument forces b to be calculated normally and FALSE sets b to 0 in the y = mx + b equation and m-values correspond with the y = mx equation. +

        + +

        To apply the TREND function,

        +
          +
        1. select the cell where you wish to display the result,
        2. +
        3. + click the Insert function Insert function icon icon situated at the top toolbar, +
          or right-click within a selected cell and select the Insert Function option from the menu, +
          or click the Function icon icon situated at the formula bar, +
        4. +
        5. select the Statistical function group from the list,
        6. +
        7. click the TREND function,
        8. +
        9. enter the required argument,
        10. +
        11. press the Enter button.
        12. +
        +

        The result will be displayed in the selected cell.

        +

        TREND Function

        +
        + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/Functions/unique.htm b/apps/spreadsheeteditor/main/resources/help/en/Functions/unique.htm new file mode 100644 index 000000000..b7209923e --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/Functions/unique.htm @@ -0,0 +1,43 @@ + + + + UNIQUE Function + + + + + + + +
        +
        + +
        +

        UNIQUE Function

        +

        The UNIQUE function is one of the reference functions. It is used to return a list of unique values from the specified range.

        +

        The UNIQUE function syntax is:

        +

        UNIQUE(array,[by_col],[exactly_once])

        +

        where

        +

        array is the range from which to extract unique values.

        +

        by_col is the optional TRUE or FALSE value indicating the method of comparison: TRUE for columns and FALSE for rows.

        +

        exactly_once is the optional TRUE or FALSE value indicating the returning method: TRUE for values occurring once and FALSE for all unique values.

        + +

        To apply the UNIQUE function,

        +
          +
        1. select the cell where you wish to display the result,
        2. +
        3. + click the Insert function Insert function icon icon situated at the top toolbar, +
          or right-click within a selected cell and select the Insert Function option from the menu, +
          or click the Function icon icon situated at the formula bar, +
        4. +
        5. select the Look up and reference function group from the list,
        6. +
        7. click the UNIQUE function,
        8. +
        9. enter the required argument,
        10. +
        11. press the Enter button.
        12. +
        +

        The result will be displayed in the selected cell.

        +

        To return a range of values, select a required range of cells, enter the formula, and press the Ctrl+Shift+Enter key combination.

        +

        UNIQUE Function

        +
        + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm index b33a9f3aa..8ac7dd762 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/HelpfulHints/KeyboardShortcuts.htm @@ -98,8 +98,8 @@
    - - + + @@ -213,6 +213,12 @@ + + + + + + diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/DataTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/DataTab.htm index 5f0f04d43..70df7899f 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/DataTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/DataTab.htm @@ -28,7 +28,8 @@
  • sort and filter data,
  • convert text to columns,
  • remove duplicates from a data range,
  • -
  • group and ungroup data.
  • +
  • group and ungroup data,
  • +
  • set data validation parameters.
  • diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm index fec0eabbf..881909a86 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/PluginsTab.htm @@ -31,7 +31,9 @@
  • Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color,
  • Photo Editor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc.,
  • Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one,
  • -
  • Translator allows to translate the selected text into other languages,
  • +
  • Translator allows to translate the selected text into other languages, +

    Note: this plugin doesn't work in Internet Explorer.

    +
  • YouTube allows to embed YouTube videos into your spreadsheet.
  • To learn more about plugins please refer to our API Documentation. All the existing open-source plugin examples are currently available on GitHub.

    diff --git a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm index e4ddcd6ce..bf53ffa37 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/ProgramInterface/ProgramInterface.htm @@ -37,7 +37,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, Plugins. +
  • 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 icon Copy and Paste icon 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.
  • diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ChangeNumberFormat.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ChangeNumberFormat.htm index 1d4a1ddd6..703bb9186 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ChangeNumberFormat.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/ChangeNumberFormat.htm @@ -38,7 +38,15 @@
  • Fraction - is used to display the numbers as common fractions rather than decimals.
  • Text - is used to display the numeric values as a plain text with as much precision as possible.
  • -
  • More formats - is used to customize the already applied number formats specifying additional parameters (see the description below).
  • +
  • More formats - is used to create a custom number format or to customize the already applied number formats specifying additional parameters (see the description below).
  • +
  • Custom - is used to create a custom format: +
      +
    • select a cell, a range of cells, or the whole worksheet for values you want to format,
    • +
    • choose the Custom option from the More formats menu,
    • +
    • enter the required codes and check the result in the preview area or choose one of the templates and/or combine them. If you want to create a format based on the existing one, first apply the existing format and then edit the codes to your preference,
    • +
    • click OK.
    • +
    +
  • change the number of decimal places if needed: @@ -61,7 +69,7 @@

    Number Format window

    • for the Number format, you can set the number of Decimal points, specify if you want to Use 1000 separator or not and choose one of the available Formats for displaying negative values.
    • -
    • for the Scientific and Persentage formats, you can set the number of Decimal points.
    • +
    • for the Scientific and Percentage formats, you can set the number of Decimal points.
    • for the Accounting and Currency formats, you can set the number of Decimal points, choose one of the available currency Symbols and one of the available Formats for displaying negative values.
    • for the Date format, you can select one of the available date formats: 4/15, 4/15/06, 04/15/06, 4/15/2006, 4/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, 15/Apr, 15/Apr/06, Apr/06, April/06, A/06, 06/Apr, 15/Apr/2006, 2006/Apr/15, 06/Apr/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.
    • for the Time format, you can select one of the available time formats: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57.6, 36:48:58.
    • diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/DataValidation.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/DataValidation.htm new file mode 100644 index 000000000..708e62f6c --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/DataValidation.htm @@ -0,0 +1,166 @@ + + + + Data validation + + + + + + + +
      +
      + +
      +

      Data validation

      +

      The ONLYOFFICE Spreadsheet Editor offers a data validation feature that controls the parameters of the information entered in cells by users.

      +

      To access the data validation feature, choose a cell, a range of cells, or a whole spreadsheet you want to apply the feature to, open the Data tab, and click the Data Validation icon on the top toolbar. The opened Data Validation window contains three tabs: Settings, Input Message, and Error Alert.

      +

      Settings

      +

      The Settings section allows you to specify the type of data that can be entered:

      +

      Note: Check the Apply these changes to all other cells with the same settings box to use the same settings to the selected range of cells or a whole worksheet.

      +

      Data validation - settings window

      +
        +
      • + choose the required option in the Allow menu: +
          +
        • Any value: no limitations on information type.
        • +
        • Whole number: only whole numbers are allowed.
        • +
        • Decimal: only numbers with a decimal point are allowed.
        • +
        • + List: only options from the drop-down list you created are allowed. Uncheck the Show drop-down list in cell box to hide the drop-down arrow. +

          List - settings

          +
        • +
        • Date: only cells with the date format are allowed.
        • +
        • Time: only cells with the time format are allowed.
        • +
        • Text length: sets the characters limit.
        • +
        • Other: sets the desired validation parameter given as a formula.
        • +
        +

        Note: Check the Apply these changes to all other cells with the same settings box to use the same settings to the selected range of cells or a whole worksheet.

        +
      • +
      • + specify a validation condition in the Data menu: +
          +
        • between: the data in cells should be within the range set by the validation rule.
        • +
        • not between: the data in cells should not be within the range set by the validation rule.
        • +
        • equals: the data in cells should be equal to the value set by the validation rule.
        • +
        • does not equal: the data in cells should not be equal to the value set by the validation rule.
        • +
        • greater than: the data in cells should exceed the values set by the validation rule.
        • +
        • less than: the data in cells should be less than the values set by the validation rule.
        • +
        • greater than or equal to: the data in cells should exceed or be equal to the value set by the validation rule.
        • +
        • less than or equal to: the data in cells should be less than or equal to the value set by the validation rule.
        • +
        +
      • +
      • + create a validation rule depending on the allowed information type: +
        +
  • SchriftartSchriftartSchriftartSchriftart 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.
    Close file (Desktop Editors)Ctrl+W,
    Ctrl+F4
    ^ Ctrl+W,
    ⌘ Cmd+W
    Tab/Shift+Tab↹ Tab/⇧ Shift+↹ Tab Close the current spreadsheet window in the Desktop Editors.
    ^ Ctrl+-,
    ⌘ Cmd+-
    Zoom out the currently edited spreadsheet.
    Navigate between controls in modal dialoguesTab/Shift+Tab↹ Tab/⇧ Shift+↹ TabNavigate between controls to give focus to the next or previous control in modal dialogues.
    Data Selection
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    Validation conditionValidation ruleDescriptionAvailability
    Between / not betweenMinimum / MaximumSets the value rangeWhole number / Decimal / Text length
    Start date / End dateSets the date rangeDate
    Start time / End timeSets the time periodTime


    Equals / does not equal
    Compare toSets the value for comparisonWhole number / Decimal
    DateSets the date for comparisonDate
    Elapsed timeSets the time for comparisonTime
    LengthSets the text length value for comparisonText length
    Greater than / greater than or equal toMinimumSets the lower limitWhole number / Decimal / Text length
    Start dateSets the starting dateDate
    Start timeSets the starting timeTime
    Less than / less than or equal toMaximum Sets the higher limitWhole number / Decimal / Text length
    End dateSets the ending dateDate
    End timeSets the ending timeTime
    +
    + As well as: +
      +
    • Source: provides the source of information for the List information type.
    • +
    • Formula: enter the required formula to create a custom validation rule for the Other information type.
    • +
    + + +

    Input Message

    +

    The Input Message section allows you to create a customized message displayed when a user hovers their mouse pointer over the cell.

    +

    Data validation - input message settings

    +
      +
    • Specify the Title and the body of your Input Message.
    • +
    • Uncheck the Show input message when cell is selected to disable the display of the message. Leave it to display the message.
    • +
    +

    Input message - example

    +

    Error Alert

    +

    The Error Alert section allows you to specify the message displayed when the data given by users does not meet the validation rules.

    +

    Data validation - error alert settings

    +
      +
    • Style: choose one of the available presets, Stop, Alert, or Message.
    • +
    • Title: specify the title of the alert message.
    • +
    • Error Message: enter the text of the alert message.
    • +
    • Uncheck the Show error alert after invalid data is entered box to disable the display of the alert message.
    • +
    +

    Error alert - example

    +
    + + \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm index b12d79e10..809038582 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FontTypeSizeStyle.htm @@ -25,7 +25,7 @@ Font size Font size - Used to select the preset font size values from the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value in the font size field and then press Enter. + Used to select the preset font size values from the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value up to 409 pt in the font size field. Press Enter to confirm. Increment font size diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FormattedTables.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FormattedTables.htm index e30bb8464..2e1098f58 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FormattedTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/FormattedTables.htm @@ -27,9 +27,9 @@

    The template will be applied to the selected range of cells, and you will be able to edit the table headers and apply the filter to work with your data.

    It's also possible to insert a formatted table using the Table button on the Insert tab. In this case, the default table template is applied.

    Note: once you create a new formatted table, the default name (Table1, Table2, etc.) will be automatically assigned to the table. You can change this name making it more meaningful and use it for further work.

    -

    If you enter a new value in the cell below the last row of the table (if the table does not have the Total row) or in the cell to the right of the last column of the table, the formatted table will be automatically extended to include a new row or column. If you do not want to expand the table, click the Paste special button that will appear and select the Undo table autoexpansion option. Once you undo this action, the Redo table autoexpansion option will be available in this menu.

    +

    If you enter a new value in the cell below the last row of the table (if the table does not have the Total row) or in the cell to the right of the last column of the table, the formatted table will be automatically extended to include a new row or column. If you do not want to expand the table, click the Paste special button that will appear and select the Undo table autoexpansion option. Once you undo this action, the Redo table autoexpansion option will be available in this menu.

    Undo table autoexpansion

    -

    Note: To enable/disable table auto-expansion, go to Advanced Settings -> Spell Checking -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

    +

    Note: To enable/disable table auto-expansion, select the Stop automatically expanding tables option in the Paste special button menu or go to Advanced Settings -> Spell Checking -> Proofing -> AutoCorrect Options -> AutoFormat As You Type.

    Select rows and columns

    To select an entire row in the formatted table, move the mouse cursor over the left border of the table row until it turns into the black arrow Select row, then left-click.

    Select row

    diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm index 88599862c..ea6fda9d1 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/InsertFunction.htm @@ -95,7 +95,7 @@ Statistical Functions Used to analyze data: finding the average value, the largest or smallest values in a cell range. - AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BETAINV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LINEST; LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST + AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BETAINV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; GROWTH; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LINEST; LOGEST, LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TREND, TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST Math and Trigonometry Functions @@ -125,7 +125,7 @@ Lookup and Reference Functions Used to easily find information from the data list. - ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; HYPERLINLK; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; VLOOKUP + ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; HYPERLINLK; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; UNIQUE; VLOOKUP Information Functions diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm index b7b7c4f4a..7599ea6ab 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/PivotTables.htm @@ -112,7 +112,7 @@
    • 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.
    • +
    • 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.

    Change the appearance of pivot tables

    @@ -180,7 +180,7 @@ 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 and sort pivot tables

    +

    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 Drop-Down Arrow in the Row Labels or Column Labels of the pivot table. The Filter option list will open:

    @@ -216,7 +216,7 @@

    Value Filter window

    If you choose the Top 10 option from the Value filter option list, a new window will open:

    Top 10 AutoFilter window

    -

    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 or Percent. The fourth drop-down list displays the selected field name. Once the necessary parameters are set, click OK to apply the filter.

    +

    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 Filter button button will appear in the Row Labels or Column Labels of the pivot table. It means that the filter is applied.

    @@ -225,6 +225,9 @@

    You can sort your pivot table data using the sort options. Click the drop-down arrow 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.

    Pivot table sort options

    + +

    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:

    diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SheetView.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SheetView.htm index 89182425c..56ecf8287 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SheetView.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/SheetView.htm @@ -15,9 +15,10 @@

    Manage sheet view presets

    -

    The ONLYOFFICE Spreadsheet Editor offers a sheet view manager for view presets that are based on the applied filters. Now you can save the required filtering and sorting parameters as a view preset and use it afterwards together with your colleagues as well as create several presets and switch among them effortlessly. If you are collaborating on a spreadsheet, create individual view presets and continue working with the filters and sorting parameters you need without being disrupted by other co-editors.

    +

    Note: this feature is available in the paid version only starting from ONLYOFFICE Docs v. 6.1. To enable this feature in the desktop version, refer to this article.

    +

    The ONLYOFFICE Spreadsheet Editor offers a sheet view manager for view presets that are based on the applied filters. Now you can save the required filtering parameters as a view preset and use it afterwards together with your colleagues as well as create several presets and switch among them effortlessly. If you are collaborating on a spreadsheet, create individual view presets and continue working with the filters you need without being disrupted by other co-editors.

    Creating a new sheet view preset

    -

    Since a view preset is designed to save customized filtering and sorting parameters, first you need to apply the said parameters to the sheet. To learn more about filtering and sorting, please refer to this page.

    +

    Since a view preset is designed to save customized filtering parameters, first you need to apply the said parameters to the sheet. To learn more about filtering, please refer to this page.

    There are two ways to create a new sheet view preset. You can either

    • go to the View tab and click the Sheet View iconSheet View icon,
    • diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Slicers.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Slicers.htm index 6c8895463..db620e789 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Slicers.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Slicers.htm @@ -1,9 +1,9 @@  - Create slicers for formatted tables + Create slicers for tables - + @@ -13,11 +13,11 @@
      -

      Create slicers for formatted tables

      +

      Create slicers for tables

      Create a new slicer

      -

      Once you create a new formatted table, you can create slicers to quickly filter the data. To do that,

      +

      Once you create a new formatted table or a pivot table, you can create slicers to quickly filter the data. To do that,

        -
      1. select at least one cell within the formatted table with the mouse and click the Table settings Table settings icon icon on the right.
      2. +
      3. select at least one cell within the table with the mouse and click the Table settings Table settings icon icon on the right.
      4. click the Insert slicer Insert slicer option on the Table settings tab of the right sidebar. Alternatively, you can switch to the Insert tab of the top toolbar and click the Insert slicer Slicer button. The Insert Slicers window will be opened:

        Insert Slicers

      5. @@ -26,7 +26,7 @@

      A slicer will be added for each of the selected columns. If you add several slicers, they will overlap each other. Once the slicer is added, you can change its size and position as well as its settings.

      Slicer

      -

      A slicer contains buttons that you can click to filter the formatted table. The buttons corresponding to empty cells are marked with the (blank) label. When you click a slicer button, other buttons will be unselected, and the corresponding column in the source table will be filtered to only display the selected item:

      +

      A slicer contains buttons that you can click to filter the table. The buttons corresponding to empty cells are marked with the (blank) label. When you click a slicer button, other buttons will be unselected, and the corresponding column in the source table will be filtered to only display the selected item:

      Slicer

      If you have added several slicers, the changes made in one slicer can affect the items from another slicer. When one or more filters are applied to a slicer, items with no data can appear in a different slicer (with a lighter color):

      Slicer - items with no data

      diff --git a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Translator.htm b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Translator.htm index 22d90ae67..b5fd0d78c 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Translator.htm +++ b/apps/spreadsheeteditor/main/resources/help/en/UsageInstructions/Translator.htm @@ -18,21 +18,16 @@
      1. Select the text that you want to translate.
      2. Switch to the Plugins tab and choose Translator plugin icon Translator, the Translator appears in a sidebar on the left.
      3. +
      4. Click the drop-down box and choose the preferred language.
      -

      The language of the selected text will be automatically detected and the text will be translated to the default language.

      +

      The text will be translated to the required language.

      Translator plugin gif

      Changing the language of your result:

        -
      1. Click the lower drop-down box and choose the preferred language.
      2. -
      -

      The translation will change immediately.

      - -

      Wrong detection of the source language

      -

      If the automatic detection is not correct, you can overrule it:

      -
        -
      1. Click the upper drop-down box and choose the preferred language.
      2. +
      3. Click the drop-down box and choose the preferred language.
      +

      The translation will change immediately.

    \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/en/editor.css b/apps/spreadsheeteditor/main/resources/help/en/editor.css index 7a743ebc1..108b9b531 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/en/editor.css @@ -10,7 +10,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/dataval_erroralert.png b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_erroralert.png new file mode 100644 index 000000000..44af72ce8 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_erroralert.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/dataval_erroralert_example.png b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_erroralert_example.png new file mode 100644 index 000000000..f5bbea68f Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_erroralert_example.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/dataval_inputmessage.png b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_inputmessage.png new file mode 100644 index 000000000..72ab8c8fa Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_inputmessage.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/dataval_inputmessage_example.png b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_inputmessage_example.png new file mode 100644 index 000000000..f6a62efb2 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_inputmessage_example.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/dataval_list.png b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_list.png new file mode 100644 index 000000000..3e196dad7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_list.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/dataval_settings.png b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_settings.png new file mode 100644 index 000000000..efc8d028e Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/dataval_settings.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/freezepanes_popup.png b/apps/spreadsheeteditor/main/resources/help/en/images/freezepanes_popup.png index 0c7803c95..c295c79af 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/freezepanes_popup.png and b/apps/spreadsheeteditor/main/resources/help/en/images/freezepanes_popup.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/growth.png b/apps/spreadsheeteditor/main/resources/help/en/images/growth.png new file mode 100644 index 000000000..d96d269c7 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/growth.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 807a35c34..80e461cfe 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_datatab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_datatab.png index 04728f535..4f2f6485d 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_pivottabletab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_pivottabletab.png index b341e96c2..da89f16b1 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 bfb903a3d..b6510d050 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_viewtab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/desktop_viewtab.png index ef184d3a4..a59210719 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/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/pluginstab.png index d7564fcb9..605e9ab99 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/viewtab.png b/apps/spreadsheeteditor/main/resources/help/en/images/interface/viewtab.png index 513f9c362..16f992151 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/logest.png b/apps/spreadsheeteditor/main/resources/help/en/images/logest.png new file mode 100644 index 000000000..c482f13d2 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/logest.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/translator.png b/apps/spreadsheeteditor/main/resources/help/en/images/translator.png index 0ac2eeeba..01e39d4b4 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/translator.png and b/apps/spreadsheeteditor/main/resources/help/en/images/translator.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/translator_plugin.gif b/apps/spreadsheeteditor/main/resources/help/en/images/translator_plugin.gif index 70f615318..36bd5ae2e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/translator_plugin.gif and b/apps/spreadsheeteditor/main/resources/help/en/images/translator_plugin.gif differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/trend.png b/apps/spreadsheeteditor/main/resources/help/en/images/trend.png new file mode 100644 index 000000000..fd4aabaab Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/trend.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/undoautoexpansion.png b/apps/spreadsheeteditor/main/resources/help/en/images/undoautoexpansion.png index 2ff86f803..fff529e56 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/en/images/undoautoexpansion.png and b/apps/spreadsheeteditor/main/resources/help/en/images/undoautoexpansion.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/en/images/unique.png b/apps/spreadsheeteditor/main/resources/help/en/images/unique.png new file mode 100644 index 000000000..ad469bd18 Binary files /dev/null and b/apps/spreadsheeteditor/main/resources/help/en/images/unique.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 ab17275dd..c92d7de43 100644 --- a/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/en/search/indexes.js @@ -915,6 +915,11 @@ var indexes = "title": "GESTEP Function", "body": "The GESTEP function is one of the engineering functions. It is used to test if a number is greater than a threshold value. The function returns 1 if the number is greater than or equal to the threshold value and 0 otherwise. The GESTEP function syntax is: GESTEP(number [, step]) where number is a number to compare with step. step is a threshold value. It is an optional argument. If it is omitted, the function will assume step to be 0. The numeric values can be entered manually or included into the cell you make reference to. To apply the GESTEP function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Engineering function group from the list, click the GESTEP function, enter the required arguments separating them by commas, press the Enter button. The result will be displayed in the selected cell." }, + { + "id": "Functions/growth.htm", + "title": "GROWTH Function", + "body": "The GROWTH function is one of the statistical functions. It is used to calculate predicted exponential growth by using existing data. The GROWTH function syntax is: GROWTH(known_y’s, [known_x’s], [new_x’s], [const]) where known_y’s is the set of y-values you already know in the y = b*m^x equation. known_x’s is the optional set of x-values you might know in the y = b*m^x equation. new_x’s is the optional set of x-values you want y-values to be returned to. const is an optional argument. It is a TRUE or FALSE value where TRUE or lack of the argument forces b to be calculated normally and FALSE sets b to 1 in the y = b*m^x equation. To apply the GROWTH function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Statistical function group from the list, click the GROWTH function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." + }, { "id": "Functions/harmean.htm", "title": "HARMEAN Function", @@ -1270,6 +1275,11 @@ var indexes = "title": "LOG10 Function", "body": "The LOG10 function is one of the math and trigonometry functions. It is used to return the logarithm of a number to a base of 10. The LOG10 function syntax is: LOG10(x) where x is a numeric value greater than 0 entered manually or included into the cell you make reference to. To apply the LOG10 function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Math and trigonometry function group from the list, click the LOG10 function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." }, + { + "id": "Functions/logest.htm", + "title": "LOGEST Function", + "body": "The LOGEST function is one of the statistical functions. It is used to calculate an exponential curve that fits the data and returns an array of values that describes the curve. The LOGEST function syntax is: LOGEST(known_y’s, [known_x’s], [const], [stats]) where known_y’s is the set of y-values you already know in the y = b*m^x equation. known_x’s is the optional set of x-values you might know in the y = b*m^x equation. const is an optional argument. It is a TRUE or FALSE value where TRUE or lack of the argument forces b to be calculated normally and FALSE sets b to 1 in the y = b*m^x equation and m-values correspond with the y = m^x equation. stats is an optional argument. It is a TRUE or FALSE value that sets whether additional regression statistics should be returned. To apply the LOGEST function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Statistical function group from the list, click the LOGEST function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." + }, { "id": "Functions/loginv.htm", "title": "LOGINV Function", @@ -2100,6 +2110,11 @@ var indexes = "title": "TRANSPOSE Function", "body": "The TRANSPOSE function is one of the lookup and reference functions. It is used to return the first element of an array. The TRANSPOSE function syntax is: TRANSPOSE(array) where array is a reference to a range of cells. To apply the TRANSPOSE function, select a cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Lookup and Reference function group from the list, click the TRANSPOSE function, select a range of cells with the mouse or enter it manually, like this A1:B2, press the Enter key. The result will be displayed in the selected range of cells." }, + { + "id": "Functions/trend.htm", + "title": "TREND Function", + "body": "The TREND function is one of the statistical functions. It is used to calculate a linear trend line and returns values along it using the method of least squares. The TREND function syntax is: TREND(known_y’s, [known_x’s], [new_x’s], [const]) where known_y’s is the set of y-values you already know in the y = mx + b equation. known_x’s is the optional set of x-values you might know in the y = mx + b equation. new_x’s is the optional set of x-values you want y-values to be returned to. const is an optional argument. It is a TRUE or FALSE value where TRUE or lack of the argument forces b to be calculated normally and FALSE sets b to 0 in the y = mx + b equation and m-values correspond with the y = mx equation. To apply the TREND function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Statistical function group from the list, click the TREND function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." + }, { "id": "Functions/trim.htm", "title": "TRIM Function", @@ -2140,6 +2155,11 @@ var indexes = "title": "UNICODE Function", "body": "The UNICODE function is one of the text and data functions. Is used to return the number (code point) corresponding to the first character of the text. The UNICODE function syntax is: UNICODE(text) where text is the text string beginning with the character you want to get the Unicode value for. It can be entered manually or included into the cell you make reference to. To apply the UNICODE function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Text and data function group from the list, click the UNICODE function, enter the required argument, press the Enter button. The result will be displayed in the selected cell." }, + { + "id": "Functions/unique.htm", + "title": "UNIQUE Function", + "body": "The UNIQUE function is one of the reference functions. It is used to return a list of unique values from the specified range. The UNIQUE function syntax is: UNIQUE(array,[by_col],[exactly_once]) where array is the range from which to extract unique values. by_col is the optional TRUE or FALSE value indicating the method of comparison: TRUE for columns and FALSE for rows. exactly_once is the optional TRUE or FALSE value indicating the returning method: TRUE for values occurring once and FALSE for all unique values. To apply the UNIQUE function, select the cell where you wish to display the result, click the Insert function icon situated at the top toolbar, or right-click within a selected cell and select the Insert Function option from the menu, or click the icon situated at the formula bar, select the Look up and reference function group from the list, click the UNIQUE function, enter the required argument, press the Enter button. The result will be displayed in the selected cell. To return a range of values, select a required range of cells, enter the formula, and press the Ctrl+Shift+Enter key combination." + }, { "id": "Functions/upper.htm", "title": "UPPER Function", @@ -2288,7 +2308,7 @@ var indexes = { "id": "HelpfulHints/KeyboardShortcuts.htm", "title": "Keyboard Shortcuts", - "body": "Windows/LinuxMac OS Working with Spreadsheet Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current spreadsheet, view its info, create a new spreadsheet or open an existing one, access 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) Ctrl+W, Ctrl+F4 ^ Ctrl+W, ⌘ Cmd+W 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%. Navigation Move one cell up, down, left, or right ← → ↑ ↓ ← → ↑ ↓ Outline a cell above/below the currently selected one or to the left/to the right of it. Jump to the edge of the current data region Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Outline a cell at the edge of the current data region in a worksheet. Jump to the beginning of the row Home Home Outline a cell in the column A of the current row. Jump to the beginning of the spreadsheet Ctrl+Home ^ Ctrl+Home Outline the cell A1. Jump to the end of the row End, Ctrl+→ End, ⌘ Cmd+→ Outline the last cell of the current row. Jump to the end of the spreadsheet Ctrl+End ^ Ctrl+End Outline the lower right used cell 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. Zoom In Ctrl++ ^ Ctrl+=, ⌘ Cmd+= Zoom in the currently edited spreadsheet. Zoom Out Ctrl+- ^ Ctrl+-, ⌘ Cmd+- Zoom out the currently edited spreadsheet. Data Selection Select all Ctrl+A, Ctrl+⇧ Shift+␣ Spacebar ⌘ Cmd+A Select the entire worksheet. Select column Ctrl+␣ Spacebar ^ Ctrl+␣ Spacebar Select an entire column in a worksheet. Select row ⇧ Shift+␣ Spacebar ⇧ Shift+␣ Spacebar Select an entire row in a worksheet. Select fragment ⇧ Shift+→ ← ⇧ Shift+→ ← Select 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. 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": "Windows/LinuxMac OS Working with Spreadsheet Open 'File' panel Alt+F ⌥ Option+F Open the File panel to save, download, print the current spreadsheet, view its info, create a new spreadsheet or open an existing one, access 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%. Navigation Move one cell up, down, left, or right ← → ↑ ↓ ← → ↑ ↓ Outline a cell above/below the currently selected one or to the left/to the right of it. Jump to the edge of the current data region Ctrl+← → ↑ ↓ ⌘ Cmd+← → ↑ ↓ Outline a cell at the edge of the current data region in a worksheet. Jump to the beginning of the row Home Home Outline a cell in the column A of the current row. Jump to the beginning of the spreadsheet Ctrl+Home ^ Ctrl+Home Outline the cell A1. Jump to the end of the row End, Ctrl+→ End, ⌘ Cmd+→ Outline the last cell of the current row. Jump to the end of the spreadsheet Ctrl+End ^ Ctrl+End Outline the lower right used cell 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. 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. 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", @@ -2323,7 +2343,7 @@ var indexes = { "id": "ProgramInterface/DataTab.htm", "title": "Data tab", - "body": "The Data tab allows to managing data in a sheet. The corresponding window of the Online Spreadsheet Editor: The corresponding window of the Desktop Spreadsheet Editor: Using this tab, you can: sort and filter data, convert text to columns, remove duplicates from a data range, group and ungroup data." + "body": "The Data tab allows to managing data in a sheet. The corresponding window of the Online Spreadsheet Editor: The corresponding window of the Desktop Spreadsheet Editor: Using this tab, you can: sort and filter data, convert text to columns, remove duplicates from a data range, group and ungroup data, set data validation parameters." }, { "id": "ProgramInterface/FileTab.htm", @@ -2358,12 +2378,12 @@ var indexes = { "id": "ProgramInterface/PluginsTab.htm", "title": "Plugins tab", - "body": "The Plugins tab allows accessing the advanced editing features using the available third-party components. With this tab, you can also use macros to simplify routine operations. The corresponding window of the Online Spreadsheet Editor: The corresponding window of the Desktop Spreadsheet Editor: The Settings button allows you to open the window where you can view and manage all the installed plugins and add your own ones. The Macros button allows you to open the window where you can create and run your own macros. To learn more about macros, please refer to our API Documentation. Currently, the following plugins are available: Send allows to send the spreadsheet via email using the default desktop mail client (available in the desktop version only), Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, Photo Editor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc., Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, YouTube allows to embed YouTube videos into your spreadsheet. To learn more about plugins please refer to our API Documentation. All the existing open-source plugin examples are currently available on GitHub." + "body": "The Plugins tab allows accessing the advanced editing features using the available third-party components. With this tab, you can also use macros to simplify routine operations. The corresponding window of the Online Spreadsheet Editor: The corresponding window of the Desktop Spreadsheet Editor: The Settings button allows you to open the window where you can view and manage all the installed plugins and add your own ones. The Macros button allows you to open the window where you can create and run your own macros. To learn more about macros, please refer to our API Documentation. Currently, the following plugins are available: Send allows to send the spreadsheet via email using the default desktop mail client (available in the desktop version only), Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color, Photo Editor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc., Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one, Translator allows to translate the selected text into other languages, Note: this plugin doesn't work in Internet Explorer. YouTube allows to embed YouTube videos into your spreadsheet. To learn more about plugins please refer to our API Documentation. All the existing open-source plugin examples are currently available on GitHub." }, { "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. 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, 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, sheet tabs, and zoom buttons. The Status bar also displays 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, - (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 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. - 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. 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, sheet tabs, and zoom buttons. The Status bar also displays 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, - (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 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/ViewTab.htm", @@ -2388,7 +2408,7 @@ var indexes = { "id": "UsageInstructions/ChangeNumberFormat.htm", "title": "Change number format", - "body": "Apply a number format You can easily change the number format, i.e. the way the numbers appear in a spreadsheet. To do that, select a cell, a cell range with the mouse or the whole worksheet by pressing the Ctrl+A key combination, Note: you can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. drop-down the Number format button list situated on the Home tab of the top toolbar or right-click the selected cells and use the Number Format option from the contextual menu. Select the number format you wish to apply: General - is used to display the data as plain numbers in the most compact way without any additional signs, Number - is used to display the numbers with 0-30 digits after the decimal point where a thousand separator is added between each group of three digits before the decimal point, Scientific (exponential) - is used to keep short the numbers converting in a string of type d.dddE+ddd or d.dddE-ddd where each d is a digit 0 to 9, Accounting - is used to display monetary values with the default currency symbol and two decimal places. To apply another currency symbol or number of decimal places, follow the instructions below. Unlike the Currency format, the Accounting format aligns currency symbols to the left side of the cell, represents zero values as dashes and displays negative values in parentheses. Note: to quickly apply the Accounting format to the selected data, you can also click the Accounting style icon on the Home tab of the top toolbar and select one of the following currency symbols: $ Dollar, € Euro, £ Pound, ₽ Rouble, ¥ Yen. Currency - is used to display monetary values with the default currency symbol and two decimal places. To apply another currency symbol or number of decimal places, follow the instructions below. Unlike the Accounting format, the Currency format places a currency symbol directly before the first digit and displays negative values with the negative sign (-). Date - is used to display dates, Time - is used to display time, Percentage - is used to display the data as a percentage accompanied by a percent sign %, Note: to quickly apply the percent style to the data, you can also use the Percent style icon on the Home tab of the top toolbar. Fraction - is used to display the numbers as common fractions rather than decimals. Text - is used to display the numeric values as a plain text with as much precision as possible. More formats - is used to customize the already applied number formats specifying additional parameters (see the description below). change the number of decimal places if needed: use the Increase decimal icon situated on the Home tab of the top toolbar to display more digits after the decimal point, use the Decrease decimal icon situated on the Home tab of the top toolbar to display fewer digits after the decimal point. Note: to change the number format you can also use keyboard shortcuts. Customize the number format You can customize the applied number format in the following way: select the cells whose number format you want to customize, drop-down the Number format button list on the Home tab of the top toolbar or right-click the selected cells and use the Number Format option from the contextual menu, select the More formats option, in the opened Number Format window, adjust the available parameters. The options differ depending on the number format that is applied to the selected cells. You can use the Category list to change the number format. for the Number format, you can set the number of Decimal points, specify if you want to Use 1000 separator or not and choose one of the available Formats for displaying negative values. for the Scientific and Persentage formats, you can set the number of Decimal points. for the Accounting and Currency formats, you can set the number of Decimal points, choose one of the available currency Symbols and one of the available Formats for displaying negative values. for the Date format, you can select one of the available date formats: 4/15, 4/15/06, 04/15/06, 4/15/2006, 4/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, 15/Apr, 15/Apr/06, Apr/06, April/06, A/06, 06/Apr, 15/Apr/2006, 2006/Apr/15, 06/Apr/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. for the Time format, you can select one of the available time formats: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57.6, 36:48:58. for the Fraction format, you can select one of the available formats: Up to one digit (1/3), Up to two digits (12/25), Up to three digits (131/135), As halves (1/2), As fourths (2/4), As eighths (4/8), As sixteenths (8/16), As tenths (5/10) , As hundredths (50/100). click the OK button to apply the changes." + "body": "Apply a number format You can easily change the number format, i.e. the way the numbers appear in a spreadsheet. To do that, select a cell, a cell range with the mouse or the whole worksheet by pressing the Ctrl+A key combination, Note: you can also select multiple non-adjacent cells or cell ranges holding down the Ctrl key while selecting cells/ranges with the mouse. drop-down the Number format button list situated on the Home tab of the top toolbar or right-click the selected cells and use the Number Format option from the contextual menu. Select the number format you wish to apply: General - is used to display the data as plain numbers in the most compact way without any additional signs, Number - is used to display the numbers with 0-30 digits after the decimal point where a thousand separator is added between each group of three digits before the decimal point, Scientific (exponential) - is used to keep short the numbers converting in a string of type d.dddE+ddd or d.dddE-ddd where each d is a digit 0 to 9, Accounting - is used to display monetary values with the default currency symbol and two decimal places. To apply another currency symbol or number of decimal places, follow the instructions below. Unlike the Currency format, the Accounting format aligns currency symbols to the left side of the cell, represents zero values as dashes and displays negative values in parentheses. Note: to quickly apply the Accounting format to the selected data, you can also click the Accounting style icon on the Home tab of the top toolbar and select one of the following currency symbols: $ Dollar, € Euro, £ Pound, ₽ Rouble, ¥ Yen. Currency - is used to display monetary values with the default currency symbol and two decimal places. To apply another currency symbol or number of decimal places, follow the instructions below. Unlike the Accounting format, the Currency format places a currency symbol directly before the first digit and displays negative values with the negative sign (-). Date - is used to display dates, Time - is used to display time, Percentage - is used to display the data as a percentage accompanied by a percent sign %, Note: to quickly apply the percent style to the data, you can also use the Percent style icon on the Home tab of the top toolbar. Fraction - is used to display the numbers as common fractions rather than decimals. Text - is used to display the numeric values as a plain text with as much precision as possible. More formats - is used to create a custom number format or to customize the already applied number formats specifying additional parameters (see the description below). Custom - is used to create a custom format: select a cell, a range of cells, or the whole worksheet for values you want to format, choose the Custom option from the More formats menu, enter the required codes and check the result in the preview area or choose one of the templates and/or combine them. If you want to create a format based on the existing one, first apply the existing format and then edit the codes to your preference, click OK. change the number of decimal places if needed: use the Increase decimal icon situated on the Home tab of the top toolbar to display more digits after the decimal point, use the Decrease decimal icon situated on the Home tab of the top toolbar to display fewer digits after the decimal point. Note: to change the number format you can also use keyboard shortcuts. Customize the number format You can customize the applied number format in the following way: select the cells whose number format you want to customize, drop-down the Number format button list on the Home tab of the top toolbar or right-click the selected cells and use the Number Format option from the contextual menu, select the More formats option, in the opened Number Format window, adjust the available parameters. The options differ depending on the number format that is applied to the selected cells. You can use the Category list to change the number format. for the Number format, you can set the number of Decimal points, specify if you want to Use 1000 separator or not and choose one of the available Formats for displaying negative values. for the Scientific and Percentage formats, you can set the number of Decimal points. for the Accounting and Currency formats, you can set the number of Decimal points, choose one of the available currency Symbols and one of the available Formats for displaying negative values. for the Date format, you can select one of the available date formats: 4/15, 4/15/06, 04/15/06, 4/15/2006, 4/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, 15/Apr, 15/Apr/06, Apr/06, April/06, A/06, 06/Apr, 15/Apr/2006, 2006/Apr/15, 06/Apr/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. for the Time format, you can select one of the available time formats: 12:48:58 PM, 12:48, 12:48 PM, 12:48:58, 48:57.6, 36:48:58. for the Fraction format, you can select one of the available formats: Up to one digit (1/3), Up to two digits (12/25), Up to three digits (131/135), As halves (1/2), As fourths (2/4), As eighths (4/8), As sixteenths (8/16), As tenths (5/10) , As hundredths (50/100). click the OK button to apply the changes." }, { "id": "UsageInstructions/ClearFormatting.htm", @@ -2405,15 +2425,20 @@ var indexes = "title": "Cut/copy/paste data", "body": "Use basic clipboard operations To cut, copy and paste data in the current spreadsheet make use of the right-click menu or use the corresponding icons available 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 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." }, + { + "id": "UsageInstructions/DataValidation.htm", + "title": "Data validation", + "body": "The ONLYOFFICE Spreadsheet Editor offers a data validation feature that controls the parameters of the information entered in cells by users. To access the data validation feature, choose a cell, a range of cells, or a whole spreadsheet you want to apply the feature to, open the Data tab, and click the Data Validation icon on the top toolbar. The opened Data Validation window contains three tabs: Settings, Input Message, and Error Alert. Settings The Settings section allows you to specify the type of data that can be entered: Note: Check the Apply these changes to all other cells with the same settings box to use the same settings to the selected range of cells or a whole worksheet. choose the required option in the Allow menu: Any value: no limitations on information type. Whole number: only whole numbers are allowed. Decimal: only numbers with a decimal point are allowed. List: only options from the drop-down list you created are allowed. Uncheck the Show drop-down list in cell box to hide the drop-down arrow. Date: only cells with the date format are allowed. Time: only cells with the time format are allowed. Text length: sets the characters limit. Other: sets the desired validation parameter given as a formula. Note: Check the Apply these changes to all other cells with the same settings box to use the same settings to the selected range of cells or a whole worksheet. specify a validation condition in the Data menu: between: the data in cells should be within the range set by the validation rule. not between: the data in cells should not be within the range set by the validation rule. equals: the data in cells should be equal to the value set by the validation rule. does not equal: the data in cells should not be equal to the value set by the validation rule. greater than: the data in cells should exceed the values set by the validation rule. less than: the data in cells should be less than the values set by the validation rule. greater than or equal to: the data in cells should exceed or be equal to the value set by the validation rule. less than or equal to: the data in cells should be less than or equal to the value set by the validation rule. create a validation rule depending on the allowed information type: Validation condition Validation rule Description Availability Between / not between Minimum / Maximum Sets the value range Whole number / Decimal / Text length Start date / End date Sets the date range Date Start time / End time Sets the time period Time Equals / does not equal Compare to Sets the value for comparison Whole number / Decimal Date Sets the date for comparison Date Elapsed time Sets the time for comparison Time Length Sets the text length value for comparison Text length Greater than / greater than or equal to Minimum Sets the lower limit Whole number / Decimal / Text length Start date Sets the starting date Date Start time Sets the starting time Time Less than / less than or equal to Maximum Sets the higher limit Whole number / Decimal / Text length End date Sets the ending date Date End time Sets the ending time Time As well as: Source: provides the source of information for the List information type. Formula: enter the required formula to create a custom validation rule for the Other information type. Input Message The Input Message section allows you to create a customized message displayed when a user hovers their mouse pointer over the cell. Specify the Title and the body of your Input Message. Uncheck the Show input message when cell is selected to disable the display of the message. Leave it to display the message. Error Alert The Error Alert section allows you to specify the message displayed when the data given by users does not meet the validation rules. Style: choose one of the available presets, Stop, Alert, or Message. Title: specify the title of the alert message. Error Message: enter the text of the alert message. Uncheck the Show error alert after invalid data is entered box to disable the display of the alert message." + }, { "id": "UsageInstructions/FontTypeSizeStyle.htm", "title": "Set font type, size, style, and colors", - "body": "You can select the font type and its size, apply one of the decoration styles and change the font and background colors by clicking the corresponding icons on the Home tab of the top toolbar. Note: if you want to apply formatting to the data in the spreadsheet, select them with the mouse or use the keyboard and apply the required formatting. If you need to apply the formatting to multiple non-adjacent cells or cell ranges, hold down the Ctrl key while selecting cells/ranges with the mouse. Font Used to select one of the fonts from the list of the available fonts. If the required font is not available in the list, you can download and install it on your operating system, and the font will be available for use in the desktop version. Font size Used to select the preset font size values from the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value in the font size field and then press Enter. Increment font size Used to change the font size making it one point bigger each time the icon is clicked. Decrement font size Used to change the font size making it one point smaller each time the icon is clicked. Bold Used to make the font bold making it heavier. Italic Used to make the font slightly slanted to the right. Underline Used to make the text underlined with a line going below the letters. Strikeout Used to make the text struck out with a line going through the letters. Subscript/Superscript Allows choosing the Superscript or Subscript option. The Superscript option is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. The Subscript option is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Font color Used to change the color of the letters/characters in cells. Background color Used to change the color of the cell background. Using this icon you can apply a solid color fill. The cell background color can also be changed using the Fill section on the Cell settings tab of the right sidebar. Change color scheme Used to change the default color palette for worksheet elements (font, background, chats and chart elements) selecting from the available options: Office, Grayscale, Apex, Aspect, Civic, Concourse, Equity, Flow, Foundry, Median, Metro, Module, Odulent, Oriel, Origin, Paper, Solstice, Technic, Trek, Urban, or Verve. Note: it's also possible to apply one of the formatting presets selecting the cell you wish to format and choosing the desired preset from the list on the Home tab of the top toolbar: To change the font color or use a solid color fill as the cell background, select characters/cells with the mouse or the whole worksheet using the Ctrl+A key combination, click the corresponding icon on the top toolbar, select any color in the available palettes Theme Colors - the colors that correspond to the selected color scheme of the spreadsheet. Standard Colors - the default colors set. Custom Color - click this caption if there is no needed color in the available palettes. Select the necessary color range by moving the vertical color slider and set the specific color by dragging the color picker within the large square color field. Once you select a color with the color picker, the appropriate RGB and sRGB color values will be displayed in the fields on the right. You can also specify a color on the base of the RGB color model by entering the necessary numeric values into the R, G, B (red, green, blue) fields or enter the sRGB hexadecimal code into the field marked with the # sign. The selected color will appear in the New preview box. If the object was previously filled with any custom color, this color is displayed in the Current box so you can compare the original and modified colors. When the color is specified, click the Add button: The custom color will be applied to the selected text/cell and added to the Custom color palette. To remove the background color from a certain cell, select a cell, or a cell range with the mouse or the whole worksheet using the Ctrl+A key combination, click the Background color icon on the Home tab of the top toolbar, select the icon." + "body": "You can select the font type and its size, apply one of the decoration styles and change the font and background colors by clicking the corresponding icons on the Home tab of the top toolbar. Note: if you want to apply formatting to the data in the spreadsheet, select them with the mouse or use the keyboard and apply the required formatting. If you need to apply the formatting to multiple non-adjacent cells or cell ranges, hold down the Ctrl key while selecting cells/ranges with the mouse. Font Used to select one of the fonts from the list of the available fonts. If the required font is not available in the list, you can download and install it on your operating system, and the font will be available for use in the desktop version. Font size Used to select the preset font size values from the dropdown list (the default values are: 8, 9, 10, 11, 12, 14, 16, 18, 20, 22, 24, 26, 28, 36, 48, 72 and 96). It's also possible to manually enter a custom value up to 409 pt in the font size field. Press Enter to confirm. Increment font size Used to change the font size making it one point bigger each time the icon is clicked. Decrement font size Used to change the font size making it one point smaller each time the icon is clicked. Bold Used to make the font bold making it heavier. Italic Used to make the font slightly slanted to the right. Underline Used to make the text underlined with a line going below the letters. Strikeout Used to make the text struck out with a line going through the letters. Subscript/Superscript Allows choosing the Superscript or Subscript option. The Superscript option is used to make the text smaller and place it to the upper part of the text line, e.g. as in fractions. The Subscript option is used to make the text smaller and place it to the lower part of the text line, e.g. as in chemical formulas. Font color Used to change the color of the letters/characters in cells. Background color Used to change the color of the cell background. Using this icon you can apply a solid color fill. The cell background color can also be changed using the Fill section on the Cell settings tab of the right sidebar. Change color scheme Used to change the default color palette for worksheet elements (font, background, chats and chart elements) selecting from the available options: Office, Grayscale, Apex, Aspect, Civic, Concourse, Equity, Flow, Foundry, Median, Metro, Module, Odulent, Oriel, Origin, Paper, Solstice, Technic, Trek, Urban, or Verve. Note: it's also possible to apply one of the formatting presets selecting the cell you wish to format and choosing the desired preset from the list on the Home tab of the top toolbar: To change the font color or use a solid color fill as the cell background, select characters/cells with the mouse or the whole worksheet using the Ctrl+A key combination, click the corresponding icon on the top toolbar, select any color in the available palettes Theme Colors - the colors that correspond to the selected color scheme of the spreadsheet. Standard Colors - the default colors set. Custom Color - click this caption if there is no needed color in the available palettes. Select the necessary color range by moving the vertical color slider and set the specific color by dragging the color picker within the large square color field. Once you select a color with the color picker, the appropriate RGB and sRGB color values will be displayed in the fields on the right. You can also specify a color on the base of the RGB color model by entering the necessary numeric values into the R, G, B (red, green, blue) fields or enter the sRGB hexadecimal code into the field marked with the # sign. The selected color will appear in the New preview box. If the object was previously filled with any custom color, this color is displayed in the Current box so you can compare the original and modified colors. When the color is specified, click the Add button: The custom color will be applied to the selected text/cell and added to the Custom color palette. To remove the background color from a certain cell, select a cell, or a cell range with the mouse or the whole worksheet using the Ctrl+A key combination, click the Background color icon on the Home tab of the top toolbar, select the icon." }, { "id": "UsageInstructions/FormattedTables.htm", "title": "Use formatted tables", - "body": "Create a new formatted table To make it easier for you to work with data, the Spreadsheet Editor allows you to apply a table template to the selected cell range and automatically enable the filter. To do that, select a range of cells you need to format, click the Format as table template icon situated on the Home tab of the top toolbar. select the required template in the gallery, in the opened pop-up window, check the cell range to be formatted as a table, check the Title if you wish the table headers to be included in the selected cell range, otherwise, the header row will be added at the top while the selected cell range will be moved one row down, click the OK button to apply the selected template. The template will be applied to the selected range of cells, and you will be able to edit the table headers and apply the filter to work with your data. It's also possible to insert a formatted table using the Table button on the Insert tab. In this case, the default table template is applied. Note: once you create a new formatted table, the default name (Table1, Table2, etc.) will be automatically assigned to the table. You can change this name making it more meaningful and use it for further work. If you enter a new value in the cell below the last row of the table (if the table does not have the Total row) or in the cell to the right of the last column of the table, the formatted table will be automatically extended to include a new row or column. If you do not want to expand the table, click the Paste special button that will appear and select the Undo table autoexpansion option. Once you undo this action, the Redo table autoexpansion option will be available in this menu. Note: To enable/disable table auto-expansion, go to Advanced Settings -> Spell Checking -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Select rows and columns To select an entire row in the formatted table, move the mouse cursor over the left border of the table row until it turns into the black arrow , then left-click. To select an entire column in the formatted table, move the mouse cursor over the top edge of the column header until it turns into the black arrow , then left-click. If you click once, the column data will be selected (as it is shown on the image below); if you click twice, the entire column including the header will be selected. To select an entire formatted table, move the mouse cursor over the upper left corner of the formatted table until it turns into the diagonal black arrow , then left-click. Edit formatted tables Some of the table settings can be changed using the Table settings tab of the right sidebar that will open if you select at least one cell within the table with the mouse and click the Table settings icon on the right. The Rows and Columns sections on the top 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: Header - allows you to display the header row. Total - adds the Summary row at the bottom of the table. Note: if this option is selected, you can also select a function to calculate the summary values. Once you select a cell in the Summary row, the button will be available to the right of the cell. Click it and choose the necessary function from the list: Average, Count, Max, Min, Sum, StdDev, or Var. The More functions option allows you to open the Insert Function window and choose any other function. If you choose the None option, the currently selected cell in the Summary row will not display a summary value for this column. Banded - enables the background color alternation for odd and even rows. Filter button - allows you to display the drop-down arrows in each cell of the header row. This option is only available when the Header option is selected. 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: If you want to remove the current table style (background color, borders, etc.) without removing the table itself, apply the None template from the template list: The Resize table section allows you to change the cell range the table formatting is applied to. Click the Select Data button - a new pop-up window will open. Change the link to the cell range in the entry field or select the necessary cell range in the worksheet with the mouse and click the OK button. Note: The headers must remain in the same row, and the resulting table range must overlap the original table range. The Rows & Columns section allows you to perform the following operations: Select a row, column, all columns data excluding the header row, or the entire table including the header row. Insert a new row above or below the selected one as well as a new column to the left or the right of the selected one. Delete a row, column (depending on the cursor position or the selection), or the entire table. Note: the options of the Rows & Columns section are also accessible from the right-click menu. The Remove duplicates option can be used if you want to remove duplicate values from the formatted table. For more details on removing duplicates, please refer to this page. The Convert to range option can be used if you want to transform the table into a regular data range removing the filter but preserving the table style (i.e. cell and font colors, etc.). Once you apply this option, the Table settings tab on the right sidebar will be unavailable. The Insert slicer option is used to create a slicer for the formatted table. For more details on working with slicers, please refer to this page. The Insert pivot table option is used to create a pivot table on the base of the formatted table. For more details on working with pivot tables, please refer to this page. Adjust formatted table advanced settings To change the advanced table properties, use the Show advanced settings link on the right sidebar. The 'Table - Advanced Settings' window will open: The Alternative Text tab allows you 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 table contains. Note: To enable/disable table auto-expansion, go to Advanced Settings -> Spell Checking -> Proofing -> AutoCorrect Options -> AutoFormat As You Type." + "body": "Create a new formatted table To make it easier for you to work with data, the Spreadsheet Editor allows you to apply a table template to the selected cell range and automatically enable the filter. To do that, select a range of cells you need to format, click the Format as table template icon situated on the Home tab of the top toolbar. select the required template in the gallery, in the opened pop-up window, check the cell range to be formatted as a table, check the Title if you wish the table headers to be included in the selected cell range, otherwise, the header row will be added at the top while the selected cell range will be moved one row down, click the OK button to apply the selected template. The template will be applied to the selected range of cells, and you will be able to edit the table headers and apply the filter to work with your data. It's also possible to insert a formatted table using the Table button on the Insert tab. In this case, the default table template is applied. Note: once you create a new formatted table, the default name (Table1, Table2, etc.) will be automatically assigned to the table. You can change this name making it more meaningful and use it for further work. If you enter a new value in the cell below the last row of the table (if the table does not have the Total row) or in the cell to the right of the last column of the table, the formatted table will be automatically extended to include a new row or column. If you do not want to expand the table, click the Paste special button that will appear and select the Undo table autoexpansion option. Once you undo this action, the Redo table autoexpansion option will be available in this menu. Note: To enable/disable table auto-expansion, select the Stop automatically expanding tables option in the Paste special button menu or go to Advanced Settings -> Spell Checking -> Proofing -> AutoCorrect Options -> AutoFormat As You Type. Select rows and columns To select an entire row in the formatted table, move the mouse cursor over the left border of the table row until it turns into the black arrow , then left-click. To select an entire column in the formatted table, move the mouse cursor over the top edge of the column header until it turns into the black arrow , then left-click. If you click once, the column data will be selected (as it is shown on the image below); if you click twice, the entire column including the header will be selected. To select an entire formatted table, move the mouse cursor over the upper left corner of the formatted table until it turns into the diagonal black arrow , then left-click. Edit formatted tables Some of the table settings can be changed using the Table settings tab of the right sidebar that will open if you select at least one cell within the table with the mouse and click the Table settings icon on the right. The Rows and Columns sections on the top 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: Header - allows you to display the header row. Total - adds the Summary row at the bottom of the table. Note: if this option is selected, you can also select a function to calculate the summary values. Once you select a cell in the Summary row, the button will be available to the right of the cell. Click it and choose the necessary function from the list: Average, Count, Max, Min, Sum, StdDev, or Var. The More functions option allows you to open the Insert Function window and choose any other function. If you choose the None option, the currently selected cell in the Summary row will not display a summary value for this column. Banded - enables the background color alternation for odd and even rows. Filter button - allows you to display the drop-down arrows in each cell of the header row. This option is only available when the Header option is selected. 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: If you want to remove the current table style (background color, borders, etc.) without removing the table itself, apply the None template from the template list: The Resize table section allows you to change the cell range the table formatting is applied to. Click the Select Data button - a new pop-up window will open. Change the link to the cell range in the entry field or select the necessary cell range in the worksheet with the mouse and click the OK button. Note: The headers must remain in the same row, and the resulting table range must overlap the original table range. The Rows & Columns section allows you to perform the following operations: Select a row, column, all columns data excluding the header row, or the entire table including the header row. Insert a new row above or below the selected one as well as a new column to the left or the right of the selected one. Delete a row, column (depending on the cursor position or the selection), or the entire table. Note: the options of the Rows & Columns section are also accessible from the right-click menu. The Remove duplicates option can be used if you want to remove duplicate values from the formatted table. For more details on removing duplicates, please refer to this page. The Convert to range option can be used if you want to transform the table into a regular data range removing the filter but preserving the table style (i.e. cell and font colors, etc.). Once you apply this option, the Table settings tab on the right sidebar will be unavailable. The Insert slicer option is used to create a slicer for the formatted table. For more details on working with slicers, please refer to this page. The Insert pivot table option is used to create a pivot table on the base of the formatted table. For more details on working with pivot tables, please refer to this page. Adjust formatted table advanced settings To change the advanced table properties, use the Show advanced settings link on the right sidebar. The 'Table - Advanced Settings' window will open: The Alternative Text tab allows you 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 table contains. Note: To enable/disable table auto-expansion, go to Advanced Settings -> Spell Checking -> Proofing -> AutoCorrect Options -> AutoFormat As You Type." }, { "id": "UsageInstructions/GroupData.htm", @@ -2448,7 +2473,7 @@ var indexes = { "id": "UsageInstructions/InsertFunction.htm", "title": "Insert function", - "body": "The ability to perform basic calculations is the principal reason for using a spreadsheet. Some of them are performed automatically when you select a cell range in your spreadsheet: Average is used to analyze the selected cell range and find the average value. Count is used to count the number of the selected cells with values ignoring the empty cells. Min is used to analyze the range of data and find the smallest number. Max is used to analyze the range of data and find the largest number. Sum is used to add all the numbers in the selected range ignoring the empty cells or those contaning text. The results of these calculations are displayed in the right lower corner on the status bar. You can manage the status bar by right-clicking on it and choosing only those functions to display that you need. To perform any other calculations, you can insert the required formula manually using the common mathematical operators or insert a predefined formula - Function. The abilities to work with Functions are accessible from both the Home and Formula tab or by pressing Shift+F3 key combination. On the Home tab, you can use the Insert function button to add one of the most commonly used functions (SUM, AVERAGE, MIN, MAX, COUNT) or open the Insert Function window that contains all the available functions classified by category. Use the search box to find the exact function by its name. On the Formula tab you can use the following buttons: Function - to open the Insert Function window that contains all the available functions classified by category. Autosum - to quickly access the SUM, MIN, MAX, COUNT functions. When you select a functions from this group, it automatically performs calculations for all cells in the column above the selected cell so that you don't need to enter arguments. Recently used - to quickly access 10 recently used functions. Financial, Logical, Text and data, Date and time, Lookup and references, Math and trigonometry - to quickly access functions that belongs to the corresponding categories. More functions - to access the functions from the following groups: Database, Engineering, Information and Statistical. Named ranges - to open the Name Manager, or define a new name, or paste a name as a function argument. For more details, you can refer to this page. Calculation - to force the program to recalculate functions. To insert a function, Select a cell where you wish to insert a function. Proceed in one of the following ways: switch to the Formula tab and use the buttons available on the top toolbar to access a function from a specific group, then click the necessary function to open the Function Arguments wizard. You can also use the Additional option from the menu or click the Function button on the top toolbar to open the Insert Function window. switch to the Home tab, click the Insert function icon, select one of the commonly used functions (SUM, AVERAGE, MIN, MAX, COUNT) or click the Additional option to open the Insert Function window. right-click within the selected cell and select the Insert Function option from the contextual menu. click the icon before the formula bar. In the opened Insert Function window, enter its name in the search box or select the necessary function group, then choose the required function from the list and click OK. Once you click the necessary function, the Function Arguments window will open: In the opened Function Arguments window, enter the necessary values of each argument. You can enter the function arguments either manually or by clicking the icon and selecting a cell or cell range to be included as an argument. Note: generally, numeric values, logical values (TRUE, FALSE), text values (must be quoted), cell references, cell range references, names assigned to ranges and other functions can be used as function arguments. The function result will be displayed below. When all the agruments are specified, click the OK button in the Function Arguments window. To enter a function manually using the keyboard, Select a cell. Enter the equal sign (=). Each formula must begin with the equal sign (=). Enter the function name. Once you type the initial letters, the Formula Autocomplete list will be displayed. As you type, the items (formulas and names) that match the entered characters are displayed in it. If you hover the mouse pointer over a formula, a tooltip with the formula description will be displayed. You can select the necessary formula from the list and insert it by clicking it or pressing the Tab key. Enter the function arguments either manually or by dragging to select a cell range to be included as an argument. If the function requires several arguments, they must be separated by commas. Arguments must be enclosed into parentheses. The opening parenthesis '(' is added automatically if you select a function from the list. When you enter arguments, a tooltip that contains the formula syntax is also displayed. When all the agruments are specified, enter the closing parenthesis ')' and press Enter. If you enter new data or change the values used as arguments, recalculation of functions is performed automatically by default. You can force the program to recalculate functions by using the Calculation button on the Formula tab. Click the Calculation button to recalculate the entire workbook, or click the arrow below the button and choose the necessary option from the menu: Calculate workbook or Calculate current sheet. You can also use the following key combinations: F9 to recalculate the workbook, Shift +F9 to recalculate the current worksheet. Here is the list of the available functions grouped by categories: Function Category Description Functions Text and Data Functions Used to correctly display the text data in the spreadsheet. ASC; CHAR; CLEAN; CODE; CONCATENATE; CONCAT; DOLLAR; EXACT; FIND; FINDB; FIXED; LEFT; LEFTB; LEN; LENB; LOWER; MID; MIDB; NUMBERVALUE; PROPER; REPLACE; REPLACEB; REPT; RIGHT; RIGHTB; SEARCH; SEARCHB; SUBSTITUTE; T; TEXT; TEXTJOIN; TRIM; UNICHAR; UNICODE; UPPER; VALUE Statistical Functions Used to analyze data: finding the average value, the largest or smallest values in a cell range. AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BETAINV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LINEST; LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST Math and Trigonometry Functions Used to perform basic math and trigonometry operations such as adding, multiplying, dividing, rounding, etc. ABS; ACOS; ACOSH; ACOT; ACOTH; AGGREGATE; ARABIC; ASIN; ASINH; ATAN; ATAN2; ATANH; BASE; CEILING; CEILING.MATH; CEILING.PRECISE; COMBIN; COMBINA; COS; COSH; COT; COTH; CSC; CSCH; DECIMAL; DEGREES; ECMA.CEILING; EVEN; EXP; FACT; FACTDOUBLE; FLOOR; FLOOR.PRECISE; FLOOR.MATH; GCD; INT; ISO.CEILING; LCM; LN; LOG; LOG10; MDETERM; MINVERSE; MMULT; MOD; MROUND; MULTINOMIAL; ODD; PI; POWER; PRODUCT; QUOTIENT; RADIANS; RAND; RANDBETWEEN; ROMAN; ROUND; ROUNDDOWN; ROUNDUP; SEC; SECH; SERIESSUM; SIGN; SIN; SINH; SQRT; SQRTPI; SUBTOTAL; SUM; SUMIF; SUMIFS; SUMPRODUCT; SUMSQ; SUMX2MY2; SUMX2PY2; SUMXMY2; TAN; TANH; TRUNC Date and Time Functions Used to correctly display the date and time in the spreadsheet. DATE; DATEDIF; DATEVALUE; DAY; DAYS; DAYS360; EDATE; EOMONTH; HOUR; ISOWEEKNUM; MINUTE; MONTH; NETWORKDAYS; NETWORKDAYS.INTL; NOW; SECOND; TIME; TIMEVALUE; TODAY; WEEKDAY; WEEKNUM; WORKDAY; WORKDAY.INTL; YEAR; YEARFRAC Engineering Functions Used to perform some engineering calculations: converting between different bases number systems, finding complex numbers etc. BESSELI; BESSELJ; BESSELK; BESSELY; BIN2DEC; BIN2HEX; BIN2OCT; BITAND; BITLSHIFT; BITOR; BITRSHIFT; BITXOR; COMPLEX; CONVERT; DEC2BIN; DEC2HEX; DEC2OCT; DELTA; ERF; ERF.PRECISE; ERFC; ERFC.PRECISE; GESTEP; HEX2BIN; HEX2DEC; HEX2OCT; IMABS; IMAGINARY; IMARGUMENT; IMCONJUGATE; IMCOS; IMCOSH; IMCOT; IMCSC; IMCSCH; IMDIV; IMEXP; IMLN; IMLOG10; IMLOG2; IMPOWER; IMPRODUCT; IMREAL; IMSEC; IMSECH; IMSIN; IMSINH; IMSQRT; IMSUB; IMSUM; IMTAN; OCT2BIN; OCT2DEC; OCT2HEX Database Functions Used to perform calculations for the values in a certain field of the database that meet the specified criteria. DAVERAGE; DCOUNT; DCOUNTA; DGET; DMAX; DMIN; DPRODUCT; DSTDEV; DSTDEVP; DSUM; DVAR; DVARP Financial Functions Used to perform some financial calculations: calculating the net present value, payments etc. ACCRINT; ACCRINTM; AMORDEGRC; AMORLINC; COUPDAYBS; COUPDAYS; COUPDAYSNC; COUPNCD; COUPNUM; COUPPCD; CUMIPMT; CUMPRINC; DB; DDB; DISC; DOLLARDE; DOLLARFR; DURATION; EFFECT; FV; FVSCHEDULE; INTRATE; IPMT; IRR; ISPMT; MDURATION; MIRR; NOMINAL; NPER; NPV; ODDFPRICE; ODDFYIELD; ODDLPRICE; ODDLYIELD; PDURATION; PMT; PPMT; PRICE; PRICEDISC; PRICEMAT; PV; RATE; RECEIVED; RRI; SLN; SYD; TBILLEQ; TBILLPRICE; TBILLYIELD; VDB; XIRR; XNPV; YIELD; YIELDDISC; YIELDMAT Lookup and Reference Functions Used to easily find information from the data list. ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; HYPERLINLK; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; VLOOKUP Information Functions Used to provide information about the data in the selected cell or cell range. CELL; ERROR.TYPE; ISBLANK; ISERR; ISERROR; ISEVEN; ISFORMULA; ISLOGICAL; ISNA; ISNONTEXT; ISNUMBER; ISODD; ISREF; ISTEXT; N; NA; SHEET; SHEETS; TYPE Logical Functions Used to check if a condition is true or false. AND; FALSE; IF; IFERROR; IFNA; IFS; NOT; OR; SWITCH; TRUE; XOR" + "body": "The ability to perform basic calculations is the principal reason for using a spreadsheet. Some of them are performed automatically when you select a cell range in your spreadsheet: Average is used to analyze the selected cell range and find the average value. Count is used to count the number of the selected cells with values ignoring the empty cells. Min is used to analyze the range of data and find the smallest number. Max is used to analyze the range of data and find the largest number. Sum is used to add all the numbers in the selected range ignoring the empty cells or those contaning text. The results of these calculations are displayed in the right lower corner on the status bar. You can manage the status bar by right-clicking on it and choosing only those functions to display that you need. To perform any other calculations, you can insert the required formula manually using the common mathematical operators or insert a predefined formula - Function. The abilities to work with Functions are accessible from both the Home and Formula tab or by pressing Shift+F3 key combination. On the Home tab, you can use the Insert function button to add one of the most commonly used functions (SUM, AVERAGE, MIN, MAX, COUNT) or open the Insert Function window that contains all the available functions classified by category. Use the search box to find the exact function by its name. On the Formula tab you can use the following buttons: Function - to open the Insert Function window that contains all the available functions classified by category. Autosum - to quickly access the SUM, MIN, MAX, COUNT functions. When you select a functions from this group, it automatically performs calculations for all cells in the column above the selected cell so that you don't need to enter arguments. Recently used - to quickly access 10 recently used functions. Financial, Logical, Text and data, Date and time, Lookup and references, Math and trigonometry - to quickly access functions that belongs to the corresponding categories. More functions - to access the functions from the following groups: Database, Engineering, Information and Statistical. Named ranges - to open the Name Manager, or define a new name, or paste a name as a function argument. For more details, you can refer to this page. Calculation - to force the program to recalculate functions. To insert a function, Select a cell where you wish to insert a function. Proceed in one of the following ways: switch to the Formula tab and use the buttons available on the top toolbar to access a function from a specific group, then click the necessary function to open the Function Arguments wizard. You can also use the Additional option from the menu or click the Function button on the top toolbar to open the Insert Function window. switch to the Home tab, click the Insert function icon, select one of the commonly used functions (SUM, AVERAGE, MIN, MAX, COUNT) or click the Additional option to open the Insert Function window. right-click within the selected cell and select the Insert Function option from the contextual menu. click the icon before the formula bar. In the opened Insert Function window, enter its name in the search box or select the necessary function group, then choose the required function from the list and click OK. Once you click the necessary function, the Function Arguments window will open: In the opened Function Arguments window, enter the necessary values of each argument. You can enter the function arguments either manually or by clicking the icon and selecting a cell or cell range to be included as an argument. Note: generally, numeric values, logical values (TRUE, FALSE), text values (must be quoted), cell references, cell range references, names assigned to ranges and other functions can be used as function arguments. The function result will be displayed below. When all the agruments are specified, click the OK button in the Function Arguments window. To enter a function manually using the keyboard, Select a cell. Enter the equal sign (=). Each formula must begin with the equal sign (=). Enter the function name. Once you type the initial letters, the Formula Autocomplete list will be displayed. As you type, the items (formulas and names) that match the entered characters are displayed in it. If you hover the mouse pointer over a formula, a tooltip with the formula description will be displayed. You can select the necessary formula from the list and insert it by clicking it or pressing the Tab key. Enter the function arguments either manually or by dragging to select a cell range to be included as an argument. If the function requires several arguments, they must be separated by commas. Arguments must be enclosed into parentheses. The opening parenthesis '(' is added automatically if you select a function from the list. When you enter arguments, a tooltip that contains the formula syntax is also displayed. When all the agruments are specified, enter the closing parenthesis ')' and press Enter. If you enter new data or change the values used as arguments, recalculation of functions is performed automatically by default. You can force the program to recalculate functions by using the Calculation button on the Formula tab. Click the Calculation button to recalculate the entire workbook, or click the arrow below the button and choose the necessary option from the menu: Calculate workbook or Calculate current sheet. You can also use the following key combinations: F9 to recalculate the workbook, Shift +F9 to recalculate the current worksheet. Here is the list of the available functions grouped by categories: Function Category Description Functions Text and Data Functions Used to correctly display the text data in the spreadsheet. ASC; CHAR; CLEAN; CODE; CONCATENATE; CONCAT; DOLLAR; EXACT; FIND; FINDB; FIXED; LEFT; LEFTB; LEN; LENB; LOWER; MID; MIDB; NUMBERVALUE; PROPER; REPLACE; REPLACEB; REPT; RIGHT; RIGHTB; SEARCH; SEARCHB; SUBSTITUTE; T; TEXT; TEXTJOIN; TRIM; UNICHAR; UNICODE; UPPER; VALUE Statistical Functions Used to analyze data: finding the average value, the largest or smallest values in a cell range. AVEDEV; AVERAGE; AVERAGEA; AVERAGEIF; AVERAGEIFS; BETADIST; BETA.DIST; BETA.INV; BETAINV; BINOMDIST; BINOM.DIST; BINOM.DIST.RANGE; BINOM.INV; CHIDIST; CHIINV; CHISQ.DIST; CHISQ.DIST.RT; CHISQ.INV; CHISQ.INV.RT; CHITEST; CHISQ.TEST; CONFIDENCE; CONFIDENCE.NORM; CONFIDENCE.T; CORREL; COUNT; COUNTA; COUNBLANK; COUNTIF; COUNTIFS; COVAR; COVARIANCE.P; COVARIANCE.S; CRITBINOM; DEVSQ; EXPON.DIST; EXPONDIST; F.DIST; FDIST; F.DIST.RT; F.INV; FINV; F.INV.RT; FISHER; FISHERINV; FORECAST; FORECAST.ETS; FORECAST.ETS.CONFINT; FORECAST.ETS.SEASONALITY; FORECAST.ETS.STAT; FORECAST.LINEAR; FREQUENCY; FTEST; F.TEST; GAMMA; GAMMA.DIST; GAMMADIST; GAMMA.INV; GAMMAINV; GAMMALN; GAMMALN.PRECISE; GAUSS; GEOMEAN; GROWTH; HARMEAN; HYPGEOMDIST; HYPGEOM.DIST; INTERCEPT; KURT; LARGE; LINEST; LOGEST, LOGINV; LOGNORM.DIST; LOGNORM.INV; LOGNORMDIST; MAX; MAXA; MAXIFS; MEDIAN; MIN; MINA; MINIFS; MODE; MODE.MULT; MODE.SNGL; NEGBINOMDIST; NEGBINOM.DIST; NORMDIST; NORM.DIST; NORMINV; NORM.INV; NORMSDIST; NORM.S.DIST; NORMSINV; NORM.S.INV; PEARSON; PERCENTILE; PERCENTILE.EXC; PERCENTILE.INC; PERCENTRANK; PERCENTRANK.EXC; PERCENTRANK.INC; PERMUT; PERMUTATIONA; PHI; POISSON; POISSON.DIST; PROB; QUARTILE; QUARTILE.EXC; QUARTILE.INC; RANK; RANK.AVG; RANK.EQ; RSQ; SKEW; SKEW.P; SLOPE; SMALL; STANDARDIZE; STDEV; STDEV.S; STDEVA; STDEVP; STDEV.P; STDEVPA; STEYX; TDIST; T.DIST; T.DIST.2T; T.DIST.RT; T.INV; T.INV.2T; TINV; TREND, TRIMMEAN; TTEST; T.TEST; VAR; VARA; VARP; VAR.P; VAR.S; VARPA; WEIBULL; WEIBULL.DIST; ZTEST; Z.TEST Math and Trigonometry Functions Used to perform basic math and trigonometry operations such as adding, multiplying, dividing, rounding, etc. ABS; ACOS; ACOSH; ACOT; ACOTH; AGGREGATE; ARABIC; ASIN; ASINH; ATAN; ATAN2; ATANH; BASE; CEILING; CEILING.MATH; CEILING.PRECISE; COMBIN; COMBINA; COS; COSH; COT; COTH; CSC; CSCH; DECIMAL; DEGREES; ECMA.CEILING; EVEN; EXP; FACT; FACTDOUBLE; FLOOR; FLOOR.PRECISE; FLOOR.MATH; GCD; INT; ISO.CEILING; LCM; LN; LOG; LOG10; MDETERM; MINVERSE; MMULT; MOD; MROUND; MULTINOMIAL; ODD; PI; POWER; PRODUCT; QUOTIENT; RADIANS; RAND; RANDBETWEEN; ROMAN; ROUND; ROUNDDOWN; ROUNDUP; SEC; SECH; SERIESSUM; SIGN; SIN; SINH; SQRT; SQRTPI; SUBTOTAL; SUM; SUMIF; SUMIFS; SUMPRODUCT; SUMSQ; SUMX2MY2; SUMX2PY2; SUMXMY2; TAN; TANH; TRUNC Date and Time Functions Used to correctly display the date and time in the spreadsheet. DATE; DATEDIF; DATEVALUE; DAY; DAYS; DAYS360; EDATE; EOMONTH; HOUR; ISOWEEKNUM; MINUTE; MONTH; NETWORKDAYS; NETWORKDAYS.INTL; NOW; SECOND; TIME; TIMEVALUE; TODAY; WEEKDAY; WEEKNUM; WORKDAY; WORKDAY.INTL; YEAR; YEARFRAC Engineering Functions Used to perform some engineering calculations: converting between different bases number systems, finding complex numbers etc. BESSELI; BESSELJ; BESSELK; BESSELY; BIN2DEC; BIN2HEX; BIN2OCT; BITAND; BITLSHIFT; BITOR; BITRSHIFT; BITXOR; COMPLEX; CONVERT; DEC2BIN; DEC2HEX; DEC2OCT; DELTA; ERF; ERF.PRECISE; ERFC; ERFC.PRECISE; GESTEP; HEX2BIN; HEX2DEC; HEX2OCT; IMABS; IMAGINARY; IMARGUMENT; IMCONJUGATE; IMCOS; IMCOSH; IMCOT; IMCSC; IMCSCH; IMDIV; IMEXP; IMLN; IMLOG10; IMLOG2; IMPOWER; IMPRODUCT; IMREAL; IMSEC; IMSECH; IMSIN; IMSINH; IMSQRT; IMSUB; IMSUM; IMTAN; OCT2BIN; OCT2DEC; OCT2HEX Database Functions Used to perform calculations for the values in a certain field of the database that meet the specified criteria. DAVERAGE; DCOUNT; DCOUNTA; DGET; DMAX; DMIN; DPRODUCT; DSTDEV; DSTDEVP; DSUM; DVAR; DVARP Financial Functions Used to perform some financial calculations: calculating the net present value, payments etc. ACCRINT; ACCRINTM; AMORDEGRC; AMORLINC; COUPDAYBS; COUPDAYS; COUPDAYSNC; COUPNCD; COUPNUM; COUPPCD; CUMIPMT; CUMPRINC; DB; DDB; DISC; DOLLARDE; DOLLARFR; DURATION; EFFECT; FV; FVSCHEDULE; INTRATE; IPMT; IRR; ISPMT; MDURATION; MIRR; NOMINAL; NPER; NPV; ODDFPRICE; ODDFYIELD; ODDLPRICE; ODDLYIELD; PDURATION; PMT; PPMT; PRICE; PRICEDISC; PRICEMAT; PV; RATE; RECEIVED; RRI; SLN; SYD; TBILLEQ; TBILLPRICE; TBILLYIELD; VDB; XIRR; XNPV; YIELD; YIELDDISC; YIELDMAT Lookup and Reference Functions Used to easily find information from the data list. ADDRESS; CHOOSE; COLUMN; COLUMNS; FORMULATEXT; HLOOKUP; HYPERLINLK; INDEX; INDIRECT; LOOKUP; MATCH; OFFSET; ROW; ROWS; TRANSPOSE; UNIQUE; VLOOKUP Information Functions Used to provide information about the data in the selected cell or cell range. CELL; ERROR.TYPE; ISBLANK; ISERR; ISERROR; ISEVEN; ISFORMULA; ISLOGICAL; ISNA; ISNONTEXT; ISNUMBER; ISODD; ISREF; ISTEXT; N; NA; SHEET; SHEETS; TYPE Logical Functions Used to check if a condition is true or false. AND; FALSE; IF; IFERROR; IFNA; IFS; NOT; OR; SWITCH; TRUE; XOR" }, { "id": "UsageInstructions/InsertHeadersFooters.htm", @@ -2503,7 +2528,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. 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. 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 and sort 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 or Percent. 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. 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. 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. Change the appearance of pivot tables You can use options available on the top toolbar to adjust the way your pivot table is displayed. These options are applied to the entire pivot table. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The Report Layout drop-down list allows you to choose the necessary layout for your pivot table: Show in Compact Form - allows you to display items from different row section fields in a single column. Show in Outline Form - allows you to display the pivot table in the classic pivot table style. It displays one column for each field and provides space for field headers. It also allows you to display subtotals at the top of groups. Show in Tabular Form - allows you to display the pivot table in a traditional table format. It displays one column for each field and provides space for field headers. Repeat All Item Labels - allows you to visually group rows or columns together if you have multiple fields in the tabular form. Don't Repeat All Item Labels - allows you to hide item labels if you have multiple fields in the tabular form. The Blank Rows drop-down list allows you to choose if you want to display blank lines after items: Insert Blank Line after Each Item - allows you to add blank lines after items. Remove Blank Line after Each Item - allows you to remove the added blank lines. The Subtotals drop-down list allows you to choose if you want to display subtotals in the pivot table: Don't Show Subtotals - allows you to hide subtotals for all items. Show all Subtotals at Bottom of Group - allows you to display subtotals below the subtotaled rows. Show all Subtotals at Top of Group - allows you to display subtotals above the subtotaled rows. The Grand Totals drop-down list allows you to choose if you want to display grand totals in the pivot table: Off for Rows and Columns - allows you to hide grand totals for both rows and columns. On for Rows and Columns - allows you to display grand totals for both rows and columns. On for Rows Only - allows you to display grand totals for rows only. On for Columns Only - allows you to display grand totals for columns only. Note: the similar settings are also available in the pivot table advanced settings window in the Grand Totals section of the Name and Layout tab. The Select button allows you to select the entire pivot table. If you change the data in your source data set, select the pivot table and click the Refresh button to update the pivot table. Change the style of pivot tables You can change the appearance of pivot tables in a spreadsheet using the style editing tools available on the top toolbar. Select at least one cell within the pivot table with the mouse to activate the editing tools on the top toolbar. The rows and columns options allow you to emphasize certain rows/columns applying specific formatting to them, or highlight different rows/columns with different background colors to clearly distinguish them. The following options are available: Row Headers - allows you to highlight the row headers with special formatting. Column Headers - allows you to highlight the column headers with special formatting. Banded Rows - enables the background color alternation for odd and even rows. Banded Columns - enables the background color alternation for odd and even columns. The template list allows you to choose one of the predefined pivot table styles. Each template combines certain formatting parameters, such as a background color, border style, row/column banding, etc. Depending on the options checked for rows and columns, the templates set will be displayed differently. For example, if you've checked the Row Headers and Banded Columns options, the displayed templates list will include only templates with the row headers highlighted and banded columns enabled. Filter, sort and add slicers in pivot tables You can filter pivot tables by labels or values and use the additional sort parameters. Filtering Click the drop-down arrow in the Row Labels or Column Labels of the pivot table. The Filter option list will open: Adjust the filter parameters. You can proceed in one of the following ways: select the data to display or filter the data by certain criteria. Select the data to display Uncheck the boxes near the data you need to hide. For your convenience, all the data within the Filter option list are sorted in ascending order. Note: the (blank) checkbox corresponds to the empty cells. It is available if the selected cell range contains at least one empty cell. To facilitate the process, make use of the search field on the top. Enter your query, entirely or partially, in the field - the values that include these characters will be displayed in the list below. The following two options will be also available: Select All Search Results - is checked by default. It allows selecting all the values that correspond to your query in the list. Add current selection to filter - if you check this box, the selected values will not be hidden when you apply the filter. After you select all the necessary data, click the OK button in the Filter option list to apply the filter. Filter data by certain criteria You can choose either the Label filter or the Value filter option on the right side of the Filter options list, and then select one of the options from the submenu: For the Label filter the following options are available: For texts: Equals..., Does not equal..., Begins with..., Does not begin with..., Ends with..., Does not end with..., Contains..., Does not contain... For numbers: Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between. For the Value filter the following options are available: Equals..., Does not equal..., Greater than..., Greater than or equal to..., Less than..., Less than or equal to..., Between, Not between, Top 10. After you select one of the above options (apart from Top 10), the Label/Value Filter window will open. The corresponding field and criterion will be selected in the first and second drop-down lists. Enter the necessary value in the field on the right. Click OK to apply the filter. If you choose the Top 10 option from the Value filter option list, a new window will open: The first drop-down list allows choosing if you wish to display the highest (Top) or the lowest (Bottom) values. The second field allows specifying how many entries from the list or which percent of the overall entries number you want to display (you can enter a number from 1 to 500). The third drop-down list allows setting the units of measure: Item, Percent, or Sum. The fourth drop-down list displays the selected field name. Once the necessary parameters are set, click OK to apply the filter. The Filter button will appear in the Row Labels or Column Labels of the pivot table. It means that the filter is applied. Sorting You can sort your pivot table data using the sort options. Click the drop-down arrow in the Row Labels or Column Labels of the pivot table and then select Sort Lowest to Highest or Sort Highest to Lowest option from the submenu. The More Sort Options option allows you to open the Sort window where you can select the necessary sorting order - Ascending or Descending - and then select a certain field you want to sort. Adding slicers You can add slicers to filter data easier by displaying only what is needed. To learn more about slicers, please read the guide on creating slicers. Adjust pivot table advanced settings To change the advanced settings of the pivot table, use the Show advanced settings link on the right sidebar. The 'Pivot Table - Advanced Settings' window will open: The Name and Layout tab allows you to change the pivot table common properties. The Name option allows you to change the pivot table name. The Grand Totals section allows you to choose if you want to display grand totals in the pivot table. The Show for rows and Show for columns options are checked by default. You can uncheck either one of them or both these options to hide the corresponding grand totals from your pivot table. Note: the similar settings are available on the top toolbar in the Grand Totals menu. The Display fields in report filter area section allows you to adjust the report filters which appear when you add fields to the Filters section: The Down, then over option is used for column arrangement. It allows you to show the report filters across the column. The Over, then down option is used for row arrangement. It allows you to show the report filters across the row. The Report filter fields per column option allows you to select the number of filters to go in each column. The default value is set to 0. You can set the necessary numeric value. The Field Headers section allows you to choose if you want to display field headers in your pivot table. The Show field headers for rows and columns option is selected by default. Uncheck it to hide field headers from your pivot table. The Data Source tab allows you to change the data you wish to use to create the pivot table. Check the selected Data Range and modify it, if necessary. To do that, click the icon. In the Select Data Range window, enter the necessary data range in the following format: Sheet1!$A$1:$E$10. You can also select the necessary cell range in the sheet using the mouse. When ready, click OK. The Alternative Text tab allows specifying the Title and the Description which will be read to people with vision or cognitive impairments to help them better understand what information the pivot table contains. Delete a pivot table To delete a pivot table, Select the entire pivot table using the Select button on the top toolbar. Press the Delete key." }, { "id": "UsageInstructions/RemoveDuplicates.htm", @@ -2523,12 +2548,12 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Manage sheet view presets", - "body": "The ONLYOFFICE Spreadsheet Editor offers a sheet view manager for view presets that are based on the applied filters. Now you can save the required filtering and sorting parameters as a view preset and use it afterwards together with your colleagues as well as create several presets and switch among them effortlessly. If you are collaborating on a spreadsheet, create individual view presets and continue working with the filters and sorting parameters you need without being disrupted by other co-editors. Creating a new sheet view preset Since a view preset is designed to save customized filtering and sorting parameters, first you need to apply the said parameters to the sheet. To learn more about filtering and sorting, please refer to this page . There are two ways to create a new sheet view preset. You can either go to the View tab and click the Sheet View icon, choose the View manager option from the drop-down menu, click the New button in the opened Sheet View Manager window, specify the name of the sheet view preset, or click the New button on the View tab located at the top toolbar. The preset will be created under a default name “View1/2/3...”. To change the name, go to the Sheet View Manager, select the required preset, and click Rename. Click Go to view to activate the created view preset. Switching among sheet view presets Go to the View tab and click the Sheet View icon. Choose the View manager option from the drop-down menu. Select the sheet view preset you want to activate in the Sheet views field. Click Go to view to switch to the selected preset. To exit the current sheet view preset, Close icon on the View tab located at the top toolbar. Managing sheet view presets Go to the View tab and click the Sheet View icon. Choose the View manager option from the drop-down menu. Select the sheet view preset you want to edit in the opened Sheet View Manager window. Choose one of the editing options: Rename to rename the selected preset, Duplicate to create a copy of the selected preset, Delete to delete the selected preset. Click Go to view to activate the selected preset." + "body": "Note: this feature is available in the paid version only starting from ONLYOFFICE Docs v. 6.1. To enable this feature in the desktop version, refer to this article. The ONLYOFFICE Spreadsheet Editor offers a sheet view manager for view presets that are based on the applied filters. Now you can save the required filtering parameters as a view preset and use it afterwards together with your colleagues as well as create several presets and switch among them effortlessly. If you are collaborating on a spreadsheet, create individual view presets and continue working with the filters you need without being disrupted by other co-editors. Creating a new sheet view preset Since a view preset is designed to save customized filtering parameters, first you need to apply the said parameters to the sheet. To learn more about filtering, please refer to this page . There are two ways to create a new sheet view preset. You can either go to the View tab and click the Sheet View icon, choose the View manager option from the drop-down menu, click the New button in the opened Sheet View Manager window, specify the name of the sheet view preset, or click the New button on the View tab located at the top toolbar. The preset will be created under a default name “View1/2/3...”. To change the name, go to the Sheet View Manager, select the required preset, and click Rename. Click Go to view to activate the created view preset. Switching among sheet view presets Go to the View tab and click the Sheet View icon. Choose the View manager option from the drop-down menu. Select the sheet view preset you want to activate in the Sheet views field. Click Go to view to switch to the selected preset. To exit the current sheet view preset, Close icon on the View tab located at the top toolbar. Managing sheet view presets Go to the View tab and click the Sheet View icon. Choose the View manager option from the drop-down menu. Select the sheet view preset you want to edit in the opened Sheet View Manager window. Choose one of the editing options: Rename to rename the selected preset, Duplicate to create a copy of the selected preset, Delete to delete the selected preset. Click Go to view to activate the selected preset." }, { "id": "UsageInstructions/Slicers.htm", - "title": "Create slicers for formatted tables", - "body": "Create a new slicer Once you create a new formatted table, you can create slicers to quickly filter the data. To do that, select at least one cell within the formatted table with the mouse and click the Table settings icon on the right. click the Insert slicer option on the Table settings tab of the right sidebar. Alternatively, you can switch to the Insert tab of the top toolbar and click the Slicer button. The Insert Slicers window will be opened: check the required columns in the Insert Slicers window. click the OK button. A slicer will be added for each of the selected columns. If you add several slicers, they will overlap each other. Once the slicer is added, you can change its size and position as well as its settings. A slicer contains buttons that you can click to filter the formatted table. The buttons corresponding to empty cells are marked with the (blank) label. When you click a slicer button, other buttons will be unselected, and the corresponding column in the source table will be filtered to only display the selected item: If you have added several slicers, the changes made in one slicer can affect the items from another slicer. When one or more filters are applied to a slicer, items with no data can appear in a different slicer (with a lighter color): You can adjust the way to display items with no data in the slicer settings. To select multiple slicer buttons, use the Multi-Select icon in the upper right corner of the slicer or press Alt+S. Select necessary slicer buttons clicking them one by one. To clear the slicer filter, use the Clear Filter icon in the upper right corner of the slicer or press Alt+C. Edit slicers Some of the slicer settings can be changed using the Slicer settings tab of the right sidebar that will open if you select the slicer with the mouse. You can hide or display this tab by clicking the icon on the right. Change the slicer size and position The Width and Height options allow you to change the width and/or height of the slicer. 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 slicer aspect ratio. The Position section allows you to change the Horizontal and/or Vertical slicer position. The Disable resizing or moving option allows you to prevent the slicer from being moved or resized. When this option is checked, the Width, Height, Position, and Buttons options are disabled. Change the slicer layout and style The Buttons section allows you to specify the necessary number of Columns and set the Width and Height of the buttons. By default, a slicer contains one column. If your items contain short text, you can change the column number to 2 or more: If you increase the button width, the slicer width will change correspondingly. If you increase the button height, the scroll bar will be added to the slicer: The Style section allows you to choose one of the predefined slicer styles. Apply sorting and filtering parameters Ascending (A to Z) is used to sort the data in ascending order - from A to Z alphabetically or from the smallest to the largest number for numerical data. Descending (Z to A) is used to sort the data in descending order - from Z to A alphabetically or from the largest to the smallest for numerical data. The Hide items with no data option allows you to hide items with no data from the slicer. When this option is checked, the Visually indicate items with no data and Show items with no data last options are disabled. When the Hide items with no data option is unchecked, you can use the following options: The Visually indicate items with no data option allows you to display items with no data with different formatting (with a lighter color). If you uncheck this option, all items will be displayed with the same formatting. The Show items with no data last option allows you to display items with no data at the end of the list. If you uncheck this option, all items will be displayed in the same order as in the source table. Adjust advanced slicer settings To change the advanced slicer properties, use the Show advanced settings link on the right sidebar. The 'Slicer - Advanced Settings' window will open: The Style & Size tab contains the following parameters: The Header option allows you to change the slicer header. Uncheck the Display header option if you do not want to display the slicer header. The Style section allows you to choose one of the predefined slicer styles. The Width and Height options allow you to change the width and/or height of the slicer. 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 slicer aspect ratio. The Buttons section allows you to specify the necessary number of Columns and set the Height of the buttons. The Sorting & Filtering tab contains the following parameters: Ascending (A to Z) is used to sort the data in ascending order - from A to Z alphabetically or from the smallest to the largest number for numerical data. Descending (Z to A) is used to sort the data in descending order - from Z to A alphabetically or from the largest to the smallest for numerical data. The Hide items with no data option allows you to hide items with no data from the slicer. When this option is checked, the Visually indicate items with no data and Show items with no data last options are disabled. When the Hide items with no data option is unchecked, you can use the following options: The Visually indicate items with no data option allows you to display items with no data with different formatting (with a lighter color). The Show items with no data last option allows you to display items with no data at the end of the list. The References tab contains the following parameters: The Source name option allows you to view the field name corresponding to the column header from the source data set. The Name to use in formulas option allows you to view the slicer name which is displayed in the Name manager. The Name option allows you to set a custom name for a slicer to make it more meaningful and understandable. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the slicer to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the slicer will be moved together with the cell. If you increase or decrease the width or height of the cell, the slicer will change its size as well. Move but don't size with cells - this option allows you to snap the slicer to the cell behind it preventing the slicer from being resized. If the cell moves, the slicer will be moved together with the cell, but if you change the cell size, the slicer dimensions remain unchanged. Don't move or size with cells - this option allows you to prevent the slicer from being moved or resized if the cell position or size was changed. The Alternative Text tab allows you 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 slicer contains. Delete a slicer To delete a slicer, Select the slicer by clicking it. Press the Delete key." + "title": "Create slicers for tables", + "body": "Create a new slicer Once you create a new formatted table or a pivot table, you can create slicers to quickly filter the data. To do that, select at least one cell within the table with the mouse and click the Table settings icon on the right. click the Insert slicer option on the Table settings tab of the right sidebar. Alternatively, you can switch to the Insert tab of the top toolbar and click the Slicer button. The Insert Slicers window will be opened: check the required columns in the Insert Slicers window. click the OK button. A slicer will be added for each of the selected columns. If you add several slicers, they will overlap each other. Once the slicer is added, you can change its size and position as well as its settings. A slicer contains buttons that you can click to filter the table. The buttons corresponding to empty cells are marked with the (blank) label. When you click a slicer button, other buttons will be unselected, and the corresponding column in the source table will be filtered to only display the selected item: If you have added several slicers, the changes made in one slicer can affect the items from another slicer. When one or more filters are applied to a slicer, items with no data can appear in a different slicer (with a lighter color): You can adjust the way to display items with no data in the slicer settings. To select multiple slicer buttons, use the Multi-Select icon in the upper right corner of the slicer or press Alt+S. Select necessary slicer buttons clicking them one by one. To clear the slicer filter, use the Clear Filter icon in the upper right corner of the slicer or press Alt+C. Edit slicers Some of the slicer settings can be changed using the Slicer settings tab of the right sidebar that will open if you select the slicer with the mouse. You can hide or display this tab by clicking the icon on the right. Change the slicer size and position The Width and Height options allow you to change the width and/or height of the slicer. 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 slicer aspect ratio. The Position section allows you to change the Horizontal and/or Vertical slicer position. The Disable resizing or moving option allows you to prevent the slicer from being moved or resized. When this option is checked, the Width, Height, Position, and Buttons options are disabled. Change the slicer layout and style The Buttons section allows you to specify the necessary number of Columns and set the Width and Height of the buttons. By default, a slicer contains one column. If your items contain short text, you can change the column number to 2 or more: If you increase the button width, the slicer width will change correspondingly. If you increase the button height, the scroll bar will be added to the slicer: The Style section allows you to choose one of the predefined slicer styles. Apply sorting and filtering parameters Ascending (A to Z) is used to sort the data in ascending order - from A to Z alphabetically or from the smallest to the largest number for numerical data. Descending (Z to A) is used to sort the data in descending order - from Z to A alphabetically or from the largest to the smallest for numerical data. The Hide items with no data option allows you to hide items with no data from the slicer. When this option is checked, the Visually indicate items with no data and Show items with no data last options are disabled. When the Hide items with no data option is unchecked, you can use the following options: The Visually indicate items with no data option allows you to display items with no data with different formatting (with a lighter color). If you uncheck this option, all items will be displayed with the same formatting. The Show items with no data last option allows you to display items with no data at the end of the list. If you uncheck this option, all items will be displayed in the same order as in the source table. Adjust advanced slicer settings To change the advanced slicer properties, use the Show advanced settings link on the right sidebar. The 'Slicer - Advanced Settings' window will open: The Style & Size tab contains the following parameters: The Header option allows you to change the slicer header. Uncheck the Display header option if you do not want to display the slicer header. The Style section allows you to choose one of the predefined slicer styles. The Width and Height options allow you to change the width and/or height of the slicer. 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 slicer aspect ratio. The Buttons section allows you to specify the necessary number of Columns and set the Height of the buttons. The Sorting & Filtering tab contains the following parameters: Ascending (A to Z) is used to sort the data in ascending order - from A to Z alphabetically or from the smallest to the largest number for numerical data. Descending (Z to A) is used to sort the data in descending order - from Z to A alphabetically or from the largest to the smallest for numerical data. The Hide items with no data option allows you to hide items with no data from the slicer. When this option is checked, the Visually indicate items with no data and Show items with no data last options are disabled. When the Hide items with no data option is unchecked, you can use the following options: The Visually indicate items with no data option allows you to display items with no data with different formatting (with a lighter color). The Show items with no data last option allows you to display items with no data at the end of the list. The References tab contains the following parameters: The Source name option allows you to view the field name corresponding to the column header from the source data set. The Name to use in formulas option allows you to view the slicer name which is displayed in the Name manager. The Name option allows you to set a custom name for a slicer to make it more meaningful and understandable. The Cell Snapping tab contains the following parameters: Move and size with cells - this option allows you to snap the slicer to the cell behind it. If the cell moves (e.g. if you insert or delete some rows/columns), the slicer will be moved together with the cell. If you increase or decrease the width or height of the cell, the slicer will change its size as well. Move but don't size with cells - this option allows you to snap the slicer to the cell behind it preventing the slicer from being resized. If the cell moves, the slicer will be moved together with the cell, but if you change the cell size, the slicer dimensions remain unchanged. Don't move or size with cells - this option allows you to prevent the slicer from being moved or resized if the cell position or size was changed. The Alternative Text tab allows you 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 slicer contains. Delete a slicer To delete a slicer, Select the slicer by clicking it. Press the Delete key." }, { "id": "UsageInstructions/SortData.htm", @@ -2543,7 +2568,7 @@ var indexes = { "id": "UsageInstructions/Translator.htm", "title": "Translate text", - "body": "You can translate your spreadsheet from and to numerous languages. Select the text that you want to translate. Switch to the Plugins tab and choose Translator, the Translator appears in a sidebar on the left. The language of the selected text will be automatically detected and the text will be translated to the default language. Changing the language of your result: Click the lower drop-down box and choose the preferred language. The translation will change immediately. Wrong detection of the source language If the automatic detection is not correct, you can overrule it: Click the upper drop-down box and choose the preferred language." + "body": "You can translate your spreadsheet from and to numerous languages. Select the text that you want to translate. Switch to the Plugins tab and choose Translator, the Translator appears in a sidebar on the left. Click the drop-down box and choose the preferred language. The text will be translated to the required language. Changing the language of your result: Click the drop-down box and choose the preferred language. The translation will change immediately." }, { "id": "UsageInstructions/UndoRedo.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm index 4af8b588d..c1d53b1af 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/ProgramInterface/PluginsTab.htm @@ -31,7 +31,9 @@
  • Resaltar código permite resaltar la sintaxis del código, seleccionando el idioma, el estilo y el color de fondo necesarios,
  • Editor de Fotos permite editar imágenes: cortar, cambiar tamaño, usar efectos etc.
  • El Diccionario de sinónimos permite buscar tanto sinónimos como antónimos de una palabra y reemplazar esta palabra por la seleccionada,
  • -
  • Traductor permite traducir el texto seleccionado a otros idiomas,
  • +
  • Traductor permite traducir el texto seleccionado a otros idiomas, +

    Nota: este complemento no funciona en Internet Explorer.

    +
  • Youtube permite adjuntar vídeos de YouTube en suhoja de cálculo.
  • Para aprender más sobre plugins, por favor, lea nuestra Documentación API. Todos los ejemplos de puglin existentes y de acceso libre están disponibles en GitHub

    diff --git a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/FontTypeSizeStyle.htm b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/FontTypeSizeStyle.htm index 9a37d1252..065602c90 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/FontTypeSizeStyle.htm +++ b/apps/spreadsheeteditor/main/resources/help/es/UsageInstructions/FontTypeSizeStyle.htm @@ -18,8 +18,8 @@

    Nota: en el caso de que quiera aplicar el formato de los datos ya presente en la hoja de cálculo, seleccione este con el ratón o usando el teclado y aplique el formato. Si usted quiere aplicar el formato a varias celdas o rango de celdas no adyacentes, mantenga presionada la tecla Ctrl mientras selecciona las celdas/rangos con el ratón.

    - - + + diff --git a/apps/spreadsheeteditor/main/resources/help/es/editor.css b/apps/spreadsheeteditor/main/resources/help/es/editor.css index 2cf64b652..443ea7b42 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/es/editor.css @@ -10,7 +10,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -186,4 +186,38 @@ kbd { box-shadow: 0 1px 3px rgba(85,85,85,.35); margin: 0.2em 0.1em; color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/backgroundcolor.png b/apps/spreadsheeteditor/main/resources/help/es/images/backgroundcolor.png index d73b2b665..7af662f5a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/backgroundcolor.png and b/apps/spreadsheeteditor/main/resources/help/es/images/backgroundcolor.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/bold.png b/apps/spreadsheeteditor/main/resources/help/es/images/bold.png index 8b50580a0..ff78d284e 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/bold.png and b/apps/spreadsheeteditor/main/resources/help/es/images/bold.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/changecolorscheme.png b/apps/spreadsheeteditor/main/resources/help/es/images/changecolorscheme.png index f9464e5f4..9ef44daaf 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/changecolorscheme.png and b/apps/spreadsheeteditor/main/resources/help/es/images/changecolorscheme.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/fontcolor.png b/apps/spreadsheeteditor/main/resources/help/es/images/fontcolor.png index 1f3478e4e..f1263f839 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/fontcolor.png and b/apps/spreadsheeteditor/main/resources/help/es/images/fontcolor.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/fontfamily.png b/apps/spreadsheeteditor/main/resources/help/es/images/fontfamily.png index f5521a276..8b68acb6d 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/fontfamily.png and b/apps/spreadsheeteditor/main/resources/help/es/images/fontfamily.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/italic.png b/apps/spreadsheeteditor/main/resources/help/es/images/italic.png index 08fd67a4d..7d5e6d062 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/italic.png and b/apps/spreadsheeteditor/main/resources/help/es/images/italic.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/larger.png b/apps/spreadsheeteditor/main/resources/help/es/images/larger.png index 1a461a817..8c4befb6c 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/larger.png and b/apps/spreadsheeteditor/main/resources/help/es/images/larger.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/smaller.png b/apps/spreadsheeteditor/main/resources/help/es/images/smaller.png index d24f79a22..a24525389 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/smaller.png and b/apps/spreadsheeteditor/main/resources/help/es/images/smaller.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/strike.png b/apps/spreadsheeteditor/main/resources/help/es/images/strike.png index d86505d51..742143a34 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/strike.png and b/apps/spreadsheeteditor/main/resources/help/es/images/strike.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/sub.png b/apps/spreadsheeteditor/main/resources/help/es/images/sub.png index 5fc959534..b99d9c1df 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/sub.png and b/apps/spreadsheeteditor/main/resources/help/es/images/sub.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/images/underline.png b/apps/spreadsheeteditor/main/resources/help/es/images/underline.png index 793ad5b94..4c82ff29b 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/es/images/underline.png and b/apps/spreadsheeteditor/main/resources/help/es/images/underline.png differ diff --git a/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js index d4f4f5312..c7275defd 100644 --- a/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/es/search/indexes.js @@ -50,6 +50,11 @@ var indexes = "title": "Función AMORTIZ.PROGRE", "body": "La función AMORTIZ.PROGRE es una función financiera. Se usa para calcular la depreciación de un activo para cada periodo contable usando el método de depreciación decreciente. La sintaxis de la función AMORTIZ.PROGRE es: AMORTIZ.PROGRE(coste, fecha-de-compra, primer-periodo, residual, periodo, tasa[, [base]]) donde coste es el precio del activo. fecha-de-compra es la fecha de compra del activo. primer-periodo es la fecha en la que el primer periodo termina. residual es el valor residual del activo al final de su vida. periodo es el periodo para el que usted quiere calcular la depreciación. tasa es la tasa de depreciación. base es la base de recuento de días a usar, un valor numérico mayor o igual a 0, pero menor o igual a 4. Es un argumento opcional. Puede ser uno de los siguientes: Valor numérico Método de cálculo 0 US (NASD) 30/360 1 Actual/actual 2 Actual/360 3 Actual/365 4 Europeo 30/360 Nota: las fechas deben introducirse usando la función FECHA. Los datos se pueden introducir manualmente o se pueden incluir en las celdas a las que usted hace referencia. Para aplicar la función AMORTIZ.PROGRE, seleccione la celda donde usted quiere ver el resultado, haga clic en el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Financiero en la lista, haga clic en la función AMORTIZ.PROGRE, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/amorintm.htm", + "title": "Función VF", + "body": "La función VF es una función financiera. Se usa para calcular el valor futuro de una inversión basado en un tipo de interés específico y en un programa de pagos constante. La sintaxis de la función VF es: FV(tasa, nper, pmt [, [pv] [,[tipo]]]) donde tasa es un tipo de interés para la inversión. nper es un número de pagos. pmt es la cantidad de un pago. pv es el valor presente de los pagos. Es un argumento opcional. Si se omite, la función pv será igual a 0. tipo es un plazo cuando los pagos vencen. Es un argumento opcional. Si se establece en 0 u se omite, la función asumirá el vencimiento de los pagos para el final del periodo. Si type se establece en 1, los pagos vencen al principio del periodo. Nota: pago en efectivo (como depósitos en cuentas) se representa con números negativos; efectivo recibido (como cheques de dividendos) se representa con números positivos. Los valores numéricos puede introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función VF, seleccione la celda donde usted quiere ver el resultado, haga clic en el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Financiero en la lista, haga clic en la función VF, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/amorlinc.htm", "title": "Función AMORTIZ.LIN", @@ -226,20 +231,20 @@ var indexes = "body": "La función BIT.XO es una función de ingeniería. Se usa para devolver un bit 'X.O’ de dos números. La sintaxis de la función BIT.XO es: BIT.XO(número1, número2) donde número1 es un valor numérico en forma decimal mayor o igual que 0. número2 es un valor numérico en forma decimal mayor o igual que 0. Los valores numéricos pueden introducirse a mano o incluirse en la celda a la que usted hace referencia. El valor de cada posición del dígito es 1 cuando las posiciones de los dígitos de los parámetros son diferentes. Para aplicar la función BIT.XO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Ingeniería en la lista, haga clic en la función BIT.XO, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { - "id": "Functions/ceiling.htm", - "title": "Función MULTIPLO.SUPERIOR", - "body": "La función MULTIPLO.SUPERIOR es una función matemática y trigonométrica. Se usa para redondear el número hacia arriba al múltiplo significativo más próximo. La sintaxis de la función MULTIPLO.SUPERIOR es: MULTIPLO.SUPERIOR(x, significado) donde x es el número que usted quiere redondear, significado es el múltiplo del significado que quiere redondear, Los valores numéricos pueden introducirse a mano o incluirse en la celda a la que usted hace referencia. Nota: si los valores de x y significado tienen signos diferentes, la función devolverá el error #NUM!. Para aplicar la función MULTIPLO.SUPERIOR, seleccione la celda donde usted quiere ver el resultado, haga clic en el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.SUPERIOR, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." - }, - { - "id": "Functions/ceilingmath.htm", + "id": "Functions/ceiling-math.htm", "title": "Función MULTIPLO.SUPERIOR.MAT", "body": "La función MULTIPLO.SUPERIOR.MAT es una función matemática y trigonométrica. Se usa para redondear el número hacia arriba al múltiplo o número natural significativo más próximo. La sintaxis de la función MULTIPLO.SUPERIOR.MAT es: MULTIPLO.SUPERIOR.MAT(x [, [significado] [, [modo]]) donde x es el número que usted quiere redondear. significado es el múltiplo del significado que quiere redondear. Es un parámetro opcional. Si se omite, se usa el valor predeterminado 1. modo especifica si números negativos se rodean hacia o en el sentido contrario de cero. Es una parámetro opcional que no afecta a los números positivos. Si se omite o se pone a 0, los números negativos se redondean hacia cero. Si se especifica otro valor numérico, números negativos se redondean en el sentido contrario a cero. Los valores numéricos pueden introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.SUPERIOR.MAT, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.SUPERIOR.MAT, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { - "id": "Functions/ceilingprecise.htm", + "id": "Functions/ceiling-precise.htm", "title": "Función MULTIPLO.SUPERIOR.EXACTO", "body": "La función MULTIPLO.SUPERIOR.EXACTO es una función matemática y trigonométrica. Se usa para devolver un número que se redondea hacia arriba al múltiplo o número natural significativo más próximo. El número siempre se redondea hacia arriba sin importar su signo. La sintaxis de la función MULTIPLO.SUPERIOR.EXACTO es: MULTIPLO.SUPERIOR.EXACTO(x [, significado]) donde x es el número que usted quiere redondear hacia arriba. significado es el múltiplo del significado que quiere redondear hacia arriba. Es un parámetro opcional. Si se omite, se usa el valor predeterminado 1. Si se pone a cero, la función vuelve a 0. Los valores numéricos pueden introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.SUPERIOR.EXACTO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.SUPERIOR.EXACTO, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/ceiling.htm", + "title": "Función MULTIPLO.SUPERIOR", + "body": "La función MULTIPLO.SUPERIOR es una función matemática y trigonométrica. Se usa para redondear el número hacia arriba al múltiplo significativo más próximo. La sintaxis de la función MULTIPLO.SUPERIOR es: MULTIPLO.SUPERIOR(x, significado) donde x es el número que usted quiere redondear, significado es el múltiplo del significado que quiere redondear, Los valores numéricos pueden introducirse a mano o incluirse en la celda a la que usted hace referencia. Nota: si los valores de x y significado tienen signos diferentes, la función devolverá el error #NUM!. Para aplicar la función MULTIPLO.SUPERIOR, seleccione la celda donde usted quiere ver el resultado, haga clic en el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.SUPERIOR, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/char.htm", "title": "Función CARACTER", @@ -676,7 +681,7 @@ var indexes = "body": "La función FUN.ERROR.COMPL es una función de ingeniería. Se usa para calcular la función de error complementaria integrada entre el límite inferior especificado e infinito. La sintaxis de la función FUN.ERROR.COMPL es: FUN.ERROR.COMPL(límite-inferior) dondelímite-inferior es el límite inferior de la integración introducido manualmente o incluido en la celda a la que usted hace referencia. Para aplicar la función FUN.ERROR.COMPL, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Ingeniería en la lista, haga clic en la función FUN.ERROR.COMPL, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { - "id": "Functions/error.type.htm", + "id": "Functions/error-type.htm", "title": "Función TIPO.DE.ERROR", "body": "La función TIPO.DE.ERROR es una función de información. Se usa para devolver la representación numérica de uno de los errores existentes. La sintaxis de la función TIPO.DE.ERROR es: TIPO.DE.ERROR(valor) donde valor es un valor de error introducido a mano o incluido en la celda a la que usted hace referencia. La lista de valores de error: Valor de error Representación numérica #NULL! 1 #DIV/0! 2 #VALUE! 3 #REF! 4 #NAME? 5 #NUM! 6 #N/A 7 #GETTING_DATA 8 Otros #N/A Para aplicar la función TIPO.DE.ERROR, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Información en la lista, haga clic en la función TIPO.DE.ERROR, introduzca un argumento requerido, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, @@ -755,6 +760,11 @@ var indexes = "title": "Función ENCONTRAR/ENCONTRARB", "body": "La función ENCONTRAR/ENCONTRARB es una función de texto y datos. Se usa para encontrar la subcadena especificada (cadena-1) dentro de una cadena (cadena-2). La función ENCONTRAR está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función ENCONTRARB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función ENCONTRAR/ENCONTRARB es: ENCONTRAR(cadena-1, cadena-2 [,posición-inicio]) ENCONTRARB(cadena-1, cadena-2 [,posición-inicio]) donde cadena-1 es la cadena que usted está buscando, cadena-2 es la cadena dentro de la que se realiza la búsqueda, posición-inicio es la posición en una cadena donde se inicia la búsqueda. Es un argumento opcional. Si se omite, se iniciará la búsqueda desde el principio de la cadena. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Nota: si no se encuentran coincidencias, la función devolverá el valor de error #VALOR!. Para aplicar la función ENCONTRAR/ENCONTRARB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función ENCONTRAR/ENCONTRARB, introduzca los argumentos correspondientes separados por comas,Nota: la función ENCONTRAR/ENCONTRARB es sensible a mayúscula y minúscula. pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/findb.htm", + "title": "Función ENCONTRAR/ENCONTRARB", + "body": "La función ENCONTRAR/ENCONTRARB es una función de texto y datos. Se usa para encontrar la subcadena especificada (cadena-1) dentro de una cadena (cadena-2). La función ENCONTRAR está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función ENCONTRARB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función ENCONTRAR/ENCONTRARB es: ENCONTRAR(cadena-1, cadena-2 [,posición-inicio]) ENCONTRARB(cadena-1, cadena-2 [,posición-inicio]) donde cadena-1 es la cadena que usted está buscando, cadena-2 es la cadena dentro de la que se realiza la búsqueda, posición-inicio es la posición en una cadena donde se inicia la búsqueda. Es un argumento opcional. Si se omite, se iniciará la búsqueda desde el principio de la cadena. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Nota: si no se encuentran coincidencias, la función devolverá el valor de error #VALOR!. Para aplicar la función ENCONTRAR/ENCONTRARB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función ENCONTRAR/ENCONTRARB, introduzca los argumentos correspondientes separados por comas,Nota: la función ENCONTRAR/ENCONTRARB es sensible a mayúscula y minúscula. pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/finv.htm", "title": "Función DISTR.F.INV", @@ -776,20 +786,20 @@ var indexes = "body": "La función DECIMAL es una función de texto y datos. Se usa para devolver la representación textual de un número redondeado a un número de posiсiones decimales especificado. La sintaxis de la función DECIMAL es: DECIMAL(número [,[núm-decimal] [,suprimir-comas-marcador]) donde número es un número que se va a redondear. núm-decimal es el número de posiciones decimales para mostrar. Es un argumento opcional, si se omite, la función asumirá el valor 2. suprimir-comas-marcador es un valor lógico. Si es VERDADERO, la función devolverá el resultado sin comas. Si es FALSO u se omite, el resultado se mostrará con comas. Los valores pueden introducirse manualmente o incluirse en las celdas a las que usted hace referencia. Para aplicar la función DECIMAL, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función DECIMAL, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { - "id": "Functions/floor.htm", - "title": "Función MULTIPLO.INFERIOR", - "body": "La función MULTIPLO.INFERIOR es una función matemática y trigonométrica. Se usa para redondear el número hacia abajo al múltiplo significativo más próximo. La sintaxis de la función MULTIPLO.INFERIOR es: MULTIPLO.INFERIOR(número, significante) donde númeor es el número que usted quiere redondear hacia abajo. significante es el múltiplo significativo al que usted quiere redondear hacia abajo. Nota: si los valores de x y significante tienen signos diferentes, la función devolverá error #NUM!. Los valores numéricos puede introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.INFERIOR, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.INFERIOR, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." - }, - { - "id": "Functions/floormath.htm", + "id": "Functions/floor-math.htm", "title": "Función MULTIPLO.INFERIOR.MAT", "body": "La función MULTIPLO.INFERIOR.MAT es una función matemática y trigonométrica. Se usa para redondear un número hacia abajo al múltiplo significativo más próximo. La sintaxis de la función MULTIPLO.INFERIOR.MAT es: MULTIPLO.INFERIOR.MAT(x [, [significado] [, [modo]]) donde x es el número que usted quiere redondear hacia abajo. significado es el múltiplo significativo al que usted quiere redondear el número. Es un parámetro opcional. Si se omite, se usa el valor predeterminado 1. modo especifica si números negativos se rodean hacia o en el sentido contrario de cero. Es una parámetro opcional que no afecta a los números positivos. Si se omite o se pone a 0, los números negativos se redondean hacia cero. Si se especifica otro valor numérico, números negativos se redondean en el sentido contrario a cero. Los valores numéricos puede introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.INFERIOR.MAT, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.INFERIOR.MAT, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { - "id": "Functions/floorprecise.htm", + "id": "Functions/floor-precise.htm", "title": "Función MULTIPLO.INFERIOR.EXACTO", "body": "La función MULTIPLO.INFERIOR.EXACTO es una función matemática y trigonométrica. Se usa para devolver un número que se redondea hacia abajo al múltiplo o número natural significativo más próximo. El número siempre se redondea hacia abajo sin importar su signo. La sintaxis de la función MULTIPLO.INFERIOR.EXACTO es: MULTIPLO.INFERIOR.EXACTO(x, [, significado]) donde número es el número que usted quiere redondear hacia abajo. significado es el múltiplo significativo al que usted quiere redondear el número. Es un parámetro opcional. Si se omite, se usa el valor predeterminado 1. Si se pone a cero, la función vuelve a 0. Los valores numéricos puede introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.INFERIOR.EXACTO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.INFERIOR.EXACTO, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/floor.htm", + "title": "Función MULTIPLO.INFERIOR", + "body": "La función MULTIPLO.INFERIOR es una función matemática y trigonométrica. Se usa para redondear el número hacia abajo al múltiplo significativo más próximo. La sintaxis de la función MULTIPLO.INFERIOR es: MULTIPLO.INFERIOR(número, significante) donde númeor es el número que usted quiere redondear hacia abajo. significante es el múltiplo significativo al que usted quiere redondear hacia abajo. Nota: si los valores de x y significante tienen signos diferentes, la función devolverá error #NUM!. Los valores numéricos puede introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.INFERIOR, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.INFERIOR, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/forecast-ets-confint.htm", "title": "Función PRONOSTICO.ETS.CONFINT", @@ -1171,7 +1181,7 @@ var indexes = "body": "La función ESNUMERO es una función de información. Se usa para comprobar un valor numérico. Si la celda contiene un valor numérico, la función devolverá VERDADERO, si no la función devolverá FALSO. La sintaxis de la función ESNUMERO es: ESNUMERO(valor) donde valor es un valor para examinar introducido a mano o incluido en la celda a la que usted hace referencia. Para aplicar la función ESNUMERO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Información en la lista, haga clic en la función ESNUMERO, introduzca un argumento requerido, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { - "id": "Functions/isoceiling.htm", + "id": "Functions/iso-ceiling.htm", "title": "Función MULTIPLO.SUPERIOR.ISO", "body": "La función MULTIPLO.SUPERIOR.ISO es una función matemática y trigonométrica. Se usa para devolver un número que se redondea hacia arriba al múltiplo o número natural significativo más próximo. El número siempre se redondea hacia arriba sin importar su signo. La sintaxis de la función MULTIPLO.SUPERIOR.ISO es: MULTIPLO.SUPERIOR.ISO(x, [, significance]) donde x es el número que usted quiere redondear hacia arriba. significativo es el múltiplo significativo hasta el que usted quiere redondear hacia arriba. Es un parámetro opcional. Si se omite, se usa el valor predeterminado 1. Si se pone a cero, la función vuelve a 0. Los valores numéricos pueden introducirse a mano o incluirse en la celda a la que usted hace referencia. Para aplicar la función MULTIPLO.SUPERIOR.ISO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función MULTIPLO.SUPERIOR.ISO, introduzca los argumentos correspondientes separados por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, @@ -1220,11 +1230,21 @@ var indexes = "title": "Función IZQUIERDA/IZQUIERDAB", "body": "La función IZQUIERDA/IZQUIERDAB es una función de texto y datos. Se usa para extraer una subcadena de la cadena especificada empezando con el carácter izquierdo. La función IZQUIERDA está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función IZQUIERDAB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función IZQUIERDA/IZQUIERDAB es: IZQUIERDA(cadena [, número-caracteres]) IZQUIERDAB(cadena [, número-caracteres]) donde cadena es una cadena de la que usted necesita extraer la subcadena, número-caracteres es un número de caracteres en la subcadena. Es un argumento opcional. Si se omite, el número será igual a 1. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Para aplicar la función IZQUIERDA/IZQUIERDAB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función IZQUIERDA/IZQUIERDAB, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/leftb.htm", + "title": "Función IZQUIERDA/IZQUIERDAB", + "body": "La función IZQUIERDA/IZQUIERDAB es una función de texto y datos. Se usa para extraer una subcadena de la cadena especificada empezando con el carácter izquierdo. La función IZQUIERDA está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función IZQUIERDAB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función IZQUIERDA/IZQUIERDAB es: IZQUIERDA(cadena [, número-caracteres]) IZQUIERDAB(cadena [, número-caracteres]) donde cadena es una cadena de la que usted necesita extraer la subcadena, número-caracteres es un número de caracteres en la subcadena. Es un argumento opcional. Si se omite, el número será igual a 1. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Para aplicar la función IZQUIERDA/IZQUIERDAB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función IZQUIERDA/IZQUIERDAB, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/len.htm", "title": "Función LARGO/LARGOB", "body": "La función LARGO/LARGOB es una función de texto y datos. Se usa para analizar la cadena especificada y devolver el número de caracteres en ella. La función LARGO está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras LARGOB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función LARGO/LARGOB es: LARGO(cadena) LARGOB(cadena) donde cadena es un dato introducido manualmente o incluido en la celda a la que usted hace referencia. Para aplicar la función LARGO/LARGOB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función LARGO/LARGOB, introduzca un argumento requerido, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/lenb.htm", + "title": "Función LARGO/LARGOB", + "body": "La función LARGO/LARGOB es una función de texto y datos. Se usa para analizar la cadena especificada y devolver el número de caracteres en ella. La función LARGO está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras LARGOB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función LARGO/LARGOB es: LARGO(cadena) LARGOB(cadena) donde cadena es un dato introducido manualmente o incluido en la celda a la que usted hace referencia. Para aplicar la función LARGO/LARGOB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función LARGO/LARGOB, introduzca un argumento requerido, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/ln.htm", "title": "Función LN", @@ -1310,6 +1330,11 @@ var indexes = "title": "Función EXTRAE/EXTRAEB", "body": "La función EXTRAE/EXTRAEB es una función de texto y datos. Se usa para extraer los caracteres desde la cadena especificada empezando de cualquiera posición. La función EXTRAE está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función EXTRAEB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La función EXTRAE/EXTRAEB es: EXTRAE(cadena, posición-empiece, número-caracteres) EXTRAEB(cadena, posición-empiece, número-caracteres) donde cadena es la cadena de la que usted necesita extraer los caracteres. posición-empiece es la posición de donde se comienzan a extraerse los caracteres necesarios. número-caracteres es el número de caracteres que usted necesita extraer. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Para aplicar la función EXTRAE/EXTRAEB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función EXTRAE/EXTRAEB, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/midb.htm", + "title": "Función EXTRAE/EXTRAEB", + "body": "La función EXTRAE/EXTRAEB es una función de texto y datos. Se usa para extraer los caracteres desde la cadena especificada empezando de cualquiera posición. La función EXTRAE está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función EXTRAEB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La función EXTRAE/EXTRAEB es: EXTRAE(cadena, posición-empiece, número-caracteres) EXTRAEB(cadena, posición-empiece, número-caracteres) donde cadena es la cadena de la que usted necesita extraer los caracteres. posición-empiece es la posición de donde se comienzan a extraerse los caracteres necesarios. número-caracteres es el número de caracteres que usted necesita extraer. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Para aplicar la función EXTRAE/EXTRAEB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función EXTRAE/EXTRAEB, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/min.htm", "title": "Función MIN", @@ -1715,6 +1740,11 @@ var indexes = "title": "Función REEMPLAZAR/REEMPLAZARB", "body": "La función REEMPLAZAR/REEMPLAZARB es una función de texto y datos. Se usa para reemplazar el conjunto de caracteres por un conjunto nuevo, tomando en cuenta el número de caracteres y el punto de inicio especificado. La función REEMPLAZAR está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función REEMPLAZARB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función REEMPLAZAR/REEMPLAZARB es: REEMPLAZAR(cadena-1, pos-inicio, número-caracteres, cadena-2) REEMPLAZARB(cadena-1, pos-inicio, número-caracteres, cadena-2) donde cadena-1 es el texto original que debe ser reemplazado. pos-inicio es el punto de inicio del conjunto que debe ser reemplazado. número-caracteres es el número de caracteres para reemplazar. cadena-2 es un texto nuevo. Los valores pueden introducirse manualmente o incluirse en las celdas a las que usted hace referencia. Para aplicar la función REEMPLAZAR/REEMPLAZARB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función REEMPLAZAR/REEMPLAZARB, introduzca los argumentos requeridos separándolos por comas,Nota: la función REEMPLAZAR es sensible a mayúsculas y minúsculas. pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/replaceb.htm", + "title": "Función REEMPLAZAR/REEMPLAZARB", + "body": "La función REEMPLAZAR/REEMPLAZARB es una función de texto y datos. Se usa para reemplazar el conjunto de caracteres por un conjunto nuevo, tomando en cuenta el número de caracteres y el punto de inicio especificado. La función REEMPLAZAR está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función REEMPLAZARB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función REEMPLAZAR/REEMPLAZARB es: REEMPLAZAR(cadena-1, pos-inicio, número-caracteres, cadena-2) REEMPLAZARB(cadena-1, pos-inicio, número-caracteres, cadena-2) donde cadena-1 es el texto original que debe ser reemplazado. pos-inicio es el punto de inicio del conjunto que debe ser reemplazado. número-caracteres es el número de caracteres para reemplazar. cadena-2 es un texto nuevo. Los valores pueden introducirse manualmente o incluirse en las celdas a las que usted hace referencia. Para aplicar la función REEMPLAZAR/REEMPLAZARB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función REEMPLAZAR/REEMPLAZARB, introduzca los argumentos requeridos separándolos por comas,Nota: la función REEMPLAZAR es sensible a mayúsculas y minúsculas. pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/rept.htm", "title": "Función REPETIR", @@ -1725,10 +1755,15 @@ var indexes = "title": "Función DERECHA/DERECHAB", "body": "La función DERECHA/DERECHAB es una función de texto y datos. Se usa para extraer una subcadena de una cadena empezando con el carácter más a la derecha, tomando en cuenta el número de caracteres especificado. La función DERECHA está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función DERECHAB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función DERECHA/DERECHAB es: DERECHA(cadena [, número-caracteres]) DERECHAB(cadena [, número-caracteres]) donde cadena es la cadena de la que usted necesita extraer la subcadena, número-caracteres es un número de caracteres en la subcadena. Es un argumento opcional. Si se omite, el número será igual a 1. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Para aplicar la función DERECHA/DERECHAB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Texto y datos en la lista, pulse la función DERECHA/DERECHAB, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/rightb.htm", + "title": "Función DERECHA/DERECHAB", + "body": "La función DERECHA/DERECHAB es una función de texto y datos. Se usa para extraer una subcadena de una cadena empezando con el carácter más a la derecha, tomando en cuenta el número de caracteres especificado. La función DERECHA está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función DERECHAB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función DERECHA/DERECHAB es: DERECHA(cadena [, número-caracteres]) DERECHAB(cadena [, número-caracteres]) donde cadena es la cadena de la que usted necesita extraer la subcadena, número-caracteres es un número de caracteres en la subcadena. Es un argumento opcional. Si se omite, el número será igual a 1. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Para aplicar la función DERECHA/DERECHAB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de funciones Texto y datos en la lista, pulse la función DERECHA/DERECHAB, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/roman.htm", "title": "Función NUMERO.ROMANO", - "body": "La función NUMERO.ROMANO es una función matemática y trigonométrica. Se usa para convertir un número a un número romano. La sintaxis de la función NUMERO.ROMANO es: NUMERO.ROMANO(número, forma) donde número es un valor numérico mayor o igual a 1 y menor que 3999 introducido manualmente o incluido en la celda a la que usted hace referencia. forma es un tipo de número romano. Aquí están los distintos tipos: Valor Tipo 0 Clásico 1 Más conciso 2 Más conciso 3 Más conciso 4 Simplificado VERDADERO Clásico FALSO Simplificado Para aplicar la función NUMERO.ROMANO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función NUMERO.ROMANO, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." + "body": "La función NUMERO.ROMANO es una función matemática y trigonométrica. Se usa para convertir un número a un número romano. La sintaxis de la función NUMERO.ROMANO es: NUMERO.ROMANO(número, [forma]) donde número es un valor numérico mayor o igual a 1 y menor que 3999 introducido manualmente o incluido en la celda a la que usted hace referencia. forma es un tipo de número romano. Aquí están los distintos tipos: Valor Tipo 0 Clásico 1 Más conciso 2 Más conciso 3 Más conciso 4 Simplificado VERDADERO Clásico FALSO Simplificado Para aplicar la función NUMERO.ROMANO, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione el grupo de función Matemáticas y trigonometría en la lista, haga clic en la función NUMERO.ROMANO, introduzca los argumentos requeridos separándolos por comas, pulse el botón Enter. El resultado se mostrará en la celda elegida." }, { "id": "Functions/round.htm", @@ -1770,6 +1805,11 @@ var indexes = "title": "Función HALLAR/HALLARB", "body": "La función HALLAR/HALLARB es una función de texto y datos. Se usa para devolver la posición de la subcadena especificada en un cadena. La función HALLAR está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función HALLARB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función HALLAR/HALLARB es: HALLAR(cadena-1, cadena-2 [,posición-inicio]) HALLARB(cadena-1, cadena-2 [,posición-inicio]) donde cadena-1 es la subcadena que usted necesita encontrar. cadena-2 es la cadena dentro de la que se realiza la búsqueda. posición-inicio es la posición donde empieza la búsqueda. Es un argumento opcional. Si se omite, se realizará la búsqueda desde el inicio de cadena-2. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Nota: si no se encuentran coincidencias, la función devolverá un error #VALUE!. Para aplicar la función HALLAR/HALLARB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función HALLAR/HALLARB, introduzca los argumentos requeridos separándolos por comas,Nota: la función HALLAR/HALLARB NO es sensible a mayúsculas y minúsculas. pulse el botón Enter. El resultado se mostrará en la celda elegida." }, + { + "id": "Functions/searchb.htm", + "title": "Función HALLAR/HALLARB", + "body": "La función HALLAR/HALLARB es una función de texto y datos. Se usa para devolver la posición de la subcadena especificada en un cadena. La función HALLAR está destinada para idiomas que usan el conjunto de caracteres de un byte (SBCS), mientras la función HALLARB - para idiomas que usan el conjunto de caracteres de doble byte (DBCS) como japonés, chino, coreano etc. La sintaxis de la función HALLAR/HALLARB es: HALLAR(cadena-1, cadena-2 [,posición-inicio]) HALLARB(cadena-1, cadena-2 [,posición-inicio]) donde cadena-1 es la subcadena que usted necesita encontrar. cadena-2 es la cadena dentro de la que se realiza la búsqueda. posición-inicio es la posición donde empieza la búsqueda. Es un argumento opcional. Si se omite, se realizará la búsqueda desde el inicio de cadena-2. Los datos pueden ser introducidos manualmente o incluidos en las celdas a las que usted hace referencia. Nota: si no se encuentran coincidencias, la función devolverá un error #VALUE!. Para aplicar la función HALLAR/HALLARB, seleccione la celda donde usted quiere ver el resultado, pulse el icono Insertar función que se sitúa en la barra de herramientas superior, o haga clic derecho en la сelda seleccionada y elija la opción Insertar función en el menú, o pulse el icono que se sitúa en la barra de fórmulas, seleccione grupo de funciones Texto y datos en la lista, haga clic en la función HALLAR/HALLARB, introduzca los argumentos requeridos separándolos por comas,Nota: la función HALLAR/HALLARB NO es sensible a mayúsculas y minúsculas. pulse el botón Enter. El resultado se mostrará en la celda elegida." + }, { "id": "Functions/sec.htm", "title": "Función SEC", @@ -2253,7 +2293,7 @@ var indexes = { "id": "HelpfulHints/SupportedFormats.htm", "title": "Formatos compatibles de hojas de cálculo", - "body": "La hoja de cálculo es una tabla de datos organizada en filas y columnas. Se suele usar para almacenar la información financiera porque tiene la función de recálculo automático de la hoja entera después de cualquier cambio en una celda. El editor de hojas de cálculo le permite abrir, ver y editar los formatos de hojas de cálculo más populares. Formatos Descripción Ver Editar Descargar XLS Es una extensión de archivo para hoja de cálculo creada por Microsoft Excel + + XLSX Es una extensión de archivo predeterminada para una hoja de cálculo escrita en Microsoft Office Excel 2007 (o la versión más reciente) + + + 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. + + + ODS Es una extensión de archivo para una hoja de cálculo usada por conjuntos OpenOffice y StarOffice, un estándar abierto para hojas de cálculo + + + OTS Plantilla 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. + + en la versión en línea CSV Valores separados por comas Es un formato de archivo que se usa para almacenar datos tabulares (números y texto) en un formato de texto no cifrado + + + PDF Formato de documento portátil Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos + PDF Formato 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. + +" + "body": "La hoja de cálculo es una tabla de datos organizada en filas y columnas. Se suele usar para almacenar la información financiera porque tiene la función de recálculo automático de la hoja entera después de cualquier cambio en una celda. El editor de hojas de cálculo le permite abrir, ver y editar los formatos de hojas de cálculo más populares. Formatos Descripción Ver Editar Descargar XLS Es una extensión de archivo para hoja de cálculo creada por Microsoft Excel + + XLSX Es una extensión de archivo predeterminada para una hoja de cálculo escrita en Microsoft Office Excel 2007 (o la versión más reciente) + + + 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. + + + ODS Es una extensión de archivo para una hoja de cálculo usada por conjuntos OpenOffice y StarOffice, un estándar abierto para hojas de cálculo + + + OTS Plantilla 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 Valores separados por comas Es un formato de archivo que se usa para almacenar datos tabulares (números y texto) en un formato de texto no cifrado + + + PDF Formato de documento portátil Es un formato de archivo que se usa para la representación de documentos de manera independiente a la aplicación software, hardware, y sistemas operativos + PDF Formato 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. + +" }, { "id": "ProgramInterface/CollaborationTab.htm", @@ -2288,7 +2328,7 @@ var indexes = { "id": "ProgramInterface/PluginsTab.htm", "title": "Pestaña de Extensiones", - "body": "La pestaña de Extensiones permite acceso a características de edición avanzadas usando componentes disponibles de terceros. Aquí también puede utilizar macros para simplificar las operaciones rutinarias. Ventana del editor de hojas de cálculo en línea: Ventana del editor de hojas de cálculo de escritorio: El botón Ajustes permite abrir la ventana donde puede ver y administrador todas las extensiones instaladas y añadir las suyas propias. El botón Macros permite abrir la ventana donde puede crear sus propias macros y ejecutarlas. Para aprender más sobre los plugins refiérase a nuestra Documentación de API. Actualmente, estos son los plugins disponibles: ClipArt permite añadir imágenes de la colección de clipart a su hoja de cálculo, Resaltar código permite resaltar la sintaxis del código, seleccionando el idioma, el estilo y el color de fondo necesarios, Editor de Fotos permite editar imágenes: cortar, cambiar tamaño, usar efectos etc. Tabla de símbolos permite introducir símbolos especiales en su texto, El Diccionario de sinónimos permite buscar tanto sinónimos como antónimos de una palabra y reemplazar esta palabra por la seleccionada, Traductor permite traducir el texto seleccionado a otros idiomas, Youtube permite adjuntar vídeos de YouTube en suhoja de cálculo. Para aprender más sobre plugins, por favor, lea nuestra Documentación API. Todos los ejemplos de puglin existentes y de acceso libre están disponibles en GitHub" + "body": "La pestaña de Extensiones permite acceso a características de edición avanzadas usando componentes disponibles de terceros. Aquí también puede utilizar macros para simplificar las operaciones rutinarias. Ventana del editor de hojas de cálculo en línea: Ventana del editor de hojas de cálculo de escritorio: El botón Ajustes permite abrir la ventana donde puede ver y administrador todas las extensiones instaladas y añadir las suyas propias. El botón Macros permite abrir la ventana donde puede crear sus propias macros y ejecutarlas. Para aprender más sobre los plugins refiérase a nuestra Documentación de API. Actualmente, estos son los plugins disponibles: ClipArt permite añadir imágenes de la colección de clipart a su hoja de cálculo, Resaltar código permite resaltar la sintaxis del código, seleccionando el idioma, el estilo y el color de fondo necesarios, Editor de Fotos permite editar imágenes: cortar, cambiar tamaño, usar efectos etc. El Diccionario de sinónimos permite buscar tanto sinónimos como antónimos de una palabra y reemplazar esta palabra por la seleccionada, Traductor permite traducir el texto seleccionado a otros idiomas, Youtube permite adjuntar vídeos de YouTube en suhoja de cálculo. Para aprender más sobre plugins, por favor, lea nuestra Documentación API. Todos los ejemplos de puglin existentes y de acceso libre están disponibles en GitHub" }, { "id": "ProgramInterface/ProgramInterface.htm", @@ -2383,7 +2423,7 @@ var indexes = { "id": "UsageInstructions/OpenCreateNew.htm", "title": "Cree una hoja de cálculo nueva o abra una que ya existe", - "body": "Para crear una nueva hoja de cálculo En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Crear nuevo. En el editor de escritorio en la ventana principal del programa, seleccione la opción del menú Hoja de cálculo en la sección Crear nueva de la barra lateral izquierda: se abrirá un nuevo archivo en una nueva pestaña, cuando se hayan realizado todos los cambios deseados, haga clic en el icono Guardar de la esquina superior izquierda o cambie a la pestaña Archivoy seleccione la opción Guardar como del menú. en la ventana de gestión de archivos, seleccione la ubicación del archivo, especifique su nombre, elija el formato en el que desea guardar la hoja de cálculo (XLSX, plantilla de hoja de cálculo, ODS, CSV, PDF o PDFA) y haga clic en el botón Guardar. Para abrir un documento existente En el editor de escritorio en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda, seleccione la hoja de cálculo deseada en la ventana de gestión de archivos y haga clic en el botón Abrir. También puede hacer clic con el botón derecho sobre la hoja de cálculo deseada en la ventana de gestión de archivos, seleccionar la opción Abrir con y elegir la aplicación correspondiente en el menú. Si los archivos de documentos de Office están asociados con la aplicación, también puede abrir hojas de cálculo haciendo doble clic sobre el nombre del archivo en la ventana del explorador de archivos. Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella. Para abrir una hoja de cálculo recientemente editada En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Abrir reciente, elija la hoja de cálculo deseada de la lista de documentos recientemente editados. En el editor de escritorio en la ventana principal del programa, seleccione la opción Archivos recientes en la barra lateral izquierda, elija la hoja de cálculo deseada de la lista de documentos recientemente editados. Para abrir la carpeta donde se encuentra el archivo en una nueva pestaña del navegador en la versión en línea, en la ventana del explorador de archivos en la versión de escritorio, haga clic en el icono Abrir ubicación de archivo en el lado derecho de la cabecera del editor. Como alternativa, puede cambiar a la pestaña Archivo en la barra de herramientas superior y seleccionar la opción Abrir ubicación de archivo." + "body": "Para crear una nueva hoja de cálculo En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Crear nuevo. En el editor de escritorio en la ventana principal del programa, seleccione la opción del menú Hoja de cálculo en la sección Crear nueva de la barra lateral izquierda: se abrirá un nuevo archivo en una nueva pestaña, cuando se hayan realizado todos los cambios deseados, haga clic en el icono Guardar de la esquina superior izquierda o cambie a la pestaña Archivoy seleccione la opción Guardar como del menú. en la ventana de gestión de archivos, seleccione la ubicación del archivo, especifique su nombre, elija el formato en el que desea guardar la hoja de cálculo (XLSX, plantilla de hoja de cálculo (XLTX), ODS, OTS, CSV, PDF o PDFA) y haga clic en el botón Guardar. Para abrir un documento existente En el editor de escritorio en la ventana principal del programa, seleccione la opción Abrir archivo local en la barra lateral izquierda, seleccione la hoja de cálculo deseada en la ventana de gestión de archivos y haga clic en el botón Abrir. También puede hacer clic con el botón derecho sobre la hoja de cálculo deseada en la ventana de gestión de archivos, seleccionar la opción Abrir con y elegir la aplicación correspondiente en el menú. Si los archivos de documentos de Office están asociados con la aplicación, también puede abrir hojas de cálculo haciendo doble clic sobre el nombre del archivo en la ventana del explorador de archivos. Todos los directorios a los que ha accedido utilizando el editor de escritorio se mostrarán en la lista de Carpetas recientes para que posteriormente pueda acceder rápidamente a ellos. Haga clic en la carpeta correspondiente para seleccionar uno de los archivos almacenados en ella. Para abrir una hoja de cálculo recientemente editada En el editor en línea haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Abrir reciente, elija la hoja de cálculo deseada de la lista de documentos recientemente editados. En el editor de escritorio en la ventana principal del programa, seleccione la opción Archivos recientes en la barra lateral izquierda, elija la hoja de cálculo deseada de la lista de documentos recientemente editados. Para abrir la carpeta donde se encuentra el archivo en una nueva pestaña del navegador en la versión en línea, en la ventana del explorador de archivos en la versión de escritorio, haga clic en el icono Abrir ubicación de archivo en el lado derecho de la cabecera del editor. Como alternativa, puede cambiar a la pestaña Archivo en la barra de herramientas superior y seleccionar la opción Abrir ubicación de archivo." }, { "id": "UsageInstructions/PivotTables.htm", @@ -2393,7 +2433,7 @@ var indexes = { "id": "UsageInstructions/SavePrintDownload.htm", "title": "Guarde/imprima/descargue su hoja de cálculo", - "body": "Guardando Por defecto, el Editor de hojas de cálculo en línea guarda automáticamente el archivo cada 2 segundos cuando trabaja en él, evitando la pérdida de datos en caso de cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar la hoja de cálculo actual de forma manual en el formato y la ubicación actuales, haga clic en el icono Guardar en la parte izquierda de la cabecera del editor, o bien use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Nota: en la versión de escritorio, para evitar la pérdida de datos en caso de cierre inesperado del programa, puede activar la opción Autorecuperación en la página de Ajustes avanzados . En la versión de escritorio, puede guardar la hoja de cálculo con otro nombre, en una nueva ubicación o formato, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar como..., elija uno de los formatos disponibles: XLSX, ODS, CSV, PDF, PDFA. También puede seleccionar la opción Plantilla de hoja de cálculo (XLTX). Descargando En la versión en línea, puede descargar la hoja de cálculo creada en el disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.Nota: si selecciona el formato CSV, todas las características (formato de letra, fórmulas etc.) excepto el texto plano no se guardarán en el archivo CSV. Si continua el guardado, la ventana Elegir Opciones CSV se abrirá. de manera predeterminada, Unicode (UTF-8) se usa como el tipo de Codificación. El Delimitador por defecto es coma (,), pero también están disponibles las siguientes opciones: punto y coma (;), dos puntos (:), Tabulación, Espacio y Otro (esta opción le permite establecer un carácter delimitador personalizado). Guardando una copia En la versión en línea, puede guardar una copia del archivo en su portal, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar copia como..., elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, seleccione una ubicación para el archivo en el portal y pulse Guardar. Imprimiendo Para imprimir la hoja de cálculo actual, haga clic en el icono Imprimir en la parte izquierda de la cabecera del editor, o bien use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir. La ventana de Ajustes de impresión se abrirá, y podrá cambiar los ajustes de impresión de defecto. Haga clic en el botón Mostrar detalles al final de la ventana para mostrar todos los parámetros. Nota: usted también puede cambiar los ajustes de impresión en la página Ajustes avanzados...: pulse la pestaña Archivo de la barra de herramientas superior, y siga Ajustes avanzados... >> Ajustes de página. Algunos de estos ajustes (Márgenes, Orientación y Tamaño de página, así como el Área de impresión) también están disponibles en la pestaña Diseño de la barra de herramientas superior. Aquí usted puede ajustar los parámetros siguientes: Área de impresión - especifique lo que quiere imprimir: toda la Hoja actual, Todas las hojas de su hoja de cálculo o el rango de celdas previamente seleccionado (Selección),Si ha definido previamente un área de impresión constante pero desea imprimir toda la hoja, marque la casilla IIgnorar área de impresión. Ajustes de la hoja - especifica ajustes de impresión individuales para cada hoja de forma separada, si tiene seleccionada la opción Todas las hojas en la lista desplegable Rano de impresión, Tamaño de página - seleccione uno de los tamaños disponibles en la lista desplegable, Orientación de la página - seleccione la opción Vertical si usted quiere imprimir la página verticalmente, o use la opción Horizontal para imprimirla horizontalmente, Escalada - si no quiere que algunas columnas o filas se impriman en una segunda página, puede minimizar los contenidos de la hoja para que ocupen solo una página si selecciona la opción correspondiente: Ajustar hoja en una página, Ajustar todas las columnas en una página o Ajustar todas las filas en una página. Deje la opción Tamaño actual para imprimir la hoja sin ajustar. Márgenes - especifique la distancia entre datos de la hoja de cálculo y los bordes de la página imprimible cambiando los tamaños predeterminados en los campos Superior, Inferior, Izquierdo y Derecho, Imprimir - especifique elementos de la hoja que quiere imprimir marcando las casillas correspondientes: Imprimir Cuadricula y Imprimir títulos de filas y columnas. En la versión de escritorio, el archivo se imprimirá directamente. En la versión en línea, se generará un archivo PDF a partir del documento. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde. Algunos navegadores (como Chrome y Opera) permiten la impresión directa. Configurar un área de impresión Si desea imprimir únicamente el rango de celdas seleccionado en lugar de una hoja de trabajo completa, puede utilizar la opción Selección de la lista desplegable Imprimir rango. Cuando se guarda el cuaderno de trabajo, este ajuste no se guarda, sino que está destinado a ser utilizado una sola vez. Si un rango de celdas debe imprimirse con frecuencia, puede establecer un área de impresión constante en la hoja de trabajo. Cuando se guarda el cuaderno de trabajo, también se guarda el área de impresión, que se podrá utilizar la próxima vez que abra la hoja de cálculo. También es posible establecer varias áreas de impresión constantes en una hoja, y en este caso cada área se imprimirá en una página separada. Para establecer un área de impresión: seleccione el rango de celdas deseado en la hoja de trabajo. Para seleccionar varios rangos de celdas, mantenga pulsada la tecla Ctrl, cambie a la pestaña Diseño de la barra de herramientas superior, haga clic en la flecha que aparece al lado del botón Área de impresión y seleccione la opción Establecer área de impresión. El área de impresión creada se guarda al guardar la hoja de trabajo. La próxima vez que abra el archivo, se imprimirá el área de impresión especificada. Nota: al crear un área de impresión, también se crea automáticamente un rango de nombre Área_de_Impresión, que se muestra en el Organizador de nombres. Para resaltar los bordes de todas las áreas de impresión de la hoja de trabajo actual, puede hacer clic en la flecha del cuadro de nombre situado a la izquierda de la barra de fórmulas y seleccionar el nombre Área_de_Impresión de la lista de nombres. Para añadir celdas a un área de impresión: abra la hoja de trabajo correspondiente donde se añadirá el área de impresión, seleccionar el rango de celdas deseado en la hoja de trabajo, cambie a la pestaña Diseño de la barra de herramientas superior, haga clic en la flecha que aparece al lado del botón Área de impresión y seleccione la opción Añadir al área de impresión. Una nueva área de impresión será añadida. Cada área de impresión se imprimirá en una página diferente. Para eliminar un área de impresión: abra la hoja de trabajo correspondiente donde se añadirá el área de impresión, cambie a la pestaña Diseño de la barra de herramientas superior, haga clic en la flecha que aparece al lado del botón Área de impresión y seleccione la opción Eliminar área de impresión. Todas las áreas de impresión existentes en esta hoja serán eliminadas. Después se imprimirá toda la hoja." + "body": "Guardando Por defecto, el Editor de hojas de cálculo en línea guarda automáticamente el archivo cada 2 segundos cuando trabaja en él, evitando la pérdida de datos en caso de cierre inesperado del programa. Si co-edita el archivo en el modo Rápido, el tiempo requerido para actualizaciones es de 25 cada segundo y guarda los cambios si estos se han producido. Si el archivo se está editando por varias prsonas a la vez, los cambios se guardan cada 10 minutos. Se puede fácilmente desactivar la función Autoguardado en la página Ajustes avanzados. Para guardar la hoja de cálculo actual de forma manual en el formato y la ubicación actuales, haga clic en el icono Guardar en la parte izquierda de la cabecera del editor, o bien use la combinación de las teclas Ctrl+S, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Guardar. Nota: en la versión de escritorio, para evitar la pérdida de datos en caso de cierre inesperado del programa, puede activar la opción Autorecuperación en la página de Ajustes avanzados . En la versión de escritorio, puede guardar la hoja de cálculo con otro nombre, en una nueva ubicación o formato, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar como..., elija uno de los formatos disponibles: XLSX, ODS, CSV, PDF, PDFA. También puede seleccionar la opción Plantilla de hoja de cálculo (XLTX o OTS). Descargando En la versión en línea, puede descargar la hoja de cálculo creada en el disco duro de su ordenador, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Descargar como, elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS.Nota: si selecciona el formato CSV, todas las características (formato de letra, fórmulas etc.) excepto el texto plano no se guardarán en el archivo CSV. Si continua el guardado, la ventana Elegir Opciones CSV se abrirá. de manera predeterminada, Unicode (UTF-8) se usa como el tipo de Codificación. El Delimitador por defecto es coma (,), pero también están disponibles las siguientes opciones: punto y coma (;), dos puntos (:), Tabulación, Espacio y Otro (esta opción le permite establecer un carácter delimitador personalizado). Guardando una copia En la versión en línea, puede guardar una copia del archivo en su portal, haga clic en la pestaña Archivo en la barra de herramientas superior, seleccione la opción Guardar copia como..., elija uno de los formatos disponibles: XLSX, PDF, ODS, CSV, XLTX, PDF/A, OTS, seleccione una ubicación para el archivo en el portal y pulse Guardar. Imprimiendo Para imprimir la hoja de cálculo actual, haga clic en el icono Imprimir en la parte izquierda de la cabecera del editor, o bien use la combinación de las teclas Ctrl+P, o pulse el icono Archivo en la barra izquierda lateral y seleccione la opción Imprimir. La ventana de Ajustes de impresión se abrirá, y podrá cambiar los ajustes de impresión de defecto. Haga clic en el botón Mostrar detalles al final de la ventana para mostrar todos los parámetros. Nota: usted también puede cambiar los ajustes de impresión en la página Ajustes avanzados...: pulse la pestaña Archivo de la barra de herramientas superior, y siga Ajustes avanzados... >> Ajustes de página. Algunos de estos ajustes (Márgenes, Orientación y Tamaño de página, así como el Área de impresión) también están disponibles en la pestaña Diseño de la barra de herramientas superior. Aquí usted puede ajustar los parámetros siguientes: Área de impresión - especifique lo que quiere imprimir: toda la Hoja actual, Todas las hojas de su hoja de cálculo o el rango de celdas previamente seleccionado (Selección),Si ha definido previamente un área de impresión constante pero desea imprimir toda la hoja, marque la casilla IIgnorar área de impresión. Ajustes de la hoja - especifica ajustes de impresión individuales para cada hoja de forma separada, si tiene seleccionada la opción Todas las hojas en la lista desplegable Rano de impresión, Tamaño de página - seleccione uno de los tamaños disponibles en la lista desplegable, Orientación de la página - seleccione la opción Vertical si usted quiere imprimir la página verticalmente, o use la opción Horizontal para imprimirla horizontalmente, Escalada - si no quiere que algunas columnas o filas se impriman en una segunda página, puede minimizar los contenidos de la hoja para que ocupen solo una página si selecciona la opción correspondiente: Ajustar hoja en una página, Ajustar todas las columnas en una página o Ajustar todas las filas en una página. Deje la opción Tamaño actual para imprimir la hoja sin ajustar. Márgenes - especifique la distancia entre datos de la hoja de cálculo y los bordes de la página imprimible cambiando los tamaños predeterminados en los campos Superior, Inferior, Izquierdo y Derecho, Imprimir - especifique elementos de la hoja que quiere imprimir marcando las casillas correspondientes: Imprimir Cuadricula y Imprimir títulos de filas y columnas. En la versión de escritorio, el archivo se imprimirá directamente. En la versión en línea, se generará un archivo PDF a partir del documento. Puede abrirlo e imprimirlo, o guardarlo en el disco duro de su ordenador o en un medio extraíble para imprimirlo más tarde. Algunos navegadores (como Chrome y Opera) permiten la impresión directa. Configurar un área de impresión Si desea imprimir únicamente el rango de celdas seleccionado en lugar de una hoja de trabajo completa, puede utilizar la opción Selección de la lista desplegable Imprimir rango. Cuando se guarda el cuaderno de trabajo, este ajuste no se guarda, sino que está destinado a ser utilizado una sola vez. Si un rango de celdas debe imprimirse con frecuencia, puede establecer un área de impresión constante en la hoja de trabajo. Cuando se guarda el cuaderno de trabajo, también se guarda el área de impresión, que se podrá utilizar la próxima vez que abra la hoja de cálculo. También es posible establecer varias áreas de impresión constantes en una hoja, y en este caso cada área se imprimirá en una página separada. Para establecer un área de impresión: seleccione el rango de celdas deseado en la hoja de trabajo. Para seleccionar varios rangos de celdas, mantenga pulsada la tecla Ctrl, cambie a la pestaña Diseño de la barra de herramientas superior, haga clic en la flecha que aparece al lado del botón Área de impresión y seleccione la opción Establecer área de impresión. El área de impresión creada se guarda al guardar la hoja de trabajo. La próxima vez que abra el archivo, se imprimirá el área de impresión especificada. Nota: al crear un área de impresión, también se crea automáticamente un rango de nombre Área_de_Impresión, que se muestra en el Organizador de nombres. Para resaltar los bordes de todas las áreas de impresión de la hoja de trabajo actual, puede hacer clic en la flecha del cuadro de nombre situado a la izquierda de la barra de fórmulas y seleccionar el nombre Área_de_Impresión de la lista de nombres. Para añadir celdas a un área de impresión: abra la hoja de trabajo correspondiente donde se añadirá el área de impresión, seleccionar el rango de celdas deseado en la hoja de trabajo, cambie a la pestaña Diseño de la barra de herramientas superior, haga clic en la flecha que aparece al lado del botón Área de impresión y seleccione la opción Añadir al área de impresión. Una nueva área de impresión será añadida. Cada área de impresión se imprimirá en una página diferente. Para eliminar un área de impresión: abra la hoja de trabajo correspondiente donde se añadirá el área de impresión, cambie a la pestaña Diseño de la barra de herramientas superior, haga clic en la flecha que aparece al lado del botón Área de impresión y seleccione la opción Eliminar área de impresión. Todas las áreas de impresión existentes en esta hoja serán eliminadas. Después se imprimirá toda la hoja." }, { "id": "UsageInstructions/SortData.htm", diff --git a/apps/spreadsheeteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm index 9a07b5a36..a4c2086ec 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/it/ProgramInterface/PluginsTab.htm @@ -31,7 +31,9 @@
  • Highlight code allows to highlight syntax of the code selecting the necessary language, style, background color,
  • PhotoEditor allows to edit images: crop, flip, rotate them, draw lines and shapes, add icons and text, load a mask and apply filters such as Grayscale, Invert, Sepia, Blur, Sharpen, Emboss, etc.,
  • Thesaurus allows to search for synonyms and antonyms of a word and replace it with the selected one,
  • -
  • Translator allows to translate the selected text into other languages,
  • +
  • Translator allows to translate the selected text into other languages, +

    Note: this plugin doesn't work in Internet Explorer.

    +
  • YouTube allows to embed YouTube videos into your spreadsheet.
  • To learn more about plugins please refer to our API Documentation. All the currently existing open source plugin examples are available on GitHub.

    diff --git a/apps/spreadsheeteditor/main/resources/help/it/editor.css b/apps/spreadsheeteditor/main/resources/help/it/editor.css index 0b550e306..9a4fc74bf 100644 --- a/apps/spreadsheeteditor/main/resources/help/it/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/it/editor.css @@ -10,7 +10,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft @@ -152,4 +152,50 @@ text-decoration: none; font-size: 1em; font-weight: bold; color: #444; +} +kbd { + display: inline-block; + padding: 0.2em 0.3em; + border-radius: .2em; + line-height: 1em; + background-color: #f2f2f2; + font-family: monospace; + white-space: nowrap; + box-shadow: 0 1px 3px rgba(85,85,85,.35); + margin: 0.2em 0.1em; + color: #000; +} +.shortcut_variants { + margin: 20px 0 -20px; + padding: 0; +} +.shortcut_toggle { + display: inline-block; + margin: 0; + padding: 1px 10px; + list-style-type: none; + cursor: pointer; + font-size: 11px; + line-height: 18px; + white-space: nowrap +} +.shortcut_toggle.enabled { + color: #fff; + background-color: #7D858C; + border: 1px solid #7D858C; +} +.shortcut_toggle.disabled { + color: #444; + background-color: #fff; + border: 1px solid #CFCFCF; +} +.shortcut_toggle.disabled:hover { + background-color: #D8DADC; +} +.left_option { + border-radius: 2px 0 0 2px; + float: left; +} +.right_option { + border-radius: 0 2px 2px 0; } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/help/ru/Contents.json b/apps/spreadsheeteditor/main/resources/help/ru/Contents.json index c7d8dee05..7173c0011 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/Contents.json +++ b/apps/spreadsheeteditor/main/resources/help/ru/Contents.json @@ -38,8 +38,7 @@ { "src": "UsageInstructions/InsertTextObjects.htm", "name": "Вставка текстовых объектов" }, { "src": "UsageInstructions/InsertSymbols.htm", "name": "Вставка символов и знаков" }, {"src": "UsageInstructions/ManipulateObjects.htm", "name": "Работа с объектами"}, - { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, - {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Автозамена математическими символами" }, + { "src": "UsageInstructions/InsertEquation.htm", "name": "Вставка формул", "headername": "Математические формулы" }, {"src": "HelpfulHints/CollaborativeEditing.htm", "name": "Совместное редактирование электронных таблиц", "headername": "Совместное редактирование таблиц"}, {"src": "UsageInstructions/SheetView.htm", "name": "Управление предустановками представления листа"}, { "src": "UsageInstructions/ViewDocInfo.htm", "name": "Просмотр сведений о файле", "headername": "Инструменты и настройки" }, @@ -48,7 +47,8 @@ {"src": "HelpfulHints/AdvancedSettings.htm", "name": "Дополнительные параметры редактора электронных таблиц"}, {"src": "HelpfulHints/Navigation.htm", "name": "Параметры представления и инструменты навигации"}, { "src": "HelpfulHints/Search.htm", "name": "Функция поиска и замены" }, - {"src": "HelpfulHints/SpellChecking.htm", "name": "Проверка орфографии"}, + { "src": "HelpfulHints/SpellChecking.htm", "name": "Проверка орфографии" }, + {"src": "UsageInstructions/MathAutoCorrect.htm", "name": "Функции автозамены" }, {"src": "HelpfulHints/About.htm", "name": "О редакторе электронных таблиц", "headername": "Полезные советы"}, {"src": "HelpfulHints/SupportedFormats.htm", "name": "Поддерживаемые форматы электронных таблиц"}, {"src": "HelpfulHints/KeyboardShortcuts.htm", "name": "Сочетания клавиш"} diff --git a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm index 51c16bd1a..725d88e6f 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/ProgramInterface/PluginsTab.htm @@ -31,7 +31,9 @@
  • Подсветка кода - позволяет подсвечивать синтаксис кода, выбирая нужный язык, стиль, цвет фона,
  • Фоторедактор - позволяет редактировать изображения: обрезать, отражать, поворачивать их, рисовать линии и фигуры, добавлять иконки и текст, загружать маску и применять фильтры, такие как Оттенки серого, Инверсия, Сепия, Размытие, Резкость, Рельеф и другие,
  • Синонимы - позволяет находить синонимы и антонимы какого-либо слова и заменять его на выбранный вариант,
  • -
  • Переводчик - позволяет переводить выделенный текст на другие языки,
  • +
  • Переводчик - позволяет переводить выделенный текст на другие языки, +

    Примечание: этот плагин не работает в Internet Explorer.

    +
  • YouTube - позволяет встраивать в электронную таблицу видео с YouTube.
  • Для получения дополнительной информации о плагинах, пожалуйста, обратитесь к нашей Документации по API.

    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm index fd8daf393..5f767b03a 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/InsertChart.htm @@ -60,7 +60,7 @@
    • В Элементах легенды (ряды) нажмите кнопку Добавить.
    • - В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку справа от поля Имя ряда. + В диалоговом окне Изменить ряд выберите диапазон ячеек для легенды или нажмите на иконку Иконка Выбор данных справа от поля Имя ряда.

      Окно Изменить ряд

    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm index f13eecc41..6d6670588 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/PivotTables.htm @@ -125,7 +125,7 @@
    • Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных.
    • Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице.
    • -
    • В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение.
    • +
    • В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр.

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

    @@ -232,7 +232,7 @@

    Окно Фильтра значений

    При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно:

    Окно Наложение условия по списку

    -

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

    +

    В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент, Процент или Сумма. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр.

    Кнопка Фильтр Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен.

    diff --git a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm index b0a67e39b..eefd21553 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm +++ b/apps/spreadsheeteditor/main/resources/help/ru/UsageInstructions/SheetView.htm @@ -15,9 +15,10 @@

    Управление предустановками представления листа

    -

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

    +

    Примечание: эта функция доступна только в платной версии, начиная с версии ONLYOFFICE Docs 6.1.

    +

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

    Создание нового набора настроек представления листа

    -

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

    +

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

    Есть два способа создать новый набор настроек вида листа:

    • перейдите на вкладку Представление и щелкните на иконку Иконка Представление листаПредставление листа,
    • diff --git a/apps/spreadsheeteditor/main/resources/help/ru/editor.css b/apps/spreadsheeteditor/main/resources/help/ru/editor.css index 7a743ebc1..108b9b531 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/editor.css +++ b/apps/spreadsheeteditor/main/resources/help/ru/editor.css @@ -10,7 +10,7 @@ img { border: none; vertical-align: middle; -max-width: 95%; +max-width: 100%; } img.floatleft diff --git a/apps/spreadsheeteditor/main/resources/help/ru/images/editseries.png b/apps/spreadsheeteditor/main/resources/help/ru/images/editseries.png index bbb0c1dc8..d0699da2a 100644 Binary files a/apps/spreadsheeteditor/main/resources/help/ru/images/editseries.png and b/apps/spreadsheeteditor/main/resources/help/ru/images/editseries.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 03722c2ba..2be40f167 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/pluginstab.png b/apps/spreadsheeteditor/main/resources/help/ru/images/interface/pluginstab.png index 6a9d51707..8baf52b2e 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/search/indexes.js b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js index a9f83c509..c23821397 100644 --- a/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js +++ b/apps/spreadsheeteditor/main/resources/help/ru/search/indexes.js @@ -2483,7 +2483,7 @@ var indexes = { "id": "UsageInstructions/PivotTables.htm", "title": "Создание и редактирование сводных таблиц", - "body": "Сводные таблицы позволяют группировать и систематизировать данные из больших наборов данных для получения сводной информации. Вы можете упорядочивать данные множеством разных способов, чтобы отображать только нужную информацию и сфокусироваться на важных аспектах. Создание новой сводной таблицы Для создания сводной таблицы: Подготовьте исходный набор данных, который требуется использовать для создания сводной таблицы. Он должен включать заголовки столбцов. Набор данных не должен содержать пустых строк или столбцов. Выделите любую ячейку в исходном диапазоне данных. Перейдите на вкладку Сводная таблица верхней панели инструментов и нажмите на кнопку Вставить таблицу . Если вы хотите создать сводную таблицу на базе форматированной таблицы, также можно использовать опцию Вставить сводную таблицу на вкладке Параметры таблицы правой боковой панели. Откроется окно Создать сводную таблицу. Диапазон исходных данных уже указан. В этом случае будут использоваться все данные из исходного диапазона. Если вы хотите изменить диапазон данных (например, включить только часть исходных данных), нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Вы также можете выделить нужный диапазон данных на листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Укажите, где требуется разместить сводную таблицу. Опция Новый лист выбрана по умолчанию. Она позволяет разместить сводную таблицу на новом рабочем листе. Также можно выбрать опцию Существующий лист и затем выбрать определенную ячейку. В этом случае выбранная ячейка будет правой верхней ячейкой созданной сводной таблицы. Чтобы выбрать ячейку, нажмите на кнопку . В окне Выбор диапазона данных введите адрес ячейки в формате Лист1!$G$2. Также можно щелкнуть по нужной ячейке на листе. Когда все будет готово, нажмите кнопку OK. Когда местоположение таблицы будет выбрано, нажмите кнопку OK в окне Создать таблицу. Пустая сводная таблица будет вставлена в выбранном местоположении. Откроется вкладка Параметры сводной таблицы на правой боковой панели. Эту вкладку можно скрыть или показать, нажав на значок . Выбор полей для отображения Раздел Выбрать поля содержит названия полей, соответствующие заголовкам столбцов в исходном наборе данных. Каждое поле содержит значения из соответствующего столбца исходной таблицы. Ниже доступны следующие четыре поля: Фильтры, Столбцы, Строки и Значения. Отметьте галочками поля, которые требуется отобразить в сводной таблице. Когда вы отметите поле, оно будет добавлено в один из доступных разделов на правой боковой панели в зависимости от типа данных и будет отображено в сводной таблице. Поля, содержащие текстовые значения, будут добавлены в раздел Строки; поля, содержащие числовые значения, будут добавлены в раздел Значения. Вы можете просто перетаскивать поля в нужный раздел, а также перетаскивать поля между разделами, чтобы быстро перестроить сводную таблицу. Чтобы удалить поле из текущего раздела, перетащите его за пределы этого раздела. Чтобы добавить поле в нужный раздел, также можно нажать на черную стрелку справа от поля в разделе Выбрать поля и выбрать нужную опцию из меню: Добавить в фильтры, Добавить в строки, Добавить в столбцы, Добавить в значения. Ниже приводятся примеры использования разделов Фильтры, Столбцы, Строки и Значения. При добавлении поля в раздел Фильтры над сводной таблицей будет добавлен отдельный фильтр. Он будет применен ко всей сводной таблице. Если нажать на кнопку со стрелкой в добавленном фильтре, вы увидите значения из выбранного поля. Если снять галочки с некоторых значений в окне фильтра и нажать кнопку OK, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой.. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация и сортировка сводных таблиц Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку 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, значения, с которых снято выделение, не будут отображаться в сводной таблице. При добавлении поля в раздел Столбцы, сводная таблица будет содержать столько же столбцов, сколько значений содержится в выбранном поле. Также будет добавлен столбец Общий итог. При добавлении поля в раздел Строки, сводная таблица будет содержать столько же строк, сколько значений содержится в выбранном поле. Также будет добавлена строка Общий итог. При добавлении поля в раздел Значения в сводной таблице будет отображаться суммирующее значение для всех числовых значений из выбранных полей. Если поле содержит текстовые значения, будет отображаться количество значений. Функцию, которая используется для вычисления суммирующего значения, можно изменить в настройках поля. Упорядочивание полей и изменение их свойств Когда поля будут добавлены в нужные разделы, ими можно управлять, чтобы изменить макет и формат сводной таблицы. Нажмите на черную стрелку справа от поля в разделе Фильтры, Столбцы, Строки или Значения, чтобы открыть контекстное меню поля. С его помощью можно: Переместить выбранное поле Вверх, Вниз, В начало или В конец текущего раздела, если в текущий раздел добавлено несколько полей. Переместить выбранное поле в другой раздел - в Фильтры, Столбцы, Строки или Значения. Опция, соответствующая текущему разделу, будет неактивна. Удалить выбранное поле из текущего раздела. Изменить параметры выбранного поля. Параметры полей из раздела Фильтры, Столбцы и Строки выглядят одинаково: На вкладке Макет содержатся следующие опции: Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В разделе Форма отчета можно изменить способ отображения выбранного поля в сводной таблице: Выберите нужный макет для выбранного поля в сводной таблице: В форме В виде таблицы отображается один столбец для каждого поля и выделяется место для заголовков полей. В форме Структуры отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой. В Компактной форме элементы из разных полей раздела строк отображаются в одном столбце. Опция Повторять метки элементов в каждой строке позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Опция Добавлять пустую строку после каждой записи позволяет добавлять пустые строки после элементов выбранного поля. Опция Показывать промежуточные итоги позволяет выбрать, надо ли отображать промежуточные итоги для выбранного поля. Можно выбрать одну из опций: Показывать в заголовке группы или Показывать в нижней части группы. Опция Показывать элементы без данных позволяет показать или скрыть пустые элементы в выбранном поле. На вкладке Промежуточные итоги можно выбрать Функции для промежуточных итогов. Отметьте галочкой нужную функцию в списке: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Параметры поля значений Опция Имя источника позволяет посмотреть имя поля, соответствующее заголовку столбца из исходного набора данных. Опция Пользовательское имя позволяет изменить имя выбранного поля, отображаемое в сводной таблице. В списке Операция можно выбрать функцию, используемую для вычисления суммирующего значения всех значений из этого поля. По умолчанию для числовых значений используется функция Сумма, а для текстовых значений - функция Количество. Доступны следующие функции: Сумма, Количество, Среднее, Макс, Мин, Произведение, Количество чисел, Стандотклон, Стандотклонп, Дисп, Диспр. Изменение оформления сводных таблиц Опции, доступные на верхней панели инструментов, позволяют изменить способ отображения сводной таблицы. Эти параметры применяются ко всей сводной таблице. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. В выпадающем списке Макет отчета можно выбрать нужный макет для сводной таблицы: Показать в сжатой форме - позволяет отображать элементы из разных полей раздела строк в одном столбце. Показать в форме структуры - позволяет отображать сводную таблицу в классическом стиле. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. В ней также можно отображать промежуточные итоги над каждой группой.. Показать в табличной форме - позволяет отображать сводную таблицу в традиционном табличном формате. В этой форме отображается один столбец для каждого поля и выделяется место для заголовков полей. Повторять все метки элементов - позволяет визуально группировать строки или столбцы при наличии нескольких полей в табличной форме. Не повторять все метки элементов - позволяет скрыть метки элементов при наличии нескольких полей в табличной форме. В выпадающем списке Пустые строки можно выбрать, надо ли отображать пустые строки после элементов: Вставлять пустую строку после каждого элемента - позволяет добавить пустые строки после элементов. Удалить пустую строку после каждого элемента - позволяет убрать добавленные пустые строки. В выпадающем списке Промежуточные итоги можно выбрать, надо ли отображать промежуточные итоги в сводной таблице: Не показывать промежуточные итоги - позволяет скрыть промежуточные итоги для всех элементов. Показывать все промежуточные итоги в нижней части группы - позволяет отобразить промежуточные итоги под строками, для которых производится промежуточное суммирование. Показывать все промежуточные итоги в верхней части группы - позволяет отобразить промежуточные итоги над строками, для которых производится промежуточное суммирование. В выпадающем списке Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице: Отключить для строк и столбцов - позволяет скрыть общие итоги как для строк, так и для столбцов. Включить для строк и столбцов - позволяет отобразить общие итоги как для строк, так и для столбцов. Включить только для строк - позволяет отобразить общие итоги только для строк. Включить только для столбцов - позволяет отобразить общие итоги только для столбцов. Примечание: аналогичные настройки также доступны в окне дополнительных параметров сводной таблицы в разделе Общие итоги вкладки Название и макет. Кнопка Выделить позволяет выделить всю сводную таблицу. Если вы изменили данные в исходном наборе данных, выделите сводную таблицу и нажмите кнопку Обновить, чтобы обновить сводную таблицу. Изменение стиля сводных таблиц Вы можете изменить оформление сводных таблиц в электронной таблице с помощью инструментов редактирования стиля, доступных на верхней панели инструментов. Чтобы активировать инструменты редактирования на верхней панели инструментов, выделите мышью хотя бы одну ячейку в сводной таблице. Параметры строк и столбцов позволяют выделить некоторые строки или столбцы при помощи особого форматирования, или выделить разные строки и столбцы с помощью разных цветов фона для их четкого разграничения. Доступны следующие опции: Заголовки строк - позволяет выделить заголовки строк при помощи особого форматирования. Заголовки столбцов - позволяет выделить заголовки столбцов при помощи особого форматирования. Чередовать строки - включает чередование цвета фона для четных и нечетных строк. Чередовать столбцы - включает чередование цвета фона для четных и нечетных столбцов. Список шаблонов позволяет выбрать один из готовых стилей сводных таблиц. Каждый шаблон сочетает в себе определенные параметры форматирования, такие как цвет фона, стиль границ, чередование строк или столбцов и т.д. Набор шаблонов отображается по-разному в зависимости от параметров, выбранных для строк и столбцов. Например, если вы отметили опции Заголовки строк и Чередовать столбцы, отображаемый список шаблонов будет содержать только шаблоны с выделенными заголовками строк и включенным чередованием столбцов. Фильтрация и сортировка сводных таблиц Вы можете фильтровать сводные таблицы по подписям или значениям и использовать дополнительные параметры сортировки. Фильтрация Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы. Откроется список команд фильтра: Настройте параметры фильтра. Можно действовать одним из следующих способов: выбрать данные, которые надо отображать, или отфильтровать данные по определенным критериям. Выбор данных, которые надо отображать Снимите флажки рядом с данными, которые требуется скрыть. Для удобства все данные в списке команд фильтра отсортированы в порядке возрастания. Примечание: флажок (пусто) соответствует пустым ячейкам. Он доступен, если в выделенном диапазоне есть хотя бы одна пустая ячейка. Чтобы облегчить этот процесс, используйте поле поиска. Введите в этом поле свой запрос полностью или частично - в списке ниже будут отображены значения, содержащие эти символы. Также будут доступны следующие две опции: Выделить все результаты поиска - выбрана по умолчанию. Позволяет выделить все значения в списке, соответствующие вашему запросу. Добавить выделенный фрагмент в фильтр - если установить этот флажок, выбранные значения не будут скрыты после применения фильтра. После того как вы выберете все нужные данные, нажмите кнопку OK в списке команд фильтра, чтобы применить фильтр. Фильтрация данных по определенным критериям В правой части окна фильтра можно выбрать команду Фильтр подписей или Фильтр значений, а затем выбрать одну из опций в подменю: Для Фильтра подписей доступны следующие опции: Для текстовых значений: Равно..., Не равно..., Начинается с..., Не начинается с..., Оканчивается на..., Не оканчивается на..., Содержит..., Не содержит.... Для числовых значений: Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между. Для Фильтра значений доступны следующие опции: Равно..., Не равно..., Больше..., Больше или равно..., Меньше..., Меньше или равно..., Между, Не между, Первые 10. После выбора одной из вышеуказанных опций (кроме опций Первые 10), откроется окно Фильтра подписей/Значений. В первом и втором выпадающих списках будут выбраны соответствующее поле и критерий. Введите нужное значение в поле справа. Нажмите кнопку OK, чтобы применить фильтр. При выборе опции Первые 10 из списка опций Фильтра значений откроется новое окно: В первом выпадающем списке можно выбрать, надо ли отобразить Наибольшие или Наименьшие значения. Во втором поле можно указать, сколько записей из списка или какой процент от общего количества записей требуется отобразить (можно ввести число от 1 до 500). В третьем выпадающем списке можно задать единицы измерения: Элемент, Процент или Сумма. В четвертом выпадающем списке отображается имя выбранного поля. Когда нужные параметры будут заданы, нажмите кнопку OK, чтобы применить фильтр. Кнопка Фильтр появится в Названиях строк или Названиях столбцов сводной таблицы. Это означает, что фильтр применен. Сортировка Данные сводной таблицы можно сортировать, используя параметры сортировки. Нажмите на кнопку со стрелкой в Названиях строк или Названиях столбцов сводной таблицы и выберите опцию Сортировка по возрастанию или Сортировка по убыванию в подменю. Опция Дополнительные параметры сортировки... позволяет открыть окно Сортировать, в котором можно выбрать нужный порядок сортировки - По возрастанию (от А до Я) или По убыванию (от Я до А) - а затем выбрать определенное поле, которое требуется отсортировать. Изменение дополнительных параметров сводной таблицы Чтобы изменить дополнительные параметры сводной таблицы, нажмите ссылку Дополнительные параметры на правой боковой панели. Откроется окно 'Сводная таблица - Дополнительные параметры': На вкладке Название и макет можно изменить общие свойства сводной таблицы. С помощью опции Название можно изменить название сводной таблицы. В разделе Общие итоги можно выбрать, надо ли отображать общие итоги в сводной таблице. Опции Показывать для строк и Показывать для столбцов отмечены по умолчанию. Вы можете снять галочку или с одной из них, или с них обеих, чтобы скрыть соответствующие общие итоги из сводной таблицы. Примечание: аналогичные настройки также доступны на верхней панели инструментов в меню Общие итоги. В разделе Отображать поля в области фильтра отчета можно настроить фильтры отчета, которые появляются при добавлении полей в раздел Фильтры: Опция Вниз, затем вправо используется для организации столбцов. Она позволяет отображать фильтры отчета по столбцам. Опция Вправо, затем вниз используется для организации строк. Она позволяет отображать фильтры отчета по строкам. Опция Число полей фильтра отчета в столбце позволяет выбрать количество фильтров для отображения в каждом столбце. По умолчанию задано значение 0. Вы можете выбрать нужное числовое значение. В разделе Заголовки полей можно выбрать, надо ли отображать заголовки полей в сводной таблице. Опция Показывать заголовки полей для строк и столбцов выбрана по умолчанию. Снимите с нее галочку, если хотите скрыть заголовки полей из сводной таблицы. На вкладке Источник данных можно изменить данные, которые требуется использовать для создания сводной таблицы. Проверьте выбранный Диапазон данных и измените его в случае необходимости. Для этого нажмите на кнопку . В окне Выбор диапазона данных введите нужный диапазон данных в формате Лист1!$A$1:$E$10. Также можно выбрать нужный диапазон ячеек на рабочем листе с помощью мыши. Когда все будет готово, нажмите кнопку OK. Вкладка Альтернативный текст позволяет задать Заголовок и Описание, которые будут зачитываться для людей с нарушениями зрения или когнитивными нарушениями, чтобы помочь им лучше понять, какую информацию содержит сводная таблица. Удаление сводной таблицы Для удаления сводной таблицы: Выделите всю сводную таблицу с помощью кнопки Выделить на верхней панели инструментов. Нажмите клавишу Delete." }, { "id": "UsageInstructions/RemoveDuplicates.htm", @@ -2503,7 +2503,7 @@ var indexes = { "id": "UsageInstructions/SheetView.htm", "title": "Управление предустановками представления листа", - "body": "Редактор электронных таблиц предлагает возможность изменить представление листа при помощи применения фильтров. Для этого используется диспетчер представлений листов. Теперь вы можете сохранить необходимые параметры фильтрации и сортировки в качестве предустановки представления и использовать ее позже вместе с коллегами, а также создать несколько предустановок и легко переключаться между ними. Если вы совместно работаете над электронной таблицей, создайте индивидуальные предустановки представления и продолжайте работать с необходимыми фильтрами и параметрами сортировки, не отвлекаясь от других соредакторов. Создание нового набора настроек представления листа Поскольку предустановка представления предназначена для сохранения настраиваемых параметров фильтрации и сортировки, сначала вам необходимо применить указанные параметры к листу. Чтобы узнать больше о фильтрации и сортировке, перейдите на эту страницу . Есть два способа создать новый набор настроек вида листа: перейдите на вкладку Представление и щелкните на иконку Представление листа, во всплывающем меню выберите пункт Диспетчер представлений, в появившемся окне Диспетчер представлений листа нажмите кнопку Новое, добавьте название для нового набора настроек представления листа, или на вкладке Представление верхней панели инструментов нажмите кнопку Новое. По умолчанию набор настроек будет создан под названием \"View1/2/3...\" Чтобы изменить название, перейдите в Диспетчер представлений листа, щелкните на нужный набор настроек и нажмите на Переименовать. Нажмите Перейти к представлению, чтобы применить выбранный набор настроек представления листа. Переключение между предустановками представления листа Перейдите на вкладку Представление и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Нажмите кнопку Перейти к представлению. Чтобы выйти из текущего набора настроек представления листа, нажмите на значок Закрыть на верхней панели инструментов. Управление предустановками представления листа Перейдите на вкладку Представление и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Выберите одну из следующих опций: Переименовать, чтобы изменить название выбранного набора настроек, Дублировать, чтобы создать копию выбранного набора настроек, Удалить, чтобы удалить выбранный набора настроек. Нажмите кнопку Перейти к представлению." + "body": "Редактор электронных таблиц предлагает возможность изменить представление листа при помощи применения фильтров. Для этого используется диспетчер представлений листов. Теперь вы можете сохранить необходимые параметры фильтрации в качестве предустановки представления и использовать ее позже вместе с коллегами, а также создать несколько предустановок и легко переключаться между ними. Если вы совместно работаете над электронной таблицей, создайте индивидуальные предустановки представления и продолжайте работать с необходимыми фильтрами, не отвлекаясь от других соредакторов. Создание нового набора настроек представления листа Поскольку предустановка представления предназначена для сохранения настраиваемых параметров фильтрации, сначала вам необходимо применить указанные параметры к листу. Чтобы узнать больше о фильтрации, перейдите на эту страницу . Есть два способа создать новый набор настроек вида листа: перейдите на вкладку Представление и щелкните на иконку Представление листа, во всплывающем меню выберите пункт Диспетчер представлений, в появившемся окне Диспетчер представлений листа нажмите кнопку Новое, добавьте название для нового набора настроек представления листа, или на вкладке Представление верхней панели инструментов нажмите кнопку Новое. По умолчанию набор настроек будет создан под названием \"View1/2/3...\" Чтобы изменить название, перейдите в Диспетчер представлений листа, щелкните на нужный набор настроек и нажмите на Переименовать. Нажмите Перейти к представлению, чтобы применить выбранный набор настроек представления листа. Переключение между предустановками представления листа Перейдите на вкладку Представление и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Нажмите кнопку Перейти к представлению. Чтобы выйти из текущего набора настроек представления листа, нажмите на значок Закрыть на верхней панели инструментов. Управление предустановками представления листа Перейдите на вкладку Представление и щелкните на иконку Представление листа. Во всплывающем меню выберите пункт Диспетчер представлений. В поле Представления листа выберите нужный набор настрок представления листа. Выберите одну из следующих опций: Переименовать, чтобы изменить название выбранного набора настроек, Дублировать, чтобы создать копию выбранного набора настроек, Удалить, чтобы удалить выбранный набора настроек. Нажмите кнопку Перейти к представлению." }, { "id": "UsageInstructions/Slicers.htm", diff --git a/apps/spreadsheeteditor/main/resources/less/advanced-settings.less b/apps/spreadsheeteditor/main/resources/less/advanced-settings.less index d7a69c082..29b010977 100644 --- a/apps/spreadsheeteditor/main/resources/less/advanced-settings.less +++ b/apps/spreadsheeteditor/main/resources/less/advanced-settings.less @@ -90,4 +90,17 @@ } } +.sort-dialog-btn-caret { + display: inline-block; + border: @scaled-one-px-value solid #cfcfcf; + border-radius: 1px; +} +#sort-dialog-btn-down { + margin-right: 5px; +} + +.sort-dialog-btn-text { + min-width: 100px; + margin-right: 5px; +} diff --git a/apps/spreadsheeteditor/main/resources/less/app.less b/apps/spreadsheeteditor/main/resources/less/app.less index d73ccfb91..fed2e5b4c 100644 --- a/apps/spreadsheeteditor/main/resources/less/app.less +++ b/apps/spreadsheeteditor/main/resources/less/app.less @@ -9,6 +9,8 @@ // Bootstrap overwrite @import "../../../../common/main/resources/less/variables.less"; +@import "../../../../common/main/resources/less/colors-table.less"; +@import "../../../../common/main/resources/less/colors-table-dark.less"; // // Bootstrap @@ -130,13 +132,14 @@ @import "celleditor.less"; @import "formuladialog.less"; @import "filterdialog.less"; +@import "spellcheck.less"; @import "sprites/iconssmall@1x"; @import "sprites/iconsbig@1x"; @import "sprites/iconssmall@2x"; @import "sprites/iconsbig@2x"; -//@import "sprites/iconssmall@1.5x"; -//@import "sprites/iconsbig@1.5x"; +@import "sprites/iconssmall@1.5x"; +@import "sprites/iconsbig@1.5x"; .font-size-small { .fontsize(@font-size-small); diff --git a/apps/spreadsheeteditor/main/resources/less/celleditor.less b/apps/spreadsheeteditor/main/resources/less/celleditor.less index 3cbb6c018..135135a97 100644 --- a/apps/spreadsheeteditor/main/resources/less/celleditor.less +++ b/apps/spreadsheeteditor/main/resources/less/celleditor.less @@ -1,14 +1,14 @@ #cell-editing-box { - border-bottom: solid 1px @gray-dark; - border-left: solid 1px @gray-dark; + border-bottom: solid @scaled-one-px-value @border-toolbar; + border-left: solid @scaled-one-px-value @border-toolbar; min-height: 20px; - background-color: #fff; + background-color: @background-normal; .ce-group-name { float: left; height: 20px; - border-bottom: 1px solid @gray-dark; - background-color: @gray-light; + border-bottom: @scaled-one-px-value solid @border-toolbar; + background-color: @background-toolbar; #ce-cell-name { width: 100px; @@ -17,12 +17,12 @@ vertical-align: top; display: inline-block; border: 0 none; - border-right: 1px solid @gray-dark; + border-right: @scaled-one-px-value solid @border-toolbar; transition: none; -webkit-transition: none; &[disabled] { - color: @gray-darker; + color: @border-preview-select; opacity: 0.5; } } @@ -31,10 +31,10 @@ display: inline-block; position: absolute; left: 80px; - background-color: @gray-light; + background-color: @background-toolbar; button { - background-color: #fff; + background-color: @background-normal; height: 19px; &.disabled { @@ -75,7 +75,7 @@ padding-left: 1px; margin: 0 16px 0 120px; height: 100%; - border-left: 1px solid @gray-dark; + border-left: @scaled-one-px-value solid @border-toolbar; #ce-cell-content { height: 100%; @@ -87,7 +87,7 @@ padding-bottom: 0; &[disabled] { - color: @gray-darker; + color: @border-preview-select; opacity: 0.5; } } @@ -102,8 +102,8 @@ border-bottom: 0 none; &.move { - border-top: 1px solid @gray-dark; - border-bottom: 1px solid @gray-dark; + border-top: @scaled-one-px-value solid @border-toolbar; + border-bottom: @scaled-one-px-value solid @border-toolbar; opacity: 0.4; } } @@ -123,7 +123,7 @@ &.btn-collapse { .caret { - transform: rotate(180deg); + transform: rotate(45deg); } } } diff --git a/apps/spreadsheeteditor/main/resources/less/filterdialog.less b/apps/spreadsheeteditor/main/resources/less/filterdialog.less index 1c3b82bb2..0a359c598 100644 --- a/apps/spreadsheeteditor/main/resources/less/filterdialog.less +++ b/apps/spreadsheeteditor/main/resources/less/filterdialog.less @@ -17,15 +17,15 @@ } .border-values { - border: 1px solid @input-border; + border: @scaled-one-px-value solid @input-border; .item { &.selected { - background-color: @secondary; - border-color: @secondary; - color: @gray-deep; + background-color: @highlight-button-hover; + border-color: @highlight-button-hover; + color: @text-normal; border-style: solid; - border-width: 1px 0; + border-width: @scaled-one-px-value 0; } } } @@ -94,7 +94,7 @@ } &.border { - border: 1px solid @gray; + border: @scaled-one-px-value solid @border-regular-control; .border-radius(1px); width: 22px; height: 22px; diff --git a/apps/spreadsheeteditor/main/resources/less/layout.less b/apps/spreadsheeteditor/main/resources/less/layout.less index 9d7149026..a4fbc2a08 100644 --- a/apps/spreadsheeteditor/main/resources/less/layout.less +++ b/apps/spreadsheeteditor/main/resources/less/layout.less @@ -2,7 +2,7 @@ body { width: 100%; height: 100%; .user-select(none); - color: @gray-deep; + color: @text-normal; &.safari { position: absolute; @@ -33,7 +33,7 @@ label { top:0; right: 0; bottom: 0; - background-color: @gray-light; + background-color: @background-toolbar; overflow: hidden; } @@ -52,8 +52,8 @@ label { } #editor_sdk { - border-top: 1px solid @gray-dark; - border-left: 1px solid @gray-dark; + border-top: @scaled-one-px-value solid @border-toolbar; + border-left: @scaled-one-px-value solid @border-toolbar; } .layout-resizer { diff --git a/apps/spreadsheeteditor/main/resources/less/leftmenu.less b/apps/spreadsheeteditor/main/resources/less/leftmenu.less index 357dce980..8b732e6dc 100644 --- a/apps/spreadsheeteditor/main/resources/less/leftmenu.less +++ b/apps/spreadsheeteditor/main/resources/less/leftmenu.less @@ -1,15 +1,3 @@ -.tool-menu { - height: 100%; - display: block; - - &.left { - overflow: hidden; - - .tool-menu-btns { - border-right: 1px solid @gray-dark; - } - } -} #left-menu { &+.layout-resizer { @@ -17,38 +5,13 @@ border-right: 0 none; &.move { - border-left: 1px solid @gray-dark; - border-right: 1px solid @gray-dark; + border-left: @scaled-one-px-value solid @border-toolbar; + border-right: @scaled-one-px-value solid @border-toolbar; opacity: 0.4; } } } -.tool-menu-btns { - width: 40px; - height: 100%; - display: inline-block; - position: absolute; - padding-top: 15px; - - button { - margin-bottom: 8px; - } -} - -.left-panel { - padding-left: 40px; - height: 100%; - border-right: 1px solid @gray-dark; - - #left-panel-chat { - height: 100%; - } - #left-panel-comments { - height: 100%; - } -} - .left-menu-full-ct { width: 100%; height: 100%; @@ -57,7 +20,7 @@ top: 0; position: absolute; z-index: @zindex-dropdown - 5; - background-color: @gray-light; + background-color: @background-toolbar; overflow: hidden; } @@ -84,16 +47,7 @@ } #file-menu-panel { - > div { - height: 100%; - } - .panel-menu { - width: 260px; - float: left; - border-right: 1px solid @gray-dark; - background-color: @gray-light; - li { list-style: none; position: relative; @@ -103,12 +57,12 @@ margin-bottom: 3px; &:hover:not(.disabled) { - background-color: @secondary; + background-color: @highlight-button-hover; } &.active:not(.disabled) { outline: 0; - background-color: @primary; + background-color: @highlight-button-pressed; > a { color: #fff; @@ -117,7 +71,7 @@ &.disabled > a { cursor: default; - color: @gray; + color: @border-regular-control; } } @@ -151,7 +105,7 @@ .panel-context { width: 100%; padding-left: 260px; - background-color: #fff; + background-color: @background-normal; .content-box { height: 100%; @@ -179,14 +133,6 @@ } } - .flex-settings { - &.bordered { - border-bottom: 1px solid @gray; - } - overflow: hidden; - position: relative; - } - #panel-settings-general, #panel-settings-print { & > div { @@ -209,7 +155,7 @@ #id-settings-menu { .dataview { - border-right: 1px solid @gray-dark; + border-right: @scaled-one-px-value solid @border-toolbar; & > div:not([class^=ps-scrollbar]) { display: block; @@ -232,11 +178,11 @@ &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } &.selected { - background-color: @primary; + background-color: @highlight-button-pressed; color: @dropdown-link-active-color; .settings-icon { @@ -377,7 +323,7 @@ &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } .recent-icon { @@ -418,7 +364,7 @@ } .dataview { - border-right: 1px solid @gray-dark; + border-right: @scaled-one-px-value solid @border-toolbar; & > div:not([class^=ps-scrollbar]) { display: block; @@ -432,11 +378,11 @@ &:not(.header-name) { &:hover, &.over { - background-color: @gray-light; + background-color: @background-toolbar; } &.selected { - background-color: @primary; + background-color: @highlight-button-pressed; color: @dropdown-link-active-color; } } diff --git a/apps/spreadsheeteditor/main/resources/less/rightmenu.less b/apps/spreadsheeteditor/main/resources/less/rightmenu.less index 6dadc6928..a0d49f3f2 100644 --- a/apps/spreadsheeteditor/main/resources/less/rightmenu.less +++ b/apps/spreadsheeteditor/main/resources/less/rightmenu.less @@ -1,109 +1,13 @@ -.tool-menu.right { - .tool-menu-btns { - position: absolute; - border-left: 1px solid @gray-dark; - background-color: @gray-light; - right: 0; - overflow: hidden; - } -} - -.right-panel { - width: 220px; - height: 100%; - display: none; - padding: 0 10px 0 15px; - position: relative; - overflow: hidden; - border-left: 1px solid @gray-dark; - line-height: 15px; -} - .settings-panel { - display: none; - overflow: visible; - margin-top: 7px; - - & > table { - width: 100%; - } - - &.active { - display: block; - } - - .padding-small { - padding-bottom: 8px; - } - - .padding-large { - padding-bottom: 16px; - } - - .finish-cell { - height: 15px; - } - - label { - .font-size-normal(); - font-weight: normal; - - &.input-label{ - margin-bottom: 0; - vertical-align: middle; - } - - &.header { - font-weight: bold; - } - } - - .separator { width: 100%;} - - .settings-hidden { - display: none; - } - - textarea { - .user-select(text); - width: 100%; - resize: none; - margin-bottom: 5px; - border: 1px solid @gray-dark; - height: 100%; - - &.disabled { - opacity: 0.65; - cursor: default !important; - } - } } + .right-panel .settings-panel { label.input-label{ vertical-align: baseline; } } -.btn-edit-table, -.btn-change-shape { - .background-ximage('@{common-image-path}/right-panels/rowscols_icon.png', '@{common-image-path}/right-panels/rowscols_icon@2x.png', 84px); - margin-right: 2px !important; - margin-bottom: 1px !important; -} - -.btn-edit-table {background-position: 0 0;} -button.over .btn-edit-table {background-position: -28px 0;} -.btn-group.open .btn-edit-table, -button.active:not(.disabled) .btn-edit-table, -button:active:not(.disabled) .btn-edit-table {background-position: -56px 0;} - -.btn-change-shape {background-position: 0 -16px;} -button.over .btn-change-shape {background-position: -28px -16px;} -.btn-group.open .btn-change-shape, -button.active:not(.disabled) .btn-change-shape, -button:active:not(.disabled) .btn-change-shape {background-position: -56px -16px;} - .combo-pattern-item { .background-ximage('@{common-image-path}/right-panels/patterns.png', '@{common-image-path}/right-panels/patterns@2x.png', 112px); } @@ -111,10 +15,10 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - .combo-dataview-menu { .form-control { cursor: pointer; - background-color: white; + background-color: @background-normal; &.text { - background: white; + background: @background-normal; vertical-align: bottom; } } @@ -258,7 +162,7 @@ button:active:not(.disabled) .btn-change-shape {background-position: -56px - &:hover, &.over { - background-color: @secondary; + background-color: @highlight-button-hover; .caret { display: inline-block; diff --git a/apps/spreadsheeteditor/main/resources/less/spellcheck.less b/apps/spreadsheeteditor/main/resources/less/spellcheck.less new file mode 100644 index 000000000..a86131602 --- /dev/null +++ b/apps/spreadsheeteditor/main/resources/less/spellcheck.less @@ -0,0 +1,50 @@ + +#spellcheck-box { + padding: 20px 15px 0; + width: 100%; + position: relative; + overflow: hidden; +} + +#spellcheck-current-word { + vertical-align: top; + width: 100%; + display: inline-block; +} + +#spellcheck-next { + display: inline-block; +} + +#spellcheck-suggestions-list { + width: 100%; + height: 116px; + background-color: @background-normal; + margin-bottom: 8px; +} + +#spellcheck-change { + display: inline-block; + padding-bottom: 16px; +} + +#spellcheck-ignore { + margin-left: 9px; + display: inline-block; +} + +#spellcheck-add-to-dictionary { + min-width: 110px; + display: block; + margin-bottom: 16px; +} + +#spellcheck-dictionary-language { + margin-top: 3px; + padding-bottom: 16px; + display: flex; +} + +#spellcheck-complete { + display: flex; +} \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/less/statusbar.less b/apps/spreadsheeteditor/main/resources/less/statusbar.less index 605376404..0d5f76f26 100644 --- a/apps/spreadsheeteditor/main/resources/less/statusbar.less +++ b/apps/spreadsheeteditor/main/resources/less/statusbar.less @@ -1,8 +1,5 @@ .statusbar { padding: 0 2px 0; - height: 25px; - background-color: @gray-light; - .box-inner-shadow(0 1px 0 @gray-dark); z-index: 500; #status-tabs-scroll { @@ -26,7 +23,7 @@ text-align: center; &.disabled { - color: @gray-darker; + color: @border-preview-select; cursor: default; } } @@ -96,7 +93,7 @@ height: 12px; display: inline-block; vertical-align: middle; - border: 1px solid @gray-dark; + border: @scaled-one-px-value solid @border-toolbar; } .name { @@ -114,8 +111,8 @@ #status-addtabs-box { float: left; padding: 3px 8px 0 8px; - border-left: 1px solid @gray-dark; - border-right: 1px solid @gray-dark; + border-left: @scaled-one-px-value solid @border-toolbar; + border-right: @scaled-one-px-value solid @border-toolbar; height: 25px; } @@ -158,7 +155,7 @@ display: flex; > li { - background-color: @gray-light; + background-color: @background-toolbar; &:first-of-type { span { @@ -178,23 +175,23 @@ padding: 0 10px 0; line-height: 24px; margin-right: -1px; - background-color: @gray-light; + background-color: @background-toolbar-additional; outline: none; - border-left: 1px solid @gray-dark; - border-right: 1px solid @gray-dark; - border-top: 1px solid @gray-dark; + border-left: @scaled-one-px-value solid @border-toolbar; + border-right: @scaled-one-px-value solid @border-toolbar; + border-top: @scaled-one-px-value solid @border-toolbar; &:hover { - border-top-color: @gray-dark; - border-bottom-color: @gray-dark; - color: @black !important; + border-top-color: @border-toolbar; + border-bottom-color: @border-toolbar; + color: @text-normal !important; } } &.active { > span { - border-bottom-color: @body-bg; - background-color: @body-bg; + border-bottom-color: @background-toolbar; + background-color: @background-toolbar; outline: none; box-shadow: 0px 4px 0 #49795d inset; @@ -206,9 +203,10 @@ &.selected { > span { - border-bottom-color: @body-bg; - background-color: @body-bg; + border-bottom-color: @highlight-header-button-hover; + background-color: @background-normal; box-shadow: 0px 4px 0 #49795d inset; + color: @text-normal; } } @@ -259,7 +257,7 @@ &:not(.active) { > span { - color: @gray-darker; + color: @text-secondary; } } @@ -272,14 +270,14 @@ } > span { - border-left: 2px solid @gray-deep; + border-left: 2px solid @text-normal; padding-left: 9px; } &.right { > span { - border-left: 1px solid @gray-dark; - border-right: 2px solid @gray-deep; + border-left: @scaled-one-px-value solid @border-toolbar; + border-right: 2px solid @text-normal; padding-right: 9px; padding-left: 10px; } @@ -297,11 +295,11 @@ } &.separator-item { margin-left: 20px; - width: 1px; + width: @scaled-one-px-value; > span { padding: 0; margin: 0; - width: 1px; + width: @scaled-one-px-value; &::after { content: none; } @@ -316,12 +314,6 @@ } } - .status-label { - font-weight: bold; - color: @gray-deep; - white-space: nowrap; - } - .btn-tpl(@top-position) { .btn-icon { background-position: 0 @top-position; @@ -398,7 +390,7 @@ width: 36px; height: 100%; opacity: 0; - background-color: @gray-light; + background-color: @background-toolbar; z-index: @zindex-modal - 1; } diff --git a/apps/spreadsheeteditor/main/resources/less/toolbar.less b/apps/spreadsheeteditor/main/resources/less/toolbar.less index 751c71ac6..2818576b2 100644 --- a/apps/spreadsheeteditor/main/resources/less/toolbar.less +++ b/apps/spreadsheeteditor/main/resources/less/toolbar.less @@ -39,40 +39,6 @@ } } -.color-schemas-menu { - span { - &.colors { - display: inline-block; - margin-right: 15px; - } - - &.color { - display: inline-block; - width: 12px; - height: 12px; - margin-right: 2px; - border: 1px solid rgba(0, 0, 0, 0.2); - vertical-align: middle; - } - - &.text { - vertical-align: middle; - } - } - &.checked { - &:before { - display: none !important; - } - &, &:hover, &:focus { - background-color: @primary; - color: @dropdown-link-active-color; - span.color { - border-color: rgba(255,255,255,0.7); - } - } - } -} - // menu zoom .menu-zoom { line-height: @line-height-base; @@ -135,17 +101,22 @@ } } -.item-equation { - border: 1px solid @gray; - .background-ximage-v2('toolbar/math.png', 1500px); +#id-toolbar-menu-auto-bordercolor > a.selected, +#id-toolbar-menu-auto-bordercolor > a:hover, +#id-toolbar-menu-auto-fontcolor > a.selected, +#id-toolbar-menu-auto-fontcolor > a:hover { + span { + outline: @scaled-one-px-value solid @border-regular-control; + border: @scaled-one-px-value solid @background-normal; + } } #special-paste-container, #autocorrect-paste-container { position: absolute; z-index: @zindex-dropdown - 20; - background-color: @gray-light; - border: 1px solid @gray; + background-color: @background-toolbar; + border: @scaled-one-px-value solid @border-regular-control; } #slot-field-fontname { @@ -165,4 +136,10 @@ #slot-field-zoom { float: left; min-width: 46px; +} + +.combo-styles { + .view, .dropdown-menu { + background-color: @canvas-content-background; + } } \ No newline at end of file diff --git a/apps/spreadsheeteditor/main/resources/less/variables.less b/apps/spreadsheeteditor/main/resources/less/variables.less index 5e97db181..596e73e46 100644 --- a/apps/spreadsheeteditor/main/resources/less/variables.less +++ b/apps/spreadsheeteditor/main/resources/less/variables.less @@ -1,23 +1,19 @@ // // Variables // -------------------------------------------------- +@header-background-color: var(--toolbar-header-spreadsheet); // Active color // ------------------------- -@green-darker: #0f0; -@green-dark: #7e983f; -@green: #8ca946; -@green-light: #98b259; -@green-lighter: #0f0; +//@green-darker: #0f0; +//@green-dark: #7e983f; +//@green: #8ca946; +//@green-light: #98b259; +//@green-lighter: #0f0; -@brand-active: @green-dark; -@brand-active-light: @green-light; - -@red: #d92b29; +//@brand-active: @green-dark; +//@brand-active-light: @green-light; // Header // ------------------------- @app-header-height: 20px; -@app-header-bg-color: @green; -@app-header-bg-color-dark: @green-dark; -@app-header-bg-color-light: @green-light; \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/app/controller/DocumentHolder.js b/apps/spreadsheeteditor/mobile/app/controller/DocumentHolder.js index 85d811549..d2f07129b 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/DocumentHolder.js +++ b/apps/spreadsheeteditor/mobile/app/controller/DocumentHolder.js @@ -237,7 +237,12 @@ define([ break; case 'viewcomment': me.view.hideMenu(); - SSE.getController('Common.Controllers.Collaboration').showCommentModal(); + var cellinfo = this.api.asc_getCellInfo(), + comments = cellinfo.asc_getComments(); + if (comments.length) { + SSE.getController('Common.Controllers.Collaboration').apiShowComments(comments[0].asc_getId()); + SSE.getController('Common.Controllers.Collaboration').showCommentModal(); + } break; case 'addcomment': me.view.hideMenu(); @@ -248,7 +253,7 @@ define([ if ('showActionSheet' == event && _actionSheets.length > 0) { _.delay(function () { _.each(_actionSheets, function (action) { - action.text = action.caption + action.text = action.caption; action.onClick = function () { me.onContextMenuClick(null, action.event) } diff --git a/apps/spreadsheeteditor/mobile/app/controller/Main.js b/apps/spreadsheeteditor/mobile/app/controller/Main.js index 87e6b1a8c..2a082c04f 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Main.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Main.js @@ -307,10 +307,6 @@ define([ if (data.doc) { SSE.getController('Toolbar').setDocumentTitle(data.doc.title); - if (data.doc.info) { - data.doc.info.author && console.log("Obsolete: The 'author' parameter of the document 'info' section is deprecated. Please use 'owner' instead."); - data.doc.info.created && console.log("Obsolete: The 'created' parameter of the document 'info' section is deprecated. Please use 'uploaded' instead."); - } } }, @@ -757,17 +753,24 @@ define([ me.appOptions.canComments = me.appOptions.canLicense && (me.permissions.comment===undefined ? me.appOptions.isEdit : me.permissions.comment) && (me.editorConfig.mode !== 'view'); me.appOptions.canComments = me.appOptions.canComments && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.comments===false); me.appOptions.canViewComments = me.appOptions.canComments || !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.comments===false); - me.appOptions.canEditComments = me.appOptions.isOffline || !(typeof (me.editorConfig.customization) == 'object' && me.editorConfig.customization.commentAuthorOnly); + me.appOptions.canEditComments= me.appOptions.isOffline || !me.permissions.editCommentAuthorOnly; + me.appOptions.canDeleteComments= me.appOptions.isOffline || !me.permissions.deleteCommentAuthorOnly; + if ((typeof (this.editorConfig.customization) == 'object') && me.editorConfig.customization.commentAuthorOnly===true) { + console.log("Obsolete: The 'commentAuthorOnly' parameter of the 'customization' section is deprecated. Please use 'editCommentAuthorOnly' and 'deleteCommentAuthorOnly' parameters in the permissions instead."); + if (me.permissions.editCommentAuthorOnly===undefined && me.permissions.deleteCommentAuthorOnly===undefined) + me.appOptions.canEditComments = me.appOptions.canDeleteComments = me.appOptions.isOffline; + } me.appOptions.canChat = me.appOptions.canLicense && !me.appOptions.isOffline && !((typeof (me.editorConfig.customization) == 'object') && me.editorConfig.customization.chat===false); me.appOptions.trialMode = params.asc_getLicenseMode(); me.appOptions.canBranding = params.asc_getCustomization(); me.appOptions.canBrandingExt = params.asc_getCanBranding() && (typeof me.editorConfig.customization == 'object'); - me.appOptions.canUseReviewPermissions = me.appOptions.canLicense && me.editorConfig.customization && me.editorConfig.customization.reviewPermissions && (typeof (me.editorConfig.customization.reviewPermissions) == 'object'); + me.appOptions.canUseReviewPermissions = me.appOptions.canLicense && (!!me.permissions.reviewGroup || + me.editorConfig.customization && me.editorConfig.customization.reviewPermissions && (typeof (me.editorConfig.customization.reviewPermissions) == 'object')); Common.Utils.UserInfoParser.setParser(me.appOptions.canUseReviewPermissions); Common.Utils.UserInfoParser.setCurrentName(me.appOptions.user.fullname); - me.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(me.editorConfig.customization.reviewPermissions); + me.appOptions.canUseReviewPermissions && Common.Utils.UserInfoParser.setReviewPermissions(me.permissions.reviewGroup, me.editorConfig.customization.reviewPermissions); } me.appOptions.canRequestEditRights = me.editorConfig.canRequestEditRights; @@ -1419,7 +1422,10 @@ define([ var buttons = [{ text: 'OK', bold: true, + close: false, onClick: function () { + if (!me._state.openDlg) return; + $(me._state.openDlg).hasClass('modal-in') && uiApp.closeModal(me._state.openDlg); var password = $(me._state.openDlg).find('.modal-text-input[name="modal-password"]').val(); me.api.asc_setAdvancedOptions(type, new Asc.asc_CDRMAdvancedOptions(password)); @@ -1440,7 +1446,7 @@ define([ me._state.openDlg = uiApp.modal({ title: me.advDRMOptions, - text: me.txtProtected, + text: (typeof advOptions=='string' ? advOptions : me.txtProtected), afterText: '
      ', buttons: buttons }); diff --git a/apps/spreadsheeteditor/mobile/app/controller/Settings.js b/apps/spreadsheeteditor/mobile/app/controller/Settings.js index d8a7f2c94..05318621a 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/Settings.js +++ b/apps/spreadsheeteditor/mobile/app/controller/Settings.js @@ -76,15 +76,6 @@ define([ { caption: 'A6', subtitle: Common.Utils.String.format('10,5{0} x 14,8{0}', txtCm), value: [105, 148] } ], _metricText = Common.Utils.Metric.getMetricName(Common.Utils.Metric.getCurrentMetric()), - _dataLang = [ - { value: 'en', displayValue: 'English', exampleValue: ' SUM; MIN; MAX; COUNT' }, - { value: 'de', displayValue: 'Deutsch', exampleValue: ' SUMME; MIN; MAX; ANZAHL' }, - { value: 'es', displayValue: 'Spanish', exampleValue: ' SUMA; MIN; MAX; CALCULAR' }, - { value: 'fr', displayValue: 'French', exampleValue: ' SOMME; MIN; MAX; NB' }, - { value: 'it', displayValue: 'Italian', exampleValue: ' SOMMA; MIN; MAX; CONTA.NUMERI' }, - { value: 'ru', displayValue: 'Russian', exampleValue: ' СУММ; МИН; МАКС; СЧЁТ' }, - { value: 'pl', displayValue: 'Polish', exampleValue: ' SUMA; MIN; MAX; ILE.LICZB' } - ], _indexLang = 0, _regDataCode = [{ value: 0x042C }, { value: 0x0402 }, { value: 0x0405 }, { value: 0x0407 }, {value: 0x0807}, { value: 0x0408 }, { value: 0x0C09 }, { value: 0x0809 }, { value: 0x0409 }, { value: 0x0C0A }, { value: 0x080A }, { value: 0x040B }, { value: 0x040C }, { value: 0x0410 }, { value: 0x0411 }, { value: 0x0412 }, { value: 0x0426 }, { value: 0x0413 }, { value: 0x0415 }, { value: 0x0416 }, @@ -135,7 +126,15 @@ define([ _regdata.push({code: item.value, displayName: langinfo[1], langName: langinfo[0]}); }); - + this._dataLang = [ + { value: 'en', displayValue: this.txtEn, exampleValue: ' SUM; MIN; MAX; COUNT' }, + { value: 'de', displayValue: this.txtDe, exampleValue: ' SUMME; MIN; MAX; ANZAHL' }, + { value: 'es', displayValue: this.txtEs, exampleValue: ' SUMA; MIN; MAX; CALCULAR' }, + { value: 'fr', displayValue: this.txtFr, exampleValue: ' SOMME; MIN; MAX; NB' }, + { value: 'it', displayValue: this.txtIt, exampleValue: ' SOMMA; MIN; MAX; CONTA.NUMERI' }, + { value: 'ru', displayValue: this.txtRu, exampleValue: ' СУММ; МИН; МАКС; СЧЁТ' }, + { value: 'pl', displayValue: this.txtPl, exampleValue: ' SUMA; MIN; MAX; ILE.LICZB' } + ]; }, setApi: function (api) { @@ -284,9 +283,9 @@ define([ info = document.info || {}; document.title ? $('#settings-spreadsheet-title').html(document.title) : $('.display-spreadsheet-title').remove(); - var value = info.owner || info.author; + var value = info.owner; value ? $('#settings-sse-owner').html(value) : $('.display-owner').remove(); - value = info.uploaded || info.created; + value = info.uploaded; value ? $('#settings-sse-uploaded').html(value) : $('.display-uploaded').remove(); info.folder ? $('#settings-sse-location').html(info.folder) : $('.display-location').remove(); @@ -336,8 +335,8 @@ define([ initFormulaLang: function() { var value = Common.localStorage.getItem('sse-settings-func-lang'); - var item = _.findWhere(_dataLang, {value: value}); - this.getView('Settings').renderFormLang(item ? _dataLang.indexOf(item) : 0, _dataLang); + var item = _.findWhere(this._dataLang, {value: value}); + this.getView('Settings').renderFormLang(item ? this._dataLang.indexOf(item) : 0, this._dataLang); $('.page[data-page=language-formula-view] input:radio[name=language-formula]').single('change', _.bind(this.onFormulaLangChange, this)); Common.Utils.addScrollIfNeed('.page[data-page=language-formula-view]', '.page[data-page=language-formula-view] .page-content'); }, @@ -576,9 +575,9 @@ define([ //init formula language value = Common.localStorage.getItem('sse-settings-func-lang'); - var item = _.findWhere(_dataLang, {value: value}); + var item = _.findWhere(me._dataLang, {value: value}); if(!item) { - item = _dataLang[0]; + item = me._dataLang[0]; } var $pageLang = $('#language-formula'); $pageLang.find('.item-title').text(item.displayValue); @@ -707,7 +706,14 @@ define([ }, notcriticalErrorTitle : 'Warning', - warnDownloadAs : 'If you continue saving in this format all features except the text will be lost.
      Are you sure you want to continue?' + warnDownloadAs : 'If you continue saving in this format all features except the text will be lost.
      Are you sure you want to continue?', + txtEn: 'English', + txtDe: 'Deutsch', + txtRu: 'Russian', + txtPl: 'Polish', + txtEs: 'Spanish', + txtFr: 'French', + txtIt: 'Italian' } })(), SSE.Controllers.Settings || {})) }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js b/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js index 36e00f871..b60c14f71 100644 --- a/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js +++ b/apps/spreadsheeteditor/mobile/app/controller/edit/EditShape.js @@ -130,7 +130,7 @@ define([ }, initSettings: function (pageId) { - if ($('#edit-shape').length < 1) { + if ($('#edit-shape').length < 1 || !_shapeObject) { return; } diff --git a/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js b/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js index 412b74035..62d7c8e7b 100644 --- a/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js +++ b/apps/spreadsheeteditor/mobile/app/view/add/AddFunction.js @@ -111,35 +111,14 @@ define([ } var lang = me.lang; - this.translatTable = {}; - - var name = '', translate = '', + var name = '', descriptions = ['DateAndTime', 'Engineering', 'Financial', 'Information', 'Logical', 'LookupAndReference', 'Mathematic', 'Statistical', 'TextAndData' ]; + me.groups = []; for (var i=0; i').append(_.template(me.template)({ android : Common.SharedSettings.get('android'), phone : Common.SharedSettings.get('phone'), @@ -221,58 +200,7 @@ define([ sCatLookupAndReference: 'Lookup and Reference', sCatMathematic: 'Math and trigonometry', sCatStatistical: 'Statistical', - sCatTextAndData: 'Text and data', - - sCatDateAndTime_ru: 'Дата и время', - sCatEngineering_ru: 'Инженерные', - sCatFinancial_ru: 'Финансовые', - sCatInformation_ru: 'Информационные', - sCatLogical_ru: 'Логические', - sCatLookupAndReference_ru: 'Поиск и ссылки', - sCatMathematic_ru: 'Математические', - sCatStatistical_ru: 'Статистические', - sCatTextAndData_ru: 'Текст и данные', - - sCatLogical_es: 'Lógico', - sCatDateAndTime_es: 'Fecha y hora', - sCatEngineering_es: 'Ingenería', - sCatFinancial_es: 'Financial', - sCatInformation_es: 'Información', - sCatLookupAndReference_es: 'Búsqueda y referencia', - sCatMathematic_es: 'Matemáticas y trigonometría', - sCatStatistical_es: 'Estadístico', - sCatTextAndData_es: 'Texto y datos', - - sCatLogical_fr: 'Logique', - sCatDateAndTime_fr: 'Date et heure', - sCatEngineering_fr: 'Ingénierie', - sCatFinancial_fr: 'Financier', - sCatInformation_fr: 'Information', - sCatLookupAndReference_fr: 'Recherche et référence', - sCatMathematic_fr: 'Maths et trigonométrie', - sCatStatistical_fr: 'Statistiques', - sCatTextAndData_fr: 'Texte et données', - - sCatLogical_pl: 'Logiczny', - sCatDateAndTime_pl: 'Data i czas', - sCatEngineering_pl: 'Inżyniera', - sCatFinancial_pl: 'Finansowe', - sCatInformation_pl: 'Informacja', - sCatLookupAndReference_pl: 'Wyszukiwanie i odniesienie', - sCatMathematic_pl: 'Matematyczne i trygonometryczne', - sCatStatistical_pl: 'Statystyczny', - sCatTextAndData_pl: 'Tekst i data', - - sCatDateAndTime_de: 'Datum und Uhrzeit', - sCatEngineering_de: 'Konstruktion', - sCatFinancial_de: 'Finanzmathematik', - sCatInformation_de: 'Information', - sCatLogical_de: 'Logisch', - sCatLookupAndReference_de: 'Suchen und Bezüge', - sCatMathematic_de: 'Mathematik und Trigonometrie', - sCatStatistical_de: 'Statistik', - sCatTextAndData_de: 'Text und Daten' - + sCatTextAndData: 'Text and data' } })(), SSE.Views.AddFunction || {})); }); \ No newline at end of file diff --git a/apps/spreadsheeteditor/mobile/locale/be.json b/apps/spreadsheeteditor/mobile/locale/be.json index fade81fbd..a890e881e 100644 --- a/apps/spreadsheeteditor/mobile/locale/be.json +++ b/apps/spreadsheeteditor/mobile/locale/be.json @@ -329,6 +329,13 @@ "SSE.Controllers.Search.textNoTextFound": "Тэкст не знойдзены", "SSE.Controllers.Search.textReplaceAll": "Замяніць усе", "SSE.Controllers.Settings.notcriticalErrorTitle": "Увага", + "SSE.Controllers.Settings.txtDe": "Нямецкая", + "SSE.Controllers.Settings.txtEn": "Англійская", + "SSE.Controllers.Settings.txtEs": "Іспанская", + "SSE.Controllers.Settings.txtFr": "Французская", + "SSE.Controllers.Settings.txtIt": "Італьянская", + "SSE.Controllers.Settings.txtPl": "Польская", + "SSE.Controllers.Settings.txtRu": "Расійская", "SSE.Controllers.Settings.warnDownloadAs": "Калі вы працягнеце захаванне ў гэты фармат, усе функцыі, апроч тэксту страцяцца.
      Сапраўды хочаце працягнуць?", "SSE.Controllers.Statusbar.cancelButtonText": "Скасаваць", "SSE.Controllers.Statusbar.errNameExists": "Аркуш з такой назвай ужо існуе.", diff --git a/apps/spreadsheeteditor/mobile/locale/bg.json b/apps/spreadsheeteditor/mobile/locale/bg.json index 878991877..94a1878ce 100644 --- a/apps/spreadsheeteditor/mobile/locale/bg.json +++ b/apps/spreadsheeteditor/mobile/locale/bg.json @@ -292,6 +292,13 @@ "SSE.Controllers.Search.textNoTextFound": "Текстът не е намерен", "SSE.Controllers.Search.textReplaceAll": "Замяна на всички", "SSE.Controllers.Settings.notcriticalErrorTitle": "Внимание", + "SSE.Controllers.Settings.txtDe": "Немски", + "SSE.Controllers.Settings.txtEn": "Английски", + "SSE.Controllers.Settings.txtEs": "Испански", + "SSE.Controllers.Settings.txtFr": "Френски", + "SSE.Controllers.Settings.txtIt": "Италиански", + "SSE.Controllers.Settings.txtPl": "Полски", + "SSE.Controllers.Settings.txtRu": "Руски", "SSE.Controllers.Settings.warnDownloadAs": "Ако продължите да записвате в този формат, всички функции, с изключение на текста, ще бъдат загубени.
      Сигурни ли сте, че искате да продължите?", "SSE.Controllers.Statusbar.cancelButtonText": "Отказ", "SSE.Controllers.Statusbar.errNameExists": "Работният лист с такова име вече съществува.", diff --git a/apps/spreadsheeteditor/mobile/locale/ca.json b/apps/spreadsheeteditor/mobile/locale/ca.json index a5546ea23..5eb529a4a 100644 --- a/apps/spreadsheeteditor/mobile/locale/ca.json +++ b/apps/spreadsheeteditor/mobile/locale/ca.json @@ -322,6 +322,13 @@ "SSE.Controllers.Search.textNoTextFound": "Text no Trobat", "SSE.Controllers.Search.textReplaceAll": "Canviar Tot", "SSE.Controllers.Settings.notcriticalErrorTitle": "Avis", + "SSE.Controllers.Settings.txtDe": "Alemany", + "SSE.Controllers.Settings.txtEn": "Anglès", + "SSE.Controllers.Settings.txtEs": "Castellà", + "SSE.Controllers.Settings.txtFr": "Francès", + "SSE.Controllers.Settings.txtIt": "Italià", + "SSE.Controllers.Settings.txtPl": "Polonès", + "SSE.Controllers.Settings.txtRu": "Rus", "SSE.Controllers.Settings.warnDownloadAs": "Si continueu guardant en aquest format, es perdran totes les funcions, excepte el text.
      Esteu segur que voleu continuar?", "SSE.Controllers.Statusbar.cancelButtonText": "Cancel·la", "SSE.Controllers.Statusbar.errNameExists": "El full de treball amb aquest nom ja existeix.", diff --git a/apps/spreadsheeteditor/mobile/locale/cs.json b/apps/spreadsheeteditor/mobile/locale/cs.json index 223fb1d69..548514308 100644 --- a/apps/spreadsheeteditor/mobile/locale/cs.json +++ b/apps/spreadsheeteditor/mobile/locale/cs.json @@ -320,6 +320,13 @@ "SSE.Controllers.Search.textNoTextFound": "Text nebyl nalezen", "SSE.Controllers.Search.textReplaceAll": "Nahradit vše", "SSE.Controllers.Settings.notcriticalErrorTitle": "Varování", + "SSE.Controllers.Settings.txtDe": "Němčina", + "SSE.Controllers.Settings.txtEn": "Angličtina", + "SSE.Controllers.Settings.txtEs": "Španělština", + "SSE.Controllers.Settings.txtFr": "Francouzština", + "SSE.Controllers.Settings.txtIt": "italština", + "SSE.Controllers.Settings.txtPl": "Polština", + "SSE.Controllers.Settings.txtRu": "Ruština", "SSE.Controllers.Settings.warnDownloadAs": "Pokud budete pokračovat v ukládání v tomto formátu, vše kromě textu bude ztraceno.
      Opravdu chcete pokračovat?", "SSE.Controllers.Statusbar.cancelButtonText": "Zrušit", "SSE.Controllers.Statusbar.errNameExists": "Sešit s takovým názvem už existuje.", diff --git a/apps/spreadsheeteditor/mobile/locale/de.json b/apps/spreadsheeteditor/mobile/locale/de.json index 8872b4ef2..a310e5e12 100644 --- a/apps/spreadsheeteditor/mobile/locale/de.json +++ b/apps/spreadsheeteditor/mobile/locale/de.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Der Text wurde nicht gefunden.", "SSE.Controllers.Search.textReplaceAll": "Alle ersetzen", "SSE.Controllers.Settings.notcriticalErrorTitle": "Warnung", + "SSE.Controllers.Settings.txtDe": "Deutsch", + "SSE.Controllers.Settings.txtEn": "Englisch", + "SSE.Controllers.Settings.txtEs": "Spanisch", + "SSE.Controllers.Settings.txtFr": "Französisch", + "SSE.Controllers.Settings.txtIt": "Italienisch", + "SSE.Controllers.Settings.txtPl": "Polnisch", + "SSE.Controllers.Settings.txtRu": "Russisch", "SSE.Controllers.Settings.warnDownloadAs": "Wenn Sie mit dem Speichern in diesem Format fortsetzen, werden alle Objekte außer Text verloren gehen.
      Möchten Sie wirklich fortsetzen?", "SSE.Controllers.Statusbar.cancelButtonText": "Abbrechen", "SSE.Controllers.Statusbar.errNameExists": "Das Tabellenblatt mit einem solchen Namen existiert bereits.", diff --git a/apps/spreadsheeteditor/mobile/locale/el.json b/apps/spreadsheeteditor/mobile/locale/el.json index 8509d0e72..d3aedf047 100644 --- a/apps/spreadsheeteditor/mobile/locale/el.json +++ b/apps/spreadsheeteditor/mobile/locale/el.json @@ -16,7 +16,7 @@ "Common.UI.ThemeColorPalette.textThemeColors": "Χρώματα θέματος", "Common.Utils.Metric.txtCm": "εκ", "Common.Utils.Metric.txtPt": "pt", - "Common.Views.Collaboration.textAddReply": "Προσθήκη απάντησης", + "Common.Views.Collaboration.textAddReply": "Προσθήκη Απάντησης", "Common.Views.Collaboration.textBack": "Πίσω", "Common.Views.Collaboration.textCancel": "Ακύρωση", "Common.Views.Collaboration.textCollaboration": "Συνεργασία", @@ -260,7 +260,7 @@ "SSE.Controllers.Main.textPaidFeature": "Δυνατότητα επί πληρωμή", "SSE.Controllers.Main.textPassword": "Συνθηματικό", "SSE.Controllers.Main.textPreloader": "Φόρτωση ...", - "SSE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου", + "SSE.Controllers.Main.textRemember": "Να θυμάσαι την επιλογή μου για όλα τα αρχεία", "SSE.Controllers.Main.textShape": "Σχήμα", "SSE.Controllers.Main.textStrict": "Αυστηρή κατάσταση", "SSE.Controllers.Main.textTryUndoRedo": "Οι λειτουργίες Αναίρεση/Επανάληψη είναι απενεργοποιημένες στην κατάσταση Γρήγορης συν-επεξεργασίας.
      Κάντε κλικ στο κουμπί 'Αυστηρή κατάσταση' για να μεταβείτε στην Αυστηρή κατάσταση συν-επεξεργασίας όπου επεξεργάζεστε το αρχείο χωρίς παρέμβαση άλλων χρηστών και στέλνετε τις αλλαγές σας αφού τις αποθηκεύσετε. Η μετάβαση μεταξύ των δύο καταστάσεων γίνεται μέσω των Ρυθμίσεων για Προχωρημένους.", @@ -329,8 +329,15 @@ "SSE.Controllers.Main.warnNoLicenseUsers": "Έχετε φτάσει το όριο χρήστη για %1 επεξεργαστές.
      Παρακαλούμε επικοινωνήστε με την ομάδα πωλήσεων %1 για προσωπικούς όρους αναβάθμισης.", "SSE.Controllers.Main.warnProcessRightsChange": "Σας έχει απαγορευτεί το δικαίωμα επεξεργασίας του αρχείου.", "SSE.Controllers.Search.textNoTextFound": "Δεν βρέθηκε κείμενο", - "SSE.Controllers.Search.textReplaceAll": "Αντικατάσταση όλων", + "SSE.Controllers.Search.textReplaceAll": "Αντικατάσταση Όλων", "SSE.Controllers.Settings.notcriticalErrorTitle": "Προειδοποίηση", + "SSE.Controllers.Settings.txtDe": "Γερμανικά", + "SSE.Controllers.Settings.txtEn": "Αγγλικά", + "SSE.Controllers.Settings.txtEs": "Ισπανικά", + "SSE.Controllers.Settings.txtFr": "Γαλλικά", + "SSE.Controllers.Settings.txtIt": "Ιταλικά", + "SSE.Controllers.Settings.txtPl": "Πολωνικά", + "SSE.Controllers.Settings.txtRu": "Ρώσικα", "SSE.Controllers.Settings.warnDownloadAs": "Εάν συνεχίσετε να αποθηκεύετε σε αυτήν τη μορφή, όλες οι λειτουργίες εκτός από το κείμενο θα χαθούν.
      Είστε βέβαιοι ότι θέλετε να συνεχίσετε;", "SSE.Controllers.Statusbar.cancelButtonText": "Ακύρωση", "SSE.Controllers.Statusbar.errNameExists": "Το φύλλο εργασίας με τέτοιο όνομα υπάρχει ήδη.", @@ -528,7 +535,7 @@ "SSE.Views.EditImage.textRemove": "Αφαίρεση εικόνας", "SSE.Views.EditImage.textReorder": "Επανατακτοποίηση", "SSE.Views.EditImage.textReplace": "Αντικατάσταση", - "SSE.Views.EditImage.textReplaceImg": "Αντικατάσταση εικόνας", + "SSE.Views.EditImage.textReplaceImg": "Αντικατάσταση Εικόνας", "SSE.Views.EditImage.textToBackground": "Μεταφορά στο παρασκήνιο", "SSE.Views.EditImage.textToForeground": "Μεταφορά στο προσκήνιο", "SSE.Views.EditShape.textAddCustomColor": "Προσθήκη προσαρμοσμένου χρώματος", @@ -565,7 +572,7 @@ "SSE.Views.Search.textByRows": "Κατά γραμμές", "SSE.Views.Search.textDone": "Ολοκληρώθηκε", "SSE.Views.Search.textFind": "Εύρεση", - "SSE.Views.Search.textFindAndReplace": "Εύρεση και αντικατάσταση", + "SSE.Views.Search.textFindAndReplace": "Εύρεση και Αντικατάσταση", "SSE.Views.Search.textFormulas": "Τύποι", "SSE.Views.Search.textHighlightRes": "Επισημάνετε τα αποτελέσματα", "SSE.Views.Search.textLookIn": "Ψάξε στο", @@ -610,7 +617,7 @@ "SSE.Views.Settings.textEnableAllMacrosWithoutNotification": "Ενεργοποίηση όλων των μακροεντολών χωρίς προειδοποίηση", "SSE.Views.Settings.textExample": "Παράδειγμα", "SSE.Views.Settings.textFind": "Εύρεση", - "SSE.Views.Settings.textFindAndReplace": "Εύρεση και αντικατάσταση", + "SSE.Views.Settings.textFindAndReplace": "Εύρεση και Αντικατάσταση", "SSE.Views.Settings.textFormat": "Μορφή", "SSE.Views.Settings.textFormulaLanguage": "Γλώσσα τύπου", "SSE.Views.Settings.textHelp": "Βοήθεια", diff --git a/apps/spreadsheeteditor/mobile/locale/en.json b/apps/spreadsheeteditor/mobile/locale/en.json index 2ecaa2f4c..0aa0e0e60 100644 --- a/apps/spreadsheeteditor/mobile/locale/en.json +++ b/apps/spreadsheeteditor/mobile/locale/en.json @@ -261,7 +261,7 @@ "SSE.Controllers.Main.textPaidFeature": "Paid feature", "SSE.Controllers.Main.textPassword": "Password", "SSE.Controllers.Main.textPreloader": "Loading... ", - "SSE.Controllers.Main.textRemember": "Remember my choice", + "SSE.Controllers.Main.textRemember": "Remember my choice for all files", "SSE.Controllers.Main.textShape": "Shape", "SSE.Controllers.Main.textStrict": "Strict mode", "SSE.Controllers.Main.textTryUndoRedo": "The Undo/Redo functions are disabled for the Fast co-editing mode.
      Click the 'Strict mode' button to switch to the Strict co-editing mode to edit the file without other users interference and send your changes only after you save them. You can switch between the co-editing modes using the editor Advanced settings.", @@ -332,6 +332,13 @@ "SSE.Controllers.Search.textNoTextFound": "Text not found", "SSE.Controllers.Search.textReplaceAll": "Replace All", "SSE.Controllers.Settings.notcriticalErrorTitle": "Warning", + "SSE.Controllers.Settings.txtDe": "German", + "SSE.Controllers.Settings.txtEn": "English", + "SSE.Controllers.Settings.txtEs": "Spanish", + "SSE.Controllers.Settings.txtFr": "French", + "SSE.Controllers.Settings.txtIt": "Italian", + "SSE.Controllers.Settings.txtPl": "Polish", + "SSE.Controllers.Settings.txtRu": "Russian", "SSE.Controllers.Settings.warnDownloadAs": "If you continue saving in this format all features except the text will be lost.
      Are you sure you want to continue?", "SSE.Controllers.Statusbar.cancelButtonText": "Cancel", "SSE.Controllers.Statusbar.errNameExists": "Worksheet with such name already exists.", diff --git a/apps/spreadsheeteditor/mobile/locale/es.json b/apps/spreadsheeteditor/mobile/locale/es.json index ac940670b..6bf90e4a8 100644 --- a/apps/spreadsheeteditor/mobile/locale/es.json +++ b/apps/spreadsheeteditor/mobile/locale/es.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Texto no encontrado", "SSE.Controllers.Search.textReplaceAll": "Reemplazar todo", "SSE.Controllers.Settings.notcriticalErrorTitle": "Aviso", + "SSE.Controllers.Settings.txtDe": "Alemán", + "SSE.Controllers.Settings.txtEn": "Inglés", + "SSE.Controllers.Settings.txtEs": "Español", + "SSE.Controllers.Settings.txtFr": "Francés", + "SSE.Controllers.Settings.txtIt": "Italiano", + "SSE.Controllers.Settings.txtPl": "Polaco", + "SSE.Controllers.Settings.txtRu": "Ruso", "SSE.Controllers.Settings.warnDownloadAs": "Si sigue guardando en este formato, todas las características excepto el texto se perderán.
      ¿Está seguro de que quiere continuar?", "SSE.Controllers.Statusbar.cancelButtonText": "Cancelar", "SSE.Controllers.Statusbar.errNameExists": "Hoja de trabajo con este nombre ya existe.", diff --git a/apps/spreadsheeteditor/mobile/locale/fr.json b/apps/spreadsheeteditor/mobile/locale/fr.json index 6ce7d8367..0f6541176 100644 --- a/apps/spreadsheeteditor/mobile/locale/fr.json +++ b/apps/spreadsheeteditor/mobile/locale/fr.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Le texte est introuvable", "SSE.Controllers.Search.textReplaceAll": "Remplacer tout", "SSE.Controllers.Settings.notcriticalErrorTitle": "Avertissement", + "SSE.Controllers.Settings.txtDe": "Allemand", + "SSE.Controllers.Settings.txtEn": "Anglais", + "SSE.Controllers.Settings.txtEs": "Espanol", + "SSE.Controllers.Settings.txtFr": "Français", + "SSE.Controllers.Settings.txtIt": "Italien", + "SSE.Controllers.Settings.txtPl": "Polonais", + "SSE.Controllers.Settings.txtRu": "Russe", "SSE.Controllers.Settings.warnDownloadAs": "Si vous enregistrez dans ce format, seulement le texte sera conservé.
      Voulez-vous vraiment continuer ?", "SSE.Controllers.Statusbar.cancelButtonText": "Annuler", "SSE.Controllers.Statusbar.errNameExists": "Feuulle de travail portant ce nom existe déjà.", diff --git a/apps/spreadsheeteditor/mobile/locale/hu.json b/apps/spreadsheeteditor/mobile/locale/hu.json index 06421bc8d..a8d5c45b8 100644 --- a/apps/spreadsheeteditor/mobile/locale/hu.json +++ b/apps/spreadsheeteditor/mobile/locale/hu.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "A szöveg nem található", "SSE.Controllers.Search.textReplaceAll": "Mindent cserél", "SSE.Controllers.Settings.notcriticalErrorTitle": "Figyelmeztetés", + "SSE.Controllers.Settings.txtDe": "Német", + "SSE.Controllers.Settings.txtEn": "Angol", + "SSE.Controllers.Settings.txtEs": "Spanyol", + "SSE.Controllers.Settings.txtFr": "Francia", + "SSE.Controllers.Settings.txtIt": "Olasz", + "SSE.Controllers.Settings.txtPl": "Lengyel", + "SSE.Controllers.Settings.txtRu": "Orosz", "SSE.Controllers.Settings.warnDownloadAs": "Ha ebbe a formátumba ment, a nyers szövegen kívül minden elveszik.
      Biztos benne, hogy folytatni akarja?", "SSE.Controllers.Statusbar.cancelButtonText": "Mégse", "SSE.Controllers.Statusbar.errNameExists": "Az ilyen nevű munkalap már létezik.", diff --git a/apps/spreadsheeteditor/mobile/locale/it.json b/apps/spreadsheeteditor/mobile/locale/it.json index 283682232..62a59ec78 100644 --- a/apps/spreadsheeteditor/mobile/locale/it.json +++ b/apps/spreadsheeteditor/mobile/locale/it.json @@ -326,6 +326,13 @@ "SSE.Controllers.Search.textNoTextFound": "Testo non trovato", "SSE.Controllers.Search.textReplaceAll": "Sostituisci tutto", "SSE.Controllers.Settings.notcriticalErrorTitle": "Avviso", + "SSE.Controllers.Settings.txtDe": "Tedesco", + "SSE.Controllers.Settings.txtEn": "Inglese", + "SSE.Controllers.Settings.txtEs": "Spagnolo", + "SSE.Controllers.Settings.txtFr": "Francese", + "SSE.Controllers.Settings.txtIt": "Italiano", + "SSE.Controllers.Settings.txtPl": "Polacco", + "SSE.Controllers.Settings.txtRu": "Russo", "SSE.Controllers.Settings.warnDownloadAs": "Se continui a salvare in questo formato tutte le funzioni eccetto il testo andranno perse.
      Sei sicuro di voler continuare?", "SSE.Controllers.Statusbar.cancelButtonText": "Annulla", "SSE.Controllers.Statusbar.errNameExists": "Esiste già un foglio di lavoro con questo nome.", diff --git a/apps/spreadsheeteditor/mobile/locale/ja.json b/apps/spreadsheeteditor/mobile/locale/ja.json index 7394468e7..65d0fba09 100644 --- a/apps/spreadsheeteditor/mobile/locale/ja.json +++ b/apps/spreadsheeteditor/mobile/locale/ja.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "テキストが見つかりません", "SSE.Controllers.Search.textReplaceAll": "全てを置き換える", "SSE.Controllers.Settings.notcriticalErrorTitle": " 警告", + "SSE.Controllers.Settings.txtDe": "ドイツ語", + "SSE.Controllers.Settings.txtEn": "英吾", + "SSE.Controllers.Settings.txtEs": "スペイン", + "SSE.Controllers.Settings.txtFr": "フランス", + "SSE.Controllers.Settings.txtIt": "イタリア", + "SSE.Controllers.Settings.txtPl": "ポーランド", + "SSE.Controllers.Settings.txtRu": "ロシア語", "SSE.Controllers.Settings.warnDownloadAs": "この形式で保存し続ける場合は、テキスト以外のすべての機能が失われます。
      続行してもよろしいですか?", "SSE.Controllers.Statusbar.cancelButtonText": "キャンセル", "SSE.Controllers.Statusbar.errNameExists": "この名前があるワークシート既にあります。", diff --git a/apps/spreadsheeteditor/mobile/locale/ko.json b/apps/spreadsheeteditor/mobile/locale/ko.json index 76869d439..3409d7976 100644 --- a/apps/spreadsheeteditor/mobile/locale/ko.json +++ b/apps/spreadsheeteditor/mobile/locale/ko.json @@ -262,6 +262,11 @@ "SSE.Controllers.Search.textNoTextFound": "텍스트를 찾을 수 없습니다", "SSE.Controllers.Search.textReplaceAll": "모두 바꾸기", "SSE.Controllers.Settings.notcriticalErrorTitle": "경고", + "SSE.Controllers.Settings.txtEn": "영어", + "SSE.Controllers.Settings.txtEs": "스페인어", + "SSE.Controllers.Settings.txtFr": "프랑스 국민", + "SSE.Controllers.Settings.txtPl": "폴란드어", + "SSE.Controllers.Settings.txtRu": "러시아어", "SSE.Controllers.Settings.warnDownloadAs": "이 형식으로 저장을 계속하면 텍스트를 제외한 모든 기능이 손실됩니다. 계속 하시겠습니까?", "SSE.Controllers.Statusbar.errorLastSheet": "통합 문서에는 최소한 하나의 보이는 워크 시트가 있어야합니다.", "SSE.Controllers.Statusbar.errorRemoveSheet": "워크 시트를 삭제할 수 없습니다.", diff --git a/apps/spreadsheeteditor/mobile/locale/lo.json b/apps/spreadsheeteditor/mobile/locale/lo.json index b62f387d0..a423ef5fb 100644 --- a/apps/spreadsheeteditor/mobile/locale/lo.json +++ b/apps/spreadsheeteditor/mobile/locale/lo.json @@ -7,7 +7,7 @@ "Common.Controllers.Collaboration.textEdit": "ແກ້ໄຂ", "Common.Controllers.Collaboration.textEditUser": "ຜູ້ໃຊ້ທີກໍາລັງແກ້ໄຂເອກະສານ", "Common.Controllers.Collaboration.textMessageDeleteComment": "ທ່ານຕ້ອງການລົບຄຳເຫັນນີ້ແທ້ບໍ", - "Common.Controllers.Collaboration.textMessageDeleteReply": "\nທ່ານຕ້ອງການລົບຄຳຕອບນີ້ແທ້ບໍ?", + "Common.Controllers.Collaboration.textMessageDeleteReply": "ທ່ານຕ້ອງການລົບຄຳຕອບນີ້ແທ້ບໍ?", "Common.Controllers.Collaboration.textReopen": "ເປີດຄືນ", "Common.Controllers.Collaboration.textResolve": "ແກ້ໄຂ", "Common.Controllers.Collaboration.textYes": "ແມ່ນແລ້ວ", @@ -24,7 +24,7 @@ "Common.Views.Collaboration.textEditReply": "ແກ້ໄຂການຕອບກັບ", "Common.Views.Collaboration.textEditUsers": "ຜຸ້ໃຊ້", "Common.Views.Collaboration.textEditСomment": "ແກ້ໄຂຄໍາເຫັນ", - "Common.Views.Collaboration.textNoComments": "\nຕາຕະລາງນີ້ບໍ່ມີ ຄຳ ເຫັນ", + "Common.Views.Collaboration.textNoComments": "ຕາຕະລາງນີ້ບໍ່ມີ ຄຳ ເຫັນ", "Common.Views.Collaboration.textСomments": "ຄວາມຄິດເຫັນ", "SSE.Controllers.AddChart.txtDiagramTitle": "ໃສ່ຊື່ແຜນຮູບວາດ", "SSE.Controllers.AddChart.txtSeries": "ຊຸດ", @@ -90,7 +90,7 @@ "SSE.Controllers.EditChart.textHundreds": "ຈຳນວນໜື່ງຮ້ອຍ", "SSE.Controllers.EditChart.textHundredThousands": "ໜຶ່ງແສນ", "SSE.Controllers.EditChart.textIn": "ຂ້າງໃນ", - "SSE.Controllers.EditChart.textInnerBottom": "\nດ້ານລຸ່ມພາຍໃນ", + "SSE.Controllers.EditChart.textInnerBottom": "ດ້ານລຸ່ມພາຍໃນ", "SSE.Controllers.EditChart.textInnerTop": "ດ້ານເທິງ ພາຍໃນ", "SSE.Controllers.EditChart.textLeft": "ຊ້າຍ", "SSE.Controllers.EditChart.textLeftOverlay": "ຊ້ອນທັບດ້ານຊ້າຍ", @@ -101,10 +101,10 @@ "SSE.Controllers.EditChart.textMinValue": "ຄ່າຕ່ຳສຸດ", "SSE.Controllers.EditChart.textNextToAxis": "ຖັດຈາກແກນ", "SSE.Controllers.EditChart.textNone": "ບໍ່ມີ", - "SSE.Controllers.EditChart.textNoOverlay": "\nບໍ່ມີການຊ້ອນກັນ", + "SSE.Controllers.EditChart.textNoOverlay": "ບໍ່ມີການຊ້ອນກັນ", "SSE.Controllers.EditChart.textOnTickMarks": "ໃນເຄື່ອງໝາຍຖືກ", "SSE.Controllers.EditChart.textOut": "ອອກ", - "SSE.Controllers.EditChart.textOuterTop": "\nທາງເທີງດ້ານນອກ", + "SSE.Controllers.EditChart.textOuterTop": "ທາງເທີງດ້ານນອກ", "SSE.Controllers.EditChart.textOverlay": "ການຊ້ອນກັນ", "SSE.Controllers.EditChart.textRight": "ຂວາ", "SSE.Controllers.EditChart.textRightOverlay": "ພາບຊ້ອນທັບດ້ານຂວາ", @@ -129,7 +129,7 @@ "SSE.Controllers.EditHyperlink.textExternalLink": "ລິງພາຍນອກ", "SSE.Controllers.EditHyperlink.textInternalLink": "ຂໍ້ມູນພາຍໃນ", "SSE.Controllers.EditHyperlink.textInvalidRange": "ເຊວບໍ່ຖືກຕ້ອງ", - "SSE.Controllers.EditHyperlink.txtNotUrl": "\nຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", + "SSE.Controllers.EditHyperlink.txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ \"http://www.example.com\"", "SSE.Controllers.EditImage.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "SSE.Controllers.EditImage.textEmptyImgUrl": "ທ່ານຕ້ອງບອກ ທີຢູ່ຮູບ URL", "SSE.Controllers.EditImage.txtNotUrl": "ຊ່ອງຂໍ້ມູນນີ້ຄວນຈະເປັນ URL ໃນຮູບແບບ 'http://www.example.com'", @@ -137,7 +137,7 @@ "SSE.Controllers.FilterOptions.textErrorMsg": "ທ່ານຕ້ອງເລືອກຢ່າງ ໜ້ອຍ ໜຶ່ງຄ່າ", "SSE.Controllers.FilterOptions.textErrorTitle": "ແຈ້ງເຕືອນ", "SSE.Controllers.FilterOptions.textSelectAll": "ເລືອກທັງໝົດ", - "SSE.Controllers.Main.advCSVOptions": "\nເລືອກຕົວເລືອກຂອງ CSV", + "SSE.Controllers.Main.advCSVOptions": "ເລືອກຕົວເລືອກຂອງ CSV", "SSE.Controllers.Main.advDRMEnterPassword": "ໃສ່ລະຫັດຜ່ານ", "SSE.Controllers.Main.advDRMOptions": "ຟຮາຍມີການປົກປ້ອງ", "SSE.Controllers.Main.advDRMPassword": "ລະຫັດ", @@ -154,20 +154,20 @@ "SSE.Controllers.Main.downloadTitleText": "ກຳລັງດາວໂຫຼດຕາຕະລາງ", "SSE.Controllers.Main.errorAccessDeny": "ທ່ານບໍ່ມີສິດຈະດຳເນີນການອັນນີ້.
      ກະລຸນະຕິດຕໍ່ຜູ້ຄຸ້ມຄອງລົບຂອງທ່ານ", "SSE.Controllers.Main.errorArgsRange": "ເກີດຂໍ້ຜິດພາດໃນການເຂົ້າໃຊ້, ຕົວດຳເນີນການບໍ່ຖືກຕ້ອງ.
      ມີການໃຊ້ຊ່ອງເຫດຜົນບໍ່ຖືກຕ້ອງ.", - "SSE.Controllers.Main.errorAutoFilterChange": "\nການດຳເນີນການບໍ່ໄດ້ຮັບອະນຸຍາດ, ຍ້ອນວ່າກຳລັງພະຍາຍາມປ່ຽນເຊວໃນຕາຕະລາງຢູ່ໃນຕາຕະລາງຂອງທ່ານ", + "SSE.Controllers.Main.errorAutoFilterChange": "ການດຳເນີນການບໍ່ໄດ້ຮັບອະນຸຍາດ, ຍ້ອນວ່າກຳລັງພະຍາຍາມປ່ຽນເຊວໃນຕາຕະລາງຢູ່ໃນຕາຕະລາງຂອງທ່ານ", "SSE.Controllers.Main.errorAutoFilterChangeFormatTable": "ການດຳເນີນການບໍ່ສາມາດເຮັດໄດ້ ສຳ ລັບເຊວທີ່ທ່ານເລືອກ ເນື່ອງຈາກທ່ານບໍ່ສາມາດຍ້າຍສ່ວນ ໜຶ່ງ ຂອງຕາຕະລາງໄດ້.", - "SSE.Controllers.Main.errorAutoFilterDataRange": "\nການດຳເນີນການບໍ່ສາມາດເຮັດໄດ້ ສຳ ລັບຊ່ວງທີ່ເລືອກຂອງເຊວ.
      ເລືອກຊ່ວງຂໍ້ມູນທີ່ເປັນເອກະພາບແຕກຕ່າງຈາກ ໜ່ວຍ ທີ່ມີຢູ່ແລ້ວ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ.", + "SSE.Controllers.Main.errorAutoFilterDataRange": "ການດຳເນີນການບໍ່ສາມາດເຮັດໄດ້ ສຳ ລັບຊ່ວງທີ່ເລືອກຂອງເຊວ.
      ເລືອກຊ່ວງຂໍ້ມູນທີ່ເປັນເອກະພາບແຕກຕ່າງຈາກ ໜ່ວຍ ທີ່ມີຢູ່ແລ້ວ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ.", "SSE.Controllers.Main.errorAutoFilterHiddenRange": "ການດຳເນີນການດັ່ງກ່າວບໍ່ສາມາດ ດຳ ເນີນການໄດ້ ເນື່ອງຈາກພື້ນທີ່ເຊວທີ່ຖືກກັ່ນຕອງ.
      ກະລຸນາສະແດງອົງປະກອບທີ່ກັ່ນຕອງແລ້ວລອງ ໃໝ່ ອີກຄັ້ງ", "SSE.Controllers.Main.errorBadImageUrl": "URL ຮູບພາບບໍ່ຖືກຕ້ອງ", "SSE.Controllers.Main.errorChangeArray": "ທ່ານບໍ່ສາມາດປ່ຽນສ່ວນ ໜຶ່ງ ຂອງອາເລໄດ້.", "SSE.Controllers.Main.errorCoAuthoringDisconnect": "ຂາດການເຊື່ອມຕໍ່ເສີບເວີ, ເອກະສານບໍ່ສາມາດແກ້ໄຂໄດ້ໃນປັດຈຸບັນ", "SSE.Controllers.Main.errorConnectToServer": "ເອກະສານບໍ່ສາມາດບັນທຶກໄດ້. ກະລຸນາກວດສອບການຕັ້ງຄ່າການເຊື່ອມຕໍ່ຫລືຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບຂອງທ່ານ.
      ເມື່ອທ່ານກົດປຸ່ມ 'OK', ທ່ານຈະໄດ້ຮັບການກະຕຸ້ນເຕືອນໃຫ້ດາວໂຫລດເອກະສານ.", - "SSE.Controllers.Main.errorCopyMultiselectArea": "\nຄຳ ສັ່ງນີ້ບໍ່ສາມາດໃຊ້ກັບການເລືອກຫລາຍໆອັນໄດ້ -
      ເລືອກຊ່ວງດຽວ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ", + "SSE.Controllers.Main.errorCopyMultiselectArea": "ຄຳ ສັ່ງນີ້ບໍ່ສາມາດໃຊ້ກັບການເລືອກຫລາຍໆອັນໄດ້ -
      ເລືອກຊ່ວງດຽວ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ", "SSE.Controllers.Main.errorCountArg": "ເກີດຂໍ້ຜິດພາດໃນສູດທີ່ໃຊ້.
      ມີຕົວເລກໃນເຫດຜົນບໍ່ຖືກຕ້ອງ", "SSE.Controllers.Main.errorCountArgExceed": "ເກີດຂໍ້ຜິດພາດໃນສູດທີ່ໃຊ້.
      ຈຳນວນເຫດຜົນຫຼາຍເກີນໄປ", "SSE.Controllers.Main.errorCreateDefName": "ຂອບເຂດທີ່ມີຊື່ບໍ່ສາມາດແກ້ໄຂໄດ້ ແລະ ລະບົບ ໃໝ່ ບໍ່ສາມາດສ້າງຂື້ນໄດ້ໃນເວລານີ້ເນື່ອງຈາກບາງສ່ວນກຳ ລັງຖືກດັດແກ້.", "SSE.Controllers.Main.errorDatabaseConnection": "ຜິດພາດພາຍນອກ.
      ການຄິດຕໍ່ຖານຂໍ້ມູນຜິດພາດ, ກະລຸນາຕິດຕໍ່ຜູ້ສະໜັບສະໜູນ ໃນກໍລະນີຄວາມຜິດພາດຍັງຄົງຢູ່.", - "SSE.Controllers.Main.errorDataEncrypted": "\nໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", + "SSE.Controllers.Main.errorDataEncrypted": "ໄດ້ຮັບການປ່ຽນແປງລະຫັດແລ້ວ, ບໍ່ສາມາດຖອດລະຫັດໄດ້.", "SSE.Controllers.Main.errorDataRange": "ໄລຍະຂອງດາຕ້າບໍ່ຖືກ", "SSE.Controllers.Main.errorDefaultMessage": "ລະຫັດຂໍ້ຜິດພາດ: %1", "SSE.Controllers.Main.errorEditingDownloadas": "ມີຂໍ້ຜິດພາດເກີດຂື້ນໃນລະຫວ່າງການເຮັດວຽກກັບເອກະສານ.", @@ -181,7 +181,7 @@ "SSE.Controllers.Main.errorFrmlMaxLength": "ຄວາມຍາວສູດຂອງທ່ານເກີນຂີດບໍ່ເກີນ 8192 ໂຕອັກສອນ.
      ກະລຸນາແກ້ໄຂ ແລະ ລອງ ໃໝ່ ອີກຄັ້ງ.", "SSE.Controllers.Main.errorFrmlMaxReference": "ທ່ານບໍ່ສາມາດໃສ່ສູດນີ້ເພາະມັນມີຄ່າຫລາຍເກີນໄປ, ເອກະສານອ້າງອີງຂອງເຊວ / ຫຼືຊື່ຕ່າງໆ.", "SSE.Controllers.Main.errorFrmlMaxTextLength": "ຄ່າຂອງຕົວ ໜັງ ສືໃນສູດແມ່ນບໍ່ໃຫ້ກາຍ 255 ຕົວອັກສອນ", - "SSE.Controllers.Main.errorFrmlWrongReferences": "\nຟັງຊັ້ນໝມາຍເຖິງເອກະສານທີ່ບໍ່ມີ.
      ກະລຸນາກວດສອບຂໍ້ມູນແລະລອງ ໃໝ່ ອີກຄັ້ງ.", + "SSE.Controllers.Main.errorFrmlWrongReferences": "ຟັງຊັ້ນໝມາຍເຖິງເອກະສານທີ່ບໍ່ມີ.
      ກະລຸນາກວດສອບຂໍ້ມູນແລະລອງ ໃໝ່ ອີກຄັ້ງ.", "SSE.Controllers.Main.errorInvalidRef": "ປ້ອນຊື່ໃຫ້ຖືກຕ້ອງສໍາລັບການເລືອກ ຫຼື ການອ້າງອີງທີ່ຖືກຕ້ອງ.", "SSE.Controllers.Main.errorKeyEncrypt": "ບໍ່ຮູ້ຕົວບັນຍາຍຫຼັກ", "SSE.Controllers.Main.errorKeyExpire": "ລະຫັດໝົດອາຍຸ", @@ -193,14 +193,14 @@ "SSE.Controllers.Main.errorMoveRange": "ບໍ່ສາມາດປ່ຽນບາງສ່ວນຂອງເຊວທີ່ຮ່ວມກັນ", "SSE.Controllers.Main.errorMultiCellFormula": "ບໍ່ອະນຸຍາດໃຫ້ມີສູດອາເລນຫຼາຍຫ້ອງໃນຕາຕະລາງເຊວ.", "SSE.Controllers.Main.errorOpensource": "ທ່ານໃຊ້ສະບັບຊຸມຊົນແບບບໍ່ເສຍຄ່າ ທ່ານສາມາດເປີດເອກະສານ ແລະ ເບິ່ງເທົ່ານັ້ນ. ເພື່ອເຂົ້າເຖິງ ແກ້ໄຊທາງ ເວັບມືຖື, ຕ້ອງມີໃບອະນຸຍາດການຄ້າ.", - "SSE.Controllers.Main.errorOpenWarning": "\nຫນຶ່ງໃນສູດຂອງເອກະສານ", + "SSE.Controllers.Main.errorOpenWarning": "ຫນຶ່ງໃນສູດຂອງເອກະສານ", "SSE.Controllers.Main.errorOperandExpected": "ການເຂົ້າຟັງຊັນທີ່ຖືກເຂົ້າມາແມ່ນບໍ່ຖືກຕ້ອງ. ກະລຸນາກວດເບິ່ງວ່າທ່ານ ກຳ ລັງຂາດໃນວົງເລັບໜຶ່ງ", - "SSE.Controllers.Main.errorPasteMaxRange": "\nພື້ນທີ່ ສຳ ເນົາ ແລະ ວາງບໍ່ກົງກັນ

      ກະລຸນາເລືອກພື້ນທີ່ທີ່ມີຂະ ໜາດ ດຽວກັນຫຼືກົດທີ່ຫ້ອງ ທຳ ອິດຕິດຕໍ່ກັນເພື່ອວາງເຊວທີ່ຖືກຄັດລອກ.", + "SSE.Controllers.Main.errorPasteMaxRange": "ພື້ນທີ່ ສຳ ເນົາ ແລະ ວາງບໍ່ກົງກັນ

      ກະລຸນາເລືອກພື້ນທີ່ທີ່ມີຂະ ໜາດ ດຽວກັນຫຼືກົດທີ່ຫ້ອງ ທຳ ອິດຕິດຕໍ່ກັນເພື່ອວາງເຊວທີ່ຖືກຄັດລອກ.", "SSE.Controllers.Main.errorPrintMaxPagesCount": "ໜ້າເສຍດາຍ, ບໍ່ສາມາດພິມຫລາຍກວ່າ 1500 ໜ້າ ໃນເວລາດຽວກັນໃນເວີຊັນຂອງໂປຣແກຣມປະຈຸບັນ.", "SSE.Controllers.Main.errorProcessSaveResult": "ການບັນທຶກລົ້ມເຫລວ", - "SSE.Controllers.Main.errorServerVersion": "\nສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອ ນຳໃຊ້ການປ່ຽນແປງ.", + "SSE.Controllers.Main.errorServerVersion": "ສະບັບດັດແກ້ໄດ້ຖືກປັບປຸງແລ້ວ. ໜ້າເວັບຈະຖືກໂຫລດຄືນເພື່ອ ນຳໃຊ້ການປ່ຽນແປງ.", "SSE.Controllers.Main.errorSessionAbsolute": "ໝົດເວລາ ການແກ້ໄຂເອກະສານ ກະລຸນາໂຫລດ ໜ້າ ນີ້ຄືນ ໃໝ່", - "SSE.Controllers.Main.errorSessionIdle": "\nເອກະສານດັ່ງກ່າວບໍ່ໄດ້ຖືກດັດແກ້ມາດົນແລ້ວ. ກະລຸນາໂຫລດ ໜ້ານີ້ຄືນໃໝ່.", + "SSE.Controllers.Main.errorSessionIdle": "ເອກະສານດັ່ງກ່າວບໍ່ໄດ້ຖືກດັດແກ້ມາດົນແລ້ວ. ກະລຸນາໂຫລດ ໜ້ານີ້ຄືນໃໝ່.", "SSE.Controllers.Main.errorSessionToken": "ການເຊື່ອມຕໍ່ຫາ ເຊີເວີຖືກລົບກວນ, ກະລຸນນາໂລດຄືນ", "SSE.Controllers.Main.errorStockChart": "ຄໍາສັ່ງແຖວບໍ່ຖືກຕ້ອງ, ການສ້າງແຜນໃຫ້ວາງຂໍ້ມູນຕາມລຳດັບດັ່ງນີ: ລາຄາເປີດ, ລາຄາສູງສຸດ, ລາຄາຕໍ່າສຸດ, ລາຄາປິດ", "SSE.Controllers.Main.errorToken": "ເຄື່ອງໝາຍຄວາມປອດໄພເອກະສານບໍ່ຖືກຕ້ອງ.
      ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງແຍງລະບົບເອກະສານຂອງທ່ານ.", @@ -213,7 +213,7 @@ "SSE.Controllers.Main.errorViewerDisconnect": "ຂາດການເຊື່ອມຕໍ່,ທ່ານຍັງສາມາດເບິ່ງເອກະສານໄດ້
      ແຕ່ຈະບໍ່ສາມາດດາວໂຫຼດໄດ້ຈົນກວ່າການເຊື່ອມຕໍ່ຈະໄດ້ຮັບການກູ້ຄືນ ແລະ ໂຫຼດໜ້າໃໝ່", "SSE.Controllers.Main.errorWrongBracketsCount": "ເກີດຂໍ້ຜິດພາດໃນສູດທີ່ໃຊ້.
      ຈຳນວນວົງເລັບບໍ່ຖືກຕ້ອງ.", "SSE.Controllers.Main.errorWrongOperator": "ເກີດຂໍ້ຜິດພາດໃນສູດທີ່ໃຊ້, ຕົວດຳເນີນການບໍ່ຖືກຕ້ອງ.
      ກະລຸນາແກ້ໄຂຂໍ້ຜິດພາດ", - "SSE.Controllers.Main.leavePageText": "\nທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", + "SSE.Controllers.Main.leavePageText": "ທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", "SSE.Controllers.Main.loadFontsTextText": "ໂລດຂໍ້ມູນ", "SSE.Controllers.Main.loadFontsTitleText": "ດາວໂຫຼດຂໍ້ມູນ", "SSE.Controllers.Main.loadFontTextText": "ໂລດຂໍ້ມູນ", @@ -233,7 +233,7 @@ "SSE.Controllers.Main.pastInMergeAreaError": "ບໍ່ສາມາດປ່ຽນບາງສ່ວນຂອງເຊວທີ່ຮ່ວມກັນ", "SSE.Controllers.Main.printTextText": "ກໍາລັງພີມເອກະສານ", "SSE.Controllers.Main.printTitleText": "ກໍາລັງພີມເອກະສານ", - "SSE.Controllers.Main.reloadButtonText": "\nໂຫລດ ໜ້າ ເວັບ ໃໝ່", + "SSE.Controllers.Main.reloadButtonText": "ໂຫລດ ໜ້າ ເວັບ ໃໝ່", "SSE.Controllers.Main.requestEditFailedMessageText": "ມີຄົນກຳລັງແກ້ໄຂເອກະສານນີ້, ກະລຸນາລອງໃໝ່ພາຍຫຼັງ", "SSE.Controllers.Main.requestEditFailedTitleText": "ການເຂົ້າເຖິງຖືກປະຕິເສດ", "SSE.Controllers.Main.saveErrorText": "ພົບບັນຫາຕອນບັນທຶກຟາຍ", @@ -250,7 +250,7 @@ "SSE.Controllers.Main.textCancel": "ຍົກເລີກ", "SSE.Controllers.Main.textClose": "ປິດ", "SSE.Controllers.Main.textContactUs": "ຕິດຕໍ່ຜູ້ຂາຍ", - "SSE.Controllers.Main.textCustomLoader": "\nກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
      ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", + "SSE.Controllers.Main.textCustomLoader": "ກະລຸນາຮັບຊາບວ່າ ອີງຕາມຂໍ້ ກຳນົດຂອງໃບອະນຸຍາດ ທ່ານບໍ່ມີສິດທີ່ຈະປ່ຽນແປງ ການບັນຈຸ.
      ກະລຸນາຕິດຕໍ່ຝ່າຍຂາຍຂອງພວກເຮົາເພື່ອຂໍໃບສະເໜີ.", "SSE.Controllers.Main.textDone": "ສໍາເລັດ", "SSE.Controllers.Main.textHasMacros": "ເອກະສານບັນຈຸ ມາກໂຄ
      ແບບອັດຕະໂນມັດ, ທ່ານຍັງຕ້ອງການດໍາເນີນງານ ມາກໂຄ ບໍ ", "SSE.Controllers.Main.textLoadingDocument": "ກຳລັງໂຫຼດ spreadsheet", @@ -279,7 +279,7 @@ "SSE.Controllers.Main.txtDiagramTitle": "ໃສ່ຊື່ແຜນຮູບວາດ", "SSE.Controllers.Main.txtEditingMode": "ຕັ້ງຄ່າ ຮູບແບບການແກ້ໄຂ", "SSE.Controllers.Main.txtEncoding": "ການເຂົ້າລະຫັດ", - "SSE.Controllers.Main.txtErrorLoadHistory": "\nການໂຫລດປະຫວັດລົ້ມເຫລວ", + "SSE.Controllers.Main.txtErrorLoadHistory": "ການໂຫລດປະຫວັດລົ້ມເຫລວ", "SSE.Controllers.Main.txtFiguredArrows": "ເຄື່ອງໝາຍລູກສອນ", "SSE.Controllers.Main.txtLines": "ແຖວ, ເສັ້ນ", "SSE.Controllers.Main.txtMath": "ຈັບຄູ່ກັນ", @@ -301,7 +301,7 @@ "SSE.Controllers.Main.txtStyle_Heading_4": "ຫົວເລື່ອງ4", "SSE.Controllers.Main.txtStyle_Input": "ການປ້ອນຂໍ້ມູນ", "SSE.Controllers.Main.txtStyle_Linked_Cell": "ເຊື່ອມຕໍ່ເຊວ", - "SSE.Controllers.Main.txtStyle_Neutral": "\nທາງກາງ", + "SSE.Controllers.Main.txtStyle_Neutral": "ທາງກາງ", "SSE.Controllers.Main.txtStyle_Normal": "ປົກະຕິ", "SSE.Controllers.Main.txtStyle_Note": "ບັນທຶກໄວ້", "SSE.Controllers.Main.txtStyle_Output": "ຜົນໄດ້ຮັບ", @@ -321,19 +321,26 @@ "SSE.Controllers.Main.uploadImageTitleText": "ກໍາລັງອັບໂຫຼດຮູບພາບ", "SSE.Controllers.Main.waitText": "ກະລຸນາລໍຖ້າ...", "SSE.Controllers.Main.warnLicenseExceeded": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ເເກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
      ຕິດຕໍ່ທີມບໍລິຫານ ເພື່ອສືກສາເພີ່ມເຕີ່ມ", - "SSE.Controllers.Main.warnLicenseExp": "\nໃບອະນຸຍາດຂອງທ່ານ ໝົດ ອາຍຸແລ້ວ.
      ກະລຸນາປັບປຸງໃບອະນຸຍາດຂອງທ່ານແລະ ນຳໃຊ້ໃໝ່.", + "SSE.Controllers.Main.warnLicenseExp": "ໃບອະນຸຍາດຂອງທ່ານ ໝົດ ອາຍຸແລ້ວ.
      ກະລຸນາປັບປຸງໃບອະນຸຍາດຂອງທ່ານແລະ ນຳໃຊ້ໃໝ່.", "SSE.Controllers.Main.warnLicenseLimitedNoAccess": "ໃບທະບຽນໝົດອາຍຸ
      ເຈົ້າ", "SSE.Controllers.Main.warnLicenseLimitedRenewed": "ໃບທະບຽນທີ່ຕ້ອງການເປັນ", "SSE.Controllers.Main.warnLicenseUsersExceeded": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບຜູ້ແກ້ໄຂ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມບໍລິຫານເພື່ອຂໍ້ມູນເພີ່ມເຕີ່ມ", "SSE.Controllers.Main.warnNoLicense": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ເອກະສານນີ້ສາມາດເປີດເບິ່ງເທົ່ານັ້ນ.
      ຕິດຕໍ່ ທີມຂາຍ% 1 ສຳ ລັບຂໍ້ ກຳນົດການຍົກລະດັບສິດ", "SSE.Controllers.Main.warnNoLicenseUsers": "ຈໍານວນ ການເຊື່ອມຕໍ່ພ້ອມກັນກັບບັນນາທິການ ແມ່ນເກີນກໍານົດ % 1. ຕິດຕໍ່ ທີມຂາຍ% 1 ສຳ ລັບຂໍ້ ກຳນົດການຍົກລະດັບສິດ", "SSE.Controllers.Main.warnProcessRightsChange": "ທ່ານໄດ້ຖືກປະຕິເສດສິດໃນການແກ້ໄຂເອກະສານດັ່ງກ່າວ.", - "SSE.Controllers.Search.textNoTextFound": "\nບໍ່ພົບຂໍ້ຄວາມ", + "SSE.Controllers.Search.textNoTextFound": "ບໍ່ພົບຂໍ້ຄວາມ", "SSE.Controllers.Search.textReplaceAll": "ປ່ຽນແທນທັງໝົດ", "SSE.Controllers.Settings.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", + "SSE.Controllers.Settings.txtDe": "ພາສາເຢຍລະມັນ", + "SSE.Controllers.Settings.txtEn": "ອັງກິດ", + "SSE.Controllers.Settings.txtEs": "ພາສາສະເປນ", + "SSE.Controllers.Settings.txtFr": "ຝຣັ່ງ", + "SSE.Controllers.Settings.txtIt": "ອິຕາລີ", + "SSE.Controllers.Settings.txtPl": "ໂປແລນ", + "SSE.Controllers.Settings.txtRu": "ພາສາຣັດເຊຍ", "SSE.Controllers.Settings.warnDownloadAs": "ຖ້າທ່ານສືບຕໍ່ບັນທຶກໃນຮູບແບບນີ້ທຸກລັກສະນະ ຍົກເວັ້ນຂໍ້ຄວາມຈະຫາຍໄປ.
      ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການດໍາເນີນຕໍ່?", "SSE.Controllers.Statusbar.cancelButtonText": "ຍົກເລີກ", - "SSE.Controllers.Statusbar.errNameExists": "\nແຜ່ນວຽກທີ່ມີຊື່ຢູ່ແລ້ວ", + "SSE.Controllers.Statusbar.errNameExists": "ແຜ່ນວຽກທີ່ມີຊື່ຢູ່ແລ້ວ", "SSE.Controllers.Statusbar.errNameWrongChar": "ບໍ່ສາມາດດັດແກ້ຊື່ເອກະສານໄດ້", "SSE.Controllers.Statusbar.errNotEmpty": "ຊື່ເເຜ່ນ ບໍ່ໃຫ້ປະວ່າງ", "SSE.Controllers.Statusbar.errorLastSheet": "ສະໝຸດເຮັດວຽກຕ້ອງມີຢ່າງໜ້ອຍແຜ່ນທີ່ເບິ່ງເຫັນ.", @@ -343,14 +350,14 @@ "SSE.Controllers.Statusbar.menuHide": "ເຊື່ອງໄວ້", "SSE.Controllers.Statusbar.menuMore": "ຫຼາຍກວ່າ", "SSE.Controllers.Statusbar.menuRename": "ປ່ຽນຊື່", - "SSE.Controllers.Statusbar.menuUnhide": "\nເປີດເຜີຍ", + "SSE.Controllers.Statusbar.menuUnhide": "ເປີດເຜີຍ", "SSE.Controllers.Statusbar.notcriticalErrorTitle": "ແຈ້ງເຕືອນ", "SSE.Controllers.Statusbar.strRenameSheet": "ປ້່ຽນຊື່ແຜ່ນຫຼັກ", "SSE.Controllers.Statusbar.strSheet": "ແຜ່ນ, ໜ້າເຈ້ຍ", "SSE.Controllers.Statusbar.strSheetName": "ຊື່ແຜ່ນເຈ້ຍ", "SSE.Controllers.Statusbar.textExternalLink": "ລິງພາຍນອກ", "SSE.Controllers.Statusbar.warnDeleteSheet": "ແຜ່ນທີ່ເລືອກໄວ້ອາດຈະມີຂໍ້ມູນ. ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຕ້ອງການ ດຳ ເນີນການ?", - "SSE.Controllers.Toolbar.dlgLeaveMsgText": "\nທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", + "SSE.Controllers.Toolbar.dlgLeaveMsgText": "ທ່ານມີການປ່ຽນແປງທີ່ບໍ່ໄດ້ບັນທຶກໃນເອກະສານນີ້. ກົດ \"ຢູ່ໃນໜ້ານີ້' ເພື່ອລໍຖ້າການບັນທືກອັດຕະໂນມັດຂອງເອກະສານ. ກົດ 'ອອກຈາກ ໜ້າ ນີ້' ເພື່ອຍົກເລີກການປ່ຽນແປງທີ່ຍັງບໍ່ໄດ້ບັນທຶກ.", "SSE.Controllers.Toolbar.dlgLeaveTitleText": "ເຈົ້າອອກຈາກລະບົບ", "SSE.Controllers.Toolbar.leaveButtonText": "ອອກຈາກໜ້ານີ້", "SSE.Controllers.Toolbar.stayButtonText": "ຢູ່ໃນໜ້ານີ້", @@ -358,7 +365,7 @@ "SSE.Views.AddFunction.sCatEngineering": "ວິສະວະກຳ", "SSE.Views.AddFunction.sCatFinancial": "ການເງິນ", "SSE.Views.AddFunction.sCatInformation": "ຂໍ້ມູນ", - "SSE.Views.AddFunction.sCatLogical": "\nມີເຫດຜົນ", + "SSE.Views.AddFunction.sCatLogical": "ມີເຫດຜົນ", "SSE.Views.AddFunction.sCatLookupAndReference": "ຊອກຫາ ແລະ ອ້າງອີງ", "SSE.Views.AddFunction.sCatMathematic": "ແບບຈັບຄູ່ ແລະ ແບບບັງຄັບ", "SSE.Views.AddFunction.sCatStatistical": "ສະຖິຕິ", @@ -427,7 +434,7 @@ "SSE.Views.EditCell.textInHorBorder": "ພາຍໃນເສັ້ນຂອບລວງນອນ", "SSE.Views.EditCell.textInteger": "ຕົວເລກເຕັມ", "SSE.Views.EditCell.textInVertBorder": "ພາຍໃນເສັ້ນຂອບລວງຕັ້ງ", - "SSE.Views.EditCell.textJustified": "\nຖືກຕ້ອງ", + "SSE.Views.EditCell.textJustified": "ຖືກຕ້ອງ", "SSE.Views.EditCell.textLeftBorder": "ເສັ້ນຂອບດ້ານຊ້າຍ ", "SSE.Views.EditCell.textMedium": "ເຄີ່ງກາງ", "SSE.Views.EditCell.textNoBorder": "ໍບໍ່ມີຂອບ", @@ -438,7 +445,7 @@ "SSE.Views.EditCell.textRotateTextDown": "ປິ່ນຫົວຂໍ້ຄວາມລົງ", "SSE.Views.EditCell.textRotateTextUp": "ປິ່ນຫົວຂໍ້ຄວາມຂື້ນ", "SSE.Views.EditCell.textRouble": "ເງິນລູເບີນ ຂອງລັດເຊຍ", - "SSE.Views.EditCell.textScientific": "\nວິທະຍາສາດ", + "SSE.Views.EditCell.textScientific": "ວິທະຍາສາດ", "SSE.Views.EditCell.textSize": "ຂະໜາດ", "SSE.Views.EditCell.textText": "ເນື້ອຫາ", "SSE.Views.EditCell.textTextColor": "ສີເນື້ອຫາ", @@ -474,21 +481,21 @@ "SSE.Views.EditChart.textGridlines": "ເສັ້ນຕາຕະລາງ", "SSE.Views.EditChart.textHorAxis": "ແກນລວງນອນ, ລວງຂວາງ", "SSE.Views.EditChart.textHorizontal": "ລວງນອນ, ລວງຂວາງ", - "SSE.Views.EditChart.textLabelOptions": "\nຕົວເລືອກປ້າຍກຳກັບ", - "SSE.Views.EditChart.textLabelPos": "\n ປ້າຍກຳກັບຕຳ ແໜ່ງ", - "SSE.Views.EditChart.textLayout": "\nແຜນຜັງ", + "SSE.Views.EditChart.textLabelOptions": "ຕົວເລືອກປ້າຍກຳກັບ", + "SSE.Views.EditChart.textLabelPos": " ປ້າຍກຳກັບຕຳ ແໜ່ງ", + "SSE.Views.EditChart.textLayout": "ແຜນຜັງ", "SSE.Views.EditChart.textLeft": "ຊ້າຍ", "SSE.Views.EditChart.textLeftOverlay": "ຊ້ອນທັບດ້ານຊ້າຍ", "SSE.Views.EditChart.textLegend": "ຕຳນານ, ນິຍາຍ", "SSE.Views.EditChart.textMajor": "ສຳຄັນ, ຫຼັກ, ", - "SSE.Views.EditChart.textMajorMinor": "\nສຳຄັນແລະບໍ່ສຳຄັນ", + "SSE.Views.EditChart.textMajorMinor": "ສຳຄັນແລະບໍ່ສຳຄັນ", "SSE.Views.EditChart.textMajorType": "ປະເພດສຳຄັນ", "SSE.Views.EditChart.textMaxValue": "ຄ່າການສູງສຸດ", "SSE.Views.EditChart.textMinor": "ນ້ອຍ", "SSE.Views.EditChart.textMinorType": "ປະເພດນ້ອຍ", "SSE.Views.EditChart.textMinValue": "ຄ່າຕ່ຳສຸດ", "SSE.Views.EditChart.textNone": "ບໍ່ມີ", - "SSE.Views.EditChart.textNoOverlay": "\nບໍ່ມີການຊ້ອນກັນ", + "SSE.Views.EditChart.textNoOverlay": "ບໍ່ມີການຊ້ອນກັນ", "SSE.Views.EditChart.textOverlay": "ການຊ້ອນກັນ", "SSE.Views.EditChart.textRemoveChart": "ລົບແຜນວາດ", "SSE.Views.EditChart.textReorder": "ຈັດລຽງລໍາດັບ", @@ -577,7 +584,7 @@ "SSE.Views.Search.textSearchIn": "ຊອກຫາໃນ", "SSE.Views.Search.textSheet": "ແຜ່ນ, ໜ້າເຈ້ຍ", "SSE.Views.Search.textValues": "ການຕີລາຄາ, ປະເມີນ", - "SSE.Views.Search.textWorkbook": "\nປື້ມເຮັດວຽກ", + "SSE.Views.Search.textWorkbook": "ປື້ມເຮັດວຽກ", "SSE.Views.Settings.textAbout": "ກ່ຽວກັບ, ປະມານ", "SSE.Views.Settings.textAddress": "ທີ່ຢູ່", "SSE.Views.Settings.textApplication": "ແອັບ", @@ -599,7 +606,7 @@ "SSE.Views.Settings.textDisableAllMacrosWithoutNotification": "ປິດທຸກ ມາກໂຄ ໂດຍບໍ່ແຈ້ງເຕືອນ", "SSE.Views.Settings.textDisplayComments": "ຄໍາເຫັນ", "SSE.Views.Settings.textDisplayResolvedComments": "ແກ້ໄຂຄໍາເຫັນ", - "SSE.Views.Settings.textDocInfo": "\nຂໍ້ມູນກ່ຽວກັບຕາຕະລາງ", + "SSE.Views.Settings.textDocInfo": "ຂໍ້ມູນກ່ຽວກັບຕາຕະລາງ", "SSE.Views.Settings.textDocTitle": "ຫົວຂໍ້ຕາຕະລາງ", "SSE.Views.Settings.textDone": "ສໍາເລັດ", "SSE.Views.Settings.textDownload": "ດາວໂຫຼດ", diff --git a/apps/spreadsheeteditor/mobile/locale/lv.json b/apps/spreadsheeteditor/mobile/locale/lv.json index 2d222afad..d7ddc5c83 100644 --- a/apps/spreadsheeteditor/mobile/locale/lv.json +++ b/apps/spreadsheeteditor/mobile/locale/lv.json @@ -262,6 +262,12 @@ "SSE.Controllers.Search.textNoTextFound": "Teksts nav atrasts", "SSE.Controllers.Search.textReplaceAll": "Aizvietot visus", "SSE.Controllers.Settings.notcriticalErrorTitle": "Brīdinājums", + "SSE.Controllers.Settings.txtDe": "Deutsch", + "SSE.Controllers.Settings.txtEn": "English", + "SSE.Controllers.Settings.txtEs": "Spāņu", + "SSE.Controllers.Settings.txtFr": "Francijas", + "SSE.Controllers.Settings.txtPl": "Poļu", + "SSE.Controllers.Settings.txtRu": "Russian", "SSE.Controllers.Settings.warnDownloadAs": "Ja jūs izvēlēsieties turpināt saglabāt šajā formātā visas diagrammas un attēli tiks zaudēti.
      Vai tiešām vēlaties turpināt?", "SSE.Controllers.Statusbar.errorLastSheet": "Darbgrāmatai jābūt vismaz vienai redzamai darblapai.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Neizdevās dzēst darblapu", diff --git a/apps/spreadsheeteditor/mobile/locale/nl.json b/apps/spreadsheeteditor/mobile/locale/nl.json index ab78fd93f..fe01a6803 100644 --- a/apps/spreadsheeteditor/mobile/locale/nl.json +++ b/apps/spreadsheeteditor/mobile/locale/nl.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Tekst niet gevonden", "SSE.Controllers.Search.textReplaceAll": "Alles vervangen", "SSE.Controllers.Settings.notcriticalErrorTitle": "Waarschuwing", + "SSE.Controllers.Settings.txtDe": "Duits", + "SSE.Controllers.Settings.txtEn": "Engels", + "SSE.Controllers.Settings.txtEs": "Spaans", + "SSE.Controllers.Settings.txtFr": "Frans", + "SSE.Controllers.Settings.txtIt": "Italiaans", + "SSE.Controllers.Settings.txtPl": "Pools", + "SSE.Controllers.Settings.txtRu": "Russisch", "SSE.Controllers.Settings.warnDownloadAs": "Als u doorgaat met opslaan in deze indeling, gaan alle kenmerken verloren en blijft alleen de tekst behouden.
      Wilt u doorgaan?", "SSE.Controllers.Statusbar.cancelButtonText": "Annuleren", "SSE.Controllers.Statusbar.errNameExists": "Er bestaat al een werkblad met deze naam.", diff --git a/apps/spreadsheeteditor/mobile/locale/pl.json b/apps/spreadsheeteditor/mobile/locale/pl.json index 4fada1211..a7fc98daf 100644 --- a/apps/spreadsheeteditor/mobile/locale/pl.json +++ b/apps/spreadsheeteditor/mobile/locale/pl.json @@ -262,6 +262,10 @@ "SSE.Controllers.Search.textNoTextFound": "Nie znaleziono tekstu", "SSE.Controllers.Search.textReplaceAll": "Zamień wszystko", "SSE.Controllers.Settings.notcriticalErrorTitle": "Ostrzeżenie", + "SSE.Controllers.Settings.txtDe": "Niemiecki", + "SSE.Controllers.Settings.txtEn": "Angielski", + "SSE.Controllers.Settings.txtPl": "Polski", + "SSE.Controllers.Settings.txtRu": "Rosyjski", "SSE.Controllers.Settings.warnDownloadAs": "Jeśli kontynuujesz zapisywanie w tym formacie, wszystkie funkcje oprócz tekstu zostaną utracone.
      Czy na pewno chcesz kontynuować?", "SSE.Controllers.Statusbar.errNameWrongChar": "Nazwa arkusza nie może zawierać", "SSE.Controllers.Statusbar.errorLastSheet": "Skoroszyt musi zawierać co najmniej jeden widoczny arkusz roboczy.", diff --git a/apps/spreadsheeteditor/mobile/locale/pt.json b/apps/spreadsheeteditor/mobile/locale/pt.json index 1ec844a22..c0ea964b0 100644 --- a/apps/spreadsheeteditor/mobile/locale/pt.json +++ b/apps/spreadsheeteditor/mobile/locale/pt.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Texto não encontrado", "SSE.Controllers.Search.textReplaceAll": "Substituir tudo", "SSE.Controllers.Settings.notcriticalErrorTitle": "Aviso", + "SSE.Controllers.Settings.txtDe": "Deutsch", + "SSE.Controllers.Settings.txtEn": "English", + "SSE.Controllers.Settings.txtEs": "Espanhol", + "SSE.Controllers.Settings.txtFr": "Francês", + "SSE.Controllers.Settings.txtIt": "Italiano", + "SSE.Controllers.Settings.txtPl": "Polonês", + "SSE.Controllers.Settings.txtRu": "Russian", "SSE.Controllers.Settings.warnDownloadAs": "Se você continuar salvando neste formato, todos os recursos exceto o texto serão perdidos.
      Você tem certeza que quer continuar?", "SSE.Controllers.Statusbar.cancelButtonText": "Cancelar", "SSE.Controllers.Statusbar.errNameExists": "Folha de trabalho com este nome já existe.", diff --git a/apps/spreadsheeteditor/mobile/locale/ro.json b/apps/spreadsheeteditor/mobile/locale/ro.json index bec1577de..18cb50a94 100644 --- a/apps/spreadsheeteditor/mobile/locale/ro.json +++ b/apps/spreadsheeteditor/mobile/locale/ro.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Textul nu a fost găsit", "SSE.Controllers.Search.textReplaceAll": "Înlocuire peste tot", "SSE.Controllers.Settings.notcriticalErrorTitle": "Avertisment", + "SSE.Controllers.Settings.txtDe": "Germană", + "SSE.Controllers.Settings.txtEn": "Engleză", + "SSE.Controllers.Settings.txtEs": "Spaniolă", + "SSE.Controllers.Settings.txtFr": "Franceză", + "SSE.Controllers.Settings.txtIt": "Italiană", + "SSE.Controllers.Settings.txtPl": "Poloneză", + "SSE.Controllers.Settings.txtRu": "Rusă", "SSE.Controllers.Settings.warnDownloadAs": "Dacă salvați în acest format de fișier, este posibil ca unele dintre caracteristici să se piardă, cu excepția textului.
      Sunteți sigur că doriți să continuați?", "SSE.Controllers.Statusbar.cancelButtonText": "Revocare", "SSE.Controllers.Statusbar.errNameExists": "O foaie de calcul cu același nume există deja.", diff --git a/apps/spreadsheeteditor/mobile/locale/ru.json b/apps/spreadsheeteditor/mobile/locale/ru.json index a2d817bcc..b312c51d3 100644 --- a/apps/spreadsheeteditor/mobile/locale/ru.json +++ b/apps/spreadsheeteditor/mobile/locale/ru.json @@ -260,7 +260,7 @@ "SSE.Controllers.Main.textPaidFeature": "Платная функция", "SSE.Controllers.Main.textPassword": "Пароль", "SSE.Controllers.Main.textPreloader": "Загрузка...", - "SSE.Controllers.Main.textRemember": "Запомнить мой выбор", + "SSE.Controllers.Main.textRemember": "Запомнить мой выбор для всех файлов", "SSE.Controllers.Main.textShape": "Фигура", "SSE.Controllers.Main.textStrict": "Строгий режим", "SSE.Controllers.Main.textTryUndoRedo": "Функции отмены и повтора действий отключены в Быстром режиме совместного редактирования.
      Нажмите на кнопку 'Строгий режим' для переключения в Строгий режим совместного редактирования, чтобы редактировать файл без вмешательства других пользователей и отправлять изменения только после того, как вы их сохраните. Переключаться между режимами совместного редактирования можно с помощью Дополнительных параметров редактора.", @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Текст не найден", "SSE.Controllers.Search.textReplaceAll": "Заменить все", "SSE.Controllers.Settings.notcriticalErrorTitle": "Внимание", + "SSE.Controllers.Settings.txtDe": "Немецкий", + "SSE.Controllers.Settings.txtEn": "Английский", + "SSE.Controllers.Settings.txtEs": "Испанский", + "SSE.Controllers.Settings.txtFr": "Французский", + "SSE.Controllers.Settings.txtIt": "Итальянский", + "SSE.Controllers.Settings.txtPl": "Польский", + "SSE.Controllers.Settings.txtRu": "Русский", "SSE.Controllers.Settings.warnDownloadAs": "Если Вы продолжите сохранение в этот формат, весь функционал, кроме текста, будет потерян.
      Вы действительно хотите продолжить?", "SSE.Controllers.Statusbar.cancelButtonText": "Отмена", "SSE.Controllers.Statusbar.errNameExists": "Рабочий лист с таким именем уже существует.", diff --git a/apps/spreadsheeteditor/mobile/locale/sk.json b/apps/spreadsheeteditor/mobile/locale/sk.json index da61f53b1..d25b76405 100644 --- a/apps/spreadsheeteditor/mobile/locale/sk.json +++ b/apps/spreadsheeteditor/mobile/locale/sk.json @@ -331,6 +331,13 @@ "SSE.Controllers.Search.textNoTextFound": "Text nebol nájdený", "SSE.Controllers.Search.textReplaceAll": "Nahradiť všetko", "SSE.Controllers.Settings.notcriticalErrorTitle": "Upozornenie", + "SSE.Controllers.Settings.txtDe": "Nemčina", + "SSE.Controllers.Settings.txtEn": "Angličtina", + "SSE.Controllers.Settings.txtEs": "Španielsky", + "SSE.Controllers.Settings.txtFr": "Francúzsky", + "SSE.Controllers.Settings.txtIt": "Talianský", + "SSE.Controllers.Settings.txtPl": "Poľština", + "SSE.Controllers.Settings.txtRu": "Ruština", "SSE.Controllers.Settings.warnDownloadAs": "Ak budete pokračovať v ukladaní v tomto formáte, všetky funkcie okrem textu sa stratia.
      Ste si istý, že chcete pokračovať?", "SSE.Controllers.Statusbar.cancelButtonText": "Zrušiť", "SSE.Controllers.Statusbar.errNameExists": "Zošit s rovnakým názvom už existuje.", diff --git a/apps/spreadsheeteditor/mobile/locale/uk.json b/apps/spreadsheeteditor/mobile/locale/uk.json index 57250b864..0dd041d1c 100644 --- a/apps/spreadsheeteditor/mobile/locale/uk.json +++ b/apps/spreadsheeteditor/mobile/locale/uk.json @@ -259,6 +259,10 @@ "SSE.Controllers.Search.textNoTextFound": "Текст не знайдено", "SSE.Controllers.Search.textReplaceAll": "Замінити усе", "SSE.Controllers.Settings.notcriticalErrorTitle": "Застереження", + "SSE.Controllers.Settings.txtDe": "Німецький", + "SSE.Controllers.Settings.txtEn": "Англійська", + "SSE.Controllers.Settings.txtPl": "Польський", + "SSE.Controllers.Settings.txtRu": "Російський", "SSE.Controllers.Settings.warnDownloadAs": "Якщо ви продовжите збереження в цьому форматі, всі функції, окрім тексту, буде втрачено.
      Ви впевнені, що хочете продовжити?", "SSE.Controllers.Statusbar.errorLastSheet": "Робоча книга повинна мати щонайменше один видимий аркуш.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Неможливо видалити робочий аркуш.", diff --git a/apps/spreadsheeteditor/mobile/locale/vi.json b/apps/spreadsheeteditor/mobile/locale/vi.json index dab9e0bb2..2e8db0054 100644 --- a/apps/spreadsheeteditor/mobile/locale/vi.json +++ b/apps/spreadsheeteditor/mobile/locale/vi.json @@ -259,6 +259,9 @@ "SSE.Controllers.Search.textNoTextFound": "Không tìm thấy nội dung", "SSE.Controllers.Search.textReplaceAll": "Thay thế tất cả", "SSE.Controllers.Settings.notcriticalErrorTitle": "Cảnh báo", + "SSE.Controllers.Settings.txtEn": "Tiếng anh", + "SSE.Controllers.Settings.txtPl": "Đánh bóng", + "SSE.Controllers.Settings.txtRu": "Nga", "SSE.Controllers.Settings.warnDownloadAs": "Nếu bạn tiếp tục lưu ở định dạng này tất cả các tính năng trừ văn bản sẽ bị mất.
      Bạn có chắc là muốn tiếp tục?", "SSE.Controllers.Statusbar.errorLastSheet": "Workbook phải có ít nhất một bảng tính hiển thị.", "SSE.Controllers.Statusbar.errorRemoveSheet": "Không thể xóa bảng tính.", diff --git a/apps/spreadsheeteditor/mobile/locale/zh.json b/apps/spreadsheeteditor/mobile/locale/zh.json index db1d00ac6..642fb155b 100644 --- a/apps/spreadsheeteditor/mobile/locale/zh.json +++ b/apps/spreadsheeteditor/mobile/locale/zh.json @@ -321,6 +321,13 @@ "SSE.Controllers.Search.textNoTextFound": "文本没找到", "SSE.Controllers.Search.textReplaceAll": "全部替换", "SSE.Controllers.Settings.notcriticalErrorTitle": "警告", + "SSE.Controllers.Settings.txtDe": "德语", + "SSE.Controllers.Settings.txtEn": "英语", + "SSE.Controllers.Settings.txtEs": "西班牙语", + "SSE.Controllers.Settings.txtFr": "法语", + "SSE.Controllers.Settings.txtIt": "意大利语", + "SSE.Controllers.Settings.txtPl": "抛光", + "SSE.Controllers.Settings.txtRu": "俄语", "SSE.Controllers.Settings.warnDownloadAs": "如果您继续以此格式保存,除文本之外的所有功能将丢失。
      您确定要继续吗?", "SSE.Controllers.Statusbar.cancelButtonText": "取消", "SSE.Controllers.Statusbar.errNameExists": "该名称已被其他工作表使用。", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/de.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/de.json index a989613a4..6d64e547f 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/de.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/de.json @@ -121,6 +121,7 @@ "T.TEST": "T.TEST", "TEXT": "TEXT", "TEXTJOIN": "TEXTVERKETTEN", + "TREND": "TREND", "TRIM": "GLÄTTEN", "TRIMMEAN": "GESTUTZTMITTEL", "TTEST": "TTEST", @@ -191,6 +192,7 @@ "GAMMALN.PRECISE": "GAMMALN.GENAU", "GAUSS": "GAUSS", "GEOMEAN": "GEOMITTEL", + "GROWTH": "VARIATION", "HARMEAN": "HARMITTEL", "HYPGEOM.DIST": "HYPGEOM.VERT", "HYPGEOMDIST": "HYPGEOMVERT", @@ -198,6 +200,7 @@ "KURT": "KURT", "LARGE": "KGRÖSSTE", "LINEST": "RGP", + "LOGEST": "RKP", "LOGINV": "LOGINV", "LOGNORM.DIST": "LOGNORM.VERT", "LOGNORM.INV": "LOGNORM.INV", @@ -374,6 +377,7 @@ "MOD": "REST", "MROUND": "VRUNDEN", "MULTINOMIAL": "POLYNOMIAL", + "MUNIT": "MEINHEIT", "ODD": "UNGERADE", "PI": "PI", "POWER": "POTENZ", @@ -381,6 +385,7 @@ "QUOTIENT": "QUOTIENT", "RADIANS": "BOGENMASS", "RAND": "ZUFALLSZAHL", + "RANDARRAY": "ZUFALLSMATRIX", "RANDBETWEEN": "ZUFALLSBEREICH", "ROMAN": "RÖMISCH", "ROUND": "RUNDEN", @@ -421,6 +426,7 @@ "ROW": "ZEILE", "ROWS": "ZEILEN", "TRANSPOSE": "MTRANS", + "UNIQUE": "EINDEUTIG", "VLOOKUP": "SVERWEIS", "CELL": "ZELLE", "ERROR.TYPE": "FEHLER.TYP", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/de_desc.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/de_desc.json index 276a6265c..9e77b17cd 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/de_desc.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/de_desc.json @@ -755,6 +755,10 @@ "a": "(Zahl1;[Zahl2];...)", "d": "Statistische Funktion - gibt den geometrischen Mittelwert der zugehörigen Argumente zurück" }, + "GROWTH": { + "a": "(Y_Werte;[X_Werte];[Neue_x_Werte];[Konstante])", + "d": "Statistische Funktion - liefert Werte, die sich aus einem exponentiellen Trend ergeben. Die Funktion liefert die y-Werte für eine Reihe neuer x-Werte, die Sie mithilfe vorhandener x- und y-Werte festlegen" + }, "HARMEAN": { "a": "(Zahl1;[Zahl2];...)", "d": "Statistische Funktion - gibt den harmonischen Mittelwert der zugehörigen Argumente zurück" @@ -780,9 +784,13 @@ "d": "Statistische Funktion - gibt den k-größten Wert eines Datensatzes in einem bestimmten Zellbereich zurück" }, "LINEST": { - "a": "( known_y's, [known_x's], [const], [stats] )", - "d": "Statistische Funktion - berechnet die Statistik für eine Linie nach der Methode der kleinsten Quadrate, um eine gerade Linie zu berechnen, die am besten an die Daten angepasst ist, und gibt dann eine Matrix zurück, die die Linie beschreibt; da diese Funktion eine Matrix von Werten zurückgibt, muss die Formel als Matrixformel eingegeben werden" + "a": "(Y_Werte;[X_Werte];[Konstante];[Stats])", + "d": "Statistische Funktion - berechnet die Statistik für eine Linie nach der Methode der kleinsten Quadrate, um eine gerade Linie zu berechnen, die am besten an die Daten angepasst ist, und gibt dann eine Matrix zurück, die die Linie beschreibt. Da diese Funktion eine Matrix von Werten zurückgibt, muss die Formel als Matrixformel eingegeben werden" }, + "LOGEST": { + "a": "(Y_Werte;[X_Werte];[Konstante];[Stats])", + "d": "Statistische Funktion - in der Regressionsanalyse berechnet die Funktion eine exponentielle Kurve, die Ihren Daten entspricht, und gibt ein Array von Werten zurück, die die Kurve beschreiben. Da diese Funktion eine Matrix von Werten zurückgibt, muss die Formel als Matrixformel eingegeben werden" + }, "LOGINV": { "a": "(x;Mittelwert;Standabwn)", "d": "Statistische Funktion - gibt Quantile der Lognormalverteilung von Wahrsch zurück, wobei ln(x) mit den Parametern Mittelwert und Standabwn normal verteilt ist" @@ -1039,6 +1047,10 @@ "a": "(Matrix1;Matrix2;Seiten;Typ)", "d": "Statistische Funktion - gibt die Teststatistik eines Student'schen t-Tests zurück. Mithilfe von T.TEST können Sie testen, ob zwei Stichproben aus zwei Grundgesamtheiten mit demselben Mittelwert stammen" }, + "TREND": { + "a": "(Y_Werte;[X_Werte];[Neu_X];[Konstante])", + "d": "Statistische Funktion - gibt Werte entlang eines linearen Trends zurück. Es passt zu einer geraden Linie (unter Verwendung der Methode der kleinsten Quadrate) zum known_y und known_x des Arrays" + }, "TRIMMEAN": { "a": "(Matrix;Prozent)", "d": "Statistische Funktion - gibt den Mittelwert einer Datengruppe zurück, ohne die Randwerte zu berücksichtigen. GESTUTZTMITTEL berechnet den Mittelwert einer Teilmenge der Datenpunkte, die darauf basiert, dass entsprechend des jeweils angegebenen Prozentsatzes die kleinsten und größten Werte der ursprünglichen Datenpunkte ausgeschlossen werden" @@ -1499,6 +1511,10 @@ "a": "(Zahl1;[Zahl2];...)", "d": "Mathematische und trigonometrische Funktion - gibt das Verhältnis der Fakultät von der Summe der Zahlen zum Produkt der Fakultäten zurück" }, + "MUNIT": { + "a": "(Größe)", + "d": "Mathematische und trigonometrische Funktion - gibt die Einheitsmatrix für die angegebene Dimension zurück" + }, "ODD": { "a": "(Zahl)", "d": "Mathematische und trigonometrische Funktion - rundet eine Zahl auf die nächste gerade unganze Zahl auf" @@ -1527,6 +1543,10 @@ "a": "()", "d": "Mathematische und trigonometrische Funktion - gibt eine gleichmäßig verteilte reelle Zufallszahl zurück, die größer oder gleich 0 und kleiner als 1 ist Für die Syntax der Funktion sind keine Argumente erforderlich" }, + "RANDARRAY": { + "a": "([Zeilen];[Spalten];[min];[max];[ganze_Zahl])", + "d": "Mathematische und trigonometrische Funktion - gibt eine Array von Zufallszahlen zurück" + }, "RANDBETWEEN": { "a": "(Untere_Zahl;Obere_Zahl)", "d": "Mathematische und trigonometrische Funktion - gibt eine Zufallszahl zurück, die größer oder gleich Untere_Zahl und kleiner oder gleich Obere_Zahl ist" @@ -1687,6 +1707,10 @@ "a": "(Matrix)", "d": "Nachschlage- und Verweisfunktion - gibt das erste Element einer Matrix zurück" }, + "UNIQUE": { + "a": "(Array,[Nach_Spalte],[Genau_Einmal])", + "d": "Nachschlage- und Verweisfunktion - gibt eine Liste von eindeutigen Werten in einer Liste oder einem Bereich zurück" + }, "VLOOKUP": { "a": "(Suchkriterium; Matrix; Spaltenindex; [Bereich_Verweis])", "d": "Nachschlage- und Verweisfunktion - führt eine vertikale Suche nach einem Wert in der linken Spalte einer Tabelle oder eines Arrays aus und gibt den Wert in derselben Zeile basierend auf einer angegebenen Spaltenindexnummer zurück" diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/en.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/en.json index 7b3c2aedf..7468975ec 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/en.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/en.json @@ -121,6 +121,7 @@ "T.TEST": "T.TEST", "TEXT": "TEXT", "TEXTJOIN": "TEXTJOIN", + "TREND": "TREND", "TRIM": "TRIM", "TRIMMEAN": "TRIMMEAN", "TTEST": "TTEST", @@ -191,6 +192,7 @@ "GAMMALN.PRECISE": "GAMMALN.PRECISE", "GAUSS": "GAUSS", "GEOMEAN": "GEOMEAN", + "GROWTH": "GROWTH", "HARMEAN": "HARMEAN", "HYPGEOM.DIST": "HYPGEOM.DIST", "HYPGEOMDIST": "HYPGEOMDIST", @@ -198,6 +200,7 @@ "KURT": "KURT", "LARGE": "LARGE", "LINEST": "LINEST", + "LOGEST": "LOGEST", "LOGINV": "LOGINV", "LOGNORM.DIST": "LOGNORM.DIST", "LOGNORM.INV": "LOGNORM.INV", @@ -374,6 +377,7 @@ "MOD": "MOD", "MROUND": "MROUND", "MULTINOMIAL": "MULTINOMIAL", + "MUNIT": "MUNIT", "ODD": "ODD", "PI": "PI", "POWER": "POWER", @@ -381,6 +385,7 @@ "QUOTIENT": "QUOTIENT", "RADIANS": "RADIANS", "RAND": "RAND", + "RANDARRAY": "RANDARRAY", "RANDBETWEEN": "RANDBETWEEN", "ROMAN": "ROMAN", "ROUND": "ROUND", @@ -421,6 +426,7 @@ "ROW": "ROW", "ROWS": "ROWS", "TRANSPOSE": "TRANSPOSE", + "UNIQUE": "UNIQUE", "VLOOKUP": "VLOOKUP", "CELL": "CELL", "ERROR.TYPE": "ERROR.TYPE", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/en_desc.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/en_desc.json index 3ff0d7372..496326181 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/en_desc.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/en_desc.json @@ -755,6 +755,10 @@ "a": "( argument-list )", "d": "Statistical function used to calculate the geometric mean of the argument list" }, + "GROWTH": { + "a": "( known_y's, [known_x's], [new_x's], [const] )", + "d": "Statistical function used to calculate predicted exponential growth by using existing data; returns the y-values for a series of new x-values that you specify by using existing x-values and y-values" + }, "HARMEAN": { "a": "( argument-list )", "d": "Statistical function used to calculate the harmonic mean of the argument list" @@ -783,6 +787,10 @@ "a": "( known_y's, [known_x's], [const], [stats] )", "d": "Statistical function used to calculate the statistics for a line by using the least squares method to calculate a straight line that best fits your data, and then returns an array that describes the line; because this function returns an array of values, it must be entered as an array formula" }, + "LOGEST": { + "a": "( known_y's, [known_x's], [const], [stats] )", + "d": "Statistical function used calculate an exponential curve that fits your data and returns an array of values that describes the curve in regression analysis; because this function returns an array of values, it must be entered as an array formula" + }, "LOGINV": { "a": "( x , mean , standard-deviation )", "d": "Statistical function used to return the inverse of the lognormal cumulative distribution function of the given x value with the specified parameters" @@ -1039,6 +1047,10 @@ "a": "( array1 , array2 , tails , type )", "d": "Statistical function used to return the probability associated with a Student's t-Test; use T.TEST to determine whether two samples are likely to have come from the same two underlying populations that have the same mean" }, + "TREND": { + "a": "( known_y's, [known_x's], [new_x's], [const] )", + "d": "Statistical function used to return values along a linear trend; it fits a straight line (using the method of least squares) to the array's known_y's and known_x's" + }, "TRIMMEAN": { "a": "( array , percent )", "d": "Statistical function used to return the mean of the interior of a data set; TRIMMEAN calculates the mean taken by excluding a percentage of data points from the top and bottom tails of a data set" @@ -1499,6 +1511,10 @@ "a": "( argument-list )", "d": "Math and trigonometry function used to return the ratio of the factorial of a sum of numbers to the product of factorials" }, + "MUNIT": { + "a": "( dimension )", + "d": "Math and trigonometry function used to return the unit matrix for the specified dimension" + }, "ODD": { "a": "( x )", "d": "Math and trigonometry function used to round the number up to the nearest odd integer" @@ -1525,7 +1541,11 @@ }, "RAND": { "a": "()", - "d": "Math and trigonometry functionused to return a random number greater than or equal to 0 and less than 1. It does not require any argument" + "d": "Math and trigonometry function used to return a random number greater than or equal to 0 and less than 1. It does not require any argument" + }, + "RANDARRAY": { + "a": "( [ rows ] , [ columns ] , [ min ] , [ max ] , [ whole_number ] )", + "d": "Math and trigonometry function used to return an array of random numbers" }, "RANDBETWEEN": { "a": "( lower-bound , upper-bound )", @@ -1687,6 +1707,10 @@ "a": "( array )", "d": "Lookup and reference function used to return the first element of an array" }, + "UNIQUE": { + "a": "( array, [by_col], [exactly_once] )", + "d": "Lookup and reference function used to return a list of unique values in a list or range" + }, "VLOOKUP": { "a": "( lookup-value , table-array , col-index-num [ , [ range-lookup-flag ] ] )", "d": "Lookup and reference function used to perform the vertical search for a value in the left-most column of a table or an array and return the value in the same row based on a specified column index number" diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/es.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/es.json index 654d40d2b..8dcb0da41 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/es.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/es.json @@ -121,6 +121,7 @@ "T.TEST": "PRUEBA.T.N", "TEXT": "TEXTO", "TEXTJOIN": "UNIRCADENAS", + "TREND": "TENDENCIA", "TRIM": "ESPACIOS", "TRIMMEAN": "MEDIA.ACOTADA", "TTEST": "PRUEBA.T", @@ -191,6 +192,7 @@ "GAMMALN.PRECISE": "GAMMA.LN.EXACTO", "GAUSS": "GAUSS", "GEOMEAN": "MEDIA.GEOM", + "GROWTH": "CRECIMIENTO", "HARMEAN": "MEDIA.ARMO", "HYPGEOM.DIST": "DISTR.HIPERGEOM.N", "HYPGEOMDIST": "DISTR.HIPERGEOM", @@ -198,6 +200,7 @@ "KURT": "CURTOSIS", "LARGE": "K.ESIMO.MAYOR", "LINEST": "ESTIMACION.LINEAL", + "LOGEST": "ESTIMACION.LOGARITMICA", "LOGINV": "DISTR.LOG.INV", "LOGNORM.DIST": "DISTR.LOGNORM", "LOGNORM.INV": "INV.LOGNORM", @@ -374,6 +377,7 @@ "MOD": "RESIDUO", "MROUND": "REDOND.MULT", "MULTINOMIAL": "MULTINOMIAL", + "MUNIT": "M.UNIDAD", "ODD": "REDONDEA.IMPAR", "PI": "PI", "POWER": "POTENCIA", @@ -381,6 +385,7 @@ "QUOTIENT": "COCIENTE", "RADIANS": "RADIANES", "RAND": "ALEATORIO", + "RANDARRAY": "MATRIZALEAT", "RANDBETWEEN": "ALEATORIO.ENTRE", "ROMAN": "NUMERO.ROMANO", "ROUND": "REDONDEAR", @@ -421,6 +426,7 @@ "ROW": "FILA", "ROWS": "FILAS", "TRANSPOSE": "TRANSPONER", + "UNIQUE": "UNIQUE", "VLOOKUP": "BUSCARV", "CELL": "CELDA", "ERROR.TYPE": "TIPO.DE.ERROR", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/es_desc.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/es_desc.json index d47c20e49..5b75c7b33 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/es_desc.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/es_desc.json @@ -755,6 +755,10 @@ "a": "(lista-argumento)", "d": "Función estadística utilizada para calcular la media geométrica de la lista de argumentos" }, + "GROWTH": { + "a": "(conocido_y, [conocido_x], [nueva_matriz_x], [constante])", + "d": "Función estadística utilizada para Calcula el crecimiento exponencial previsto a través de los datos existentes. Función devuelve los valores y de una serie de nuevos valores x especificados con valores x e y existentes." + }, "HARMEAN": { "a": "(lista-argumento)", "d": "Función estadística utilizada para calcular la media armónica de la lista de argumentos" @@ -780,9 +784,13 @@ "d": "Función estadística utilizada para analizar el rango de celdas y devolver el mayor valor" }, "LINEST": { - "a": "( known_y's, [known_x's], [const], [stats] )", + "a": "(conocido_y, [conocido_x], [constante], [estadística])", "d": "Función estadística utilizada para calcula las estadísticas de una línea con el método de los 'mínimos cuadrados' para calcular la línea recta que mejor se ajuste a los datos y después devuelve una matriz que describe la línea; debido a que esta función devuelve una matriz de valores, debe ser especificada como fórmula de matriz" }, + "LOGEST": { + "a": "(conocido_y, [conocido_x], [constante], [estadística])", + "d": "Función estadística utilizada, en el análisis de regresión, para calcula una curva exponencial que se ajusta a los datos y devuelve una matriz de valores que describe la curva. Debido a que esta función devuelve una matriz de valores, debe ser especificada como una fórmula de matriz." + }, "LOGINV": { "a": "(x, media, desviación-estándar)", "d": "Función estadística utilizada para devolver el inverso de la función de distribución acumulativa logarítmica del valor x dado con los parámetros especificados" @@ -1039,6 +1047,10 @@ "a": "(conjunto1, conjunto2, colas, tipo)", "d": "Función estadística utilizada para obtener la probabilidad asociada con el t-Test de Student; utilice PRUEBA.T para determinar si es probable que dos muestras provengan de las mismas dos poblaciones subyacentes que tienen la misma media." }, + "TREND": { + "a": "(conocido_y, [conocido_x], [nueva_matriz_x], [constante])", + "d": "Función estadística devuelve valores en una tendencia lineal. Se ajusta a una línea recta (usando el método de los mínimos cuadrados) al known_y de la matriz y known_x." + }, "TRIMMEAN": { "a": "(matriz, porcentaje)", "d": "Función estadística utilizada para obtener la media del interior de un conjunto de datos; TRIMMEAN calcula la media tomada excluyendo un porcentaje de puntos de datos de las colas superior e inferior de un conjunto de datos." @@ -1499,6 +1511,10 @@ "a": "(lista-argumento)", "d": "Función de matemáticas y trigonometría utilizada para devolver la relación entre el factorial de una suma de números y el producto de los factoriales." }, + "MUNIT": { + "a": "(dimensión)", + "d": "Función de matemáticas y trigonometría para devolver la matriz de la unidad de la dimensión especificada." + }, "ODD": { "a": "( x )", "d": "Función de matemáticas y trigonometría usada para redondear el número al número entero impar más cercano" @@ -1527,6 +1543,10 @@ "a": "()", "d": "Función de matemáticas y trigonometría utilizada para devolver un número aleatorio mayor o igual que 0 y menor que 1. No requiere ningún argumento." }, + "RANDARRAY": { + "a": "([rows], [columns], [min], [max], [whole_number])", + "d": "Función de matemáticas y trigonometría utilizada para devolver una matriz de números aleatorios" + }, "RANDBETWEEN": { "a": "(límite-inferior, límite-superior)", "d": "Función de matemáticas y trigonometría utilizada para devolver un número aleatorio mayor o igual que el del límite inferior y menor o igual que el del límite superior" @@ -1687,13 +1707,17 @@ "a": "( conjunto )", "d": "Función de búsqueda y referencia utilizada para devolver el primer elemento de un conjunto" }, + "UNIQUE": { + "a": "(matriz, [by_col], [exactly_once])", + "d": "Función de búsqueda y referencia para devolver una lista de valores únicos de una lista o rango" + }, "VLOOKUP": { "a": "(valor-buscar, tabla-conjunto, col-índice-núm[, [rango-buscar-marcador]])", "d": "Función de búsqueda y referencia utilizada para realizar la búsqueda vertical de un valor en la columna de la izquierda de una tabla o conjunto y devolver el valor en la misma fila basado en un número de índice de columna especificado." }, "CELL": { "a": "(info_type, [reference])", - "d": "Función de información utilizada para devuelve información sobre el formato, la ubicación o el contenido de una celda" + "d": "Función de información utilizada para devolver información sobre el formato, la ubicación o el contenido de una celda" }, "ERROR.TYPE": { "a": "(valor)", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr.json index e37002ce7..4da4226ee 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr.json @@ -191,6 +191,7 @@ "GAMMALN.PRECISE": "LNGAMMA.PRECIS", "GAUSS": "GAUSS", "GEOMEAN": "MOYENNE.GEOMETRIQUE", + "GROWTH": "CROISSANCE", "HARMEAN": "MOYENNE.HARMONIQUE", "HYPGEOM.DIST": "LOI.HYPERGEOMETRIQUE.N", "HYPGEOMDIST": "LOI.HYPERGEOMETRIQUE", @@ -198,6 +199,7 @@ "KURT": "KURTOSIS", "LARGE": "GRANDE.VALEUR", "LINEST": "DROITEREG", + "LOGEST": "LOGREG", "LOGINV": "LOI.LOGNORMALE.INVERSE", "LOGNORM.DIST": "LOI.LOGNORMALE.N", "LOGNORM.INV": "LOI.LOGNORMALE.INVERSE.N", @@ -374,6 +376,7 @@ "MOD": "MOD", "MROUND": "ARRONDI.AU.MULTIPLE", "MULTINOMIAL": "MULTINOMIALE", + "MUNIT": "MATRICE.UNITAIRE", "ODD": "IMPAIR", "PI": "PI", "POWER": "PUISSANCE", @@ -381,6 +384,7 @@ "QUOTIENT": "QUOTIENT", "RADIANS": "RADIANS", "RAND": "ALEA", + "RANDARRAY": "TABLEAU.ALEAT", "RANDBETWEEN": "ALEA.ENTRE.BORNES", "ROMAN": "ROMAIN", "ROUND": "ARRONDI", @@ -421,6 +425,7 @@ "ROW": "LIGNE", "ROWS": "LIGNES", "TRANSPOSE": "TRANSPOSE", + "UNIQUE": "UNIQUE", "VLOOKUP": "RECHERCHEV", "CELL": "CELLULE", "ERROR.TYPE": "TYPE.ERREUR", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr_desc.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr_desc.json index ec4d915e4..e02230b51 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr_desc.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/fr_desc.json @@ -755,6 +755,10 @@ "a": "(liste_des_arguments)", "d": "Fonction statistique utilisée pour calculer la moyenne géométrique d'une série de données." }, + "GROWTH": { + "a": "(y_connus, [x_connus], [x_nouveaux], [constante])", + "d": "Fonction statistique utilisée pour сalculer la croissance exponentielle prévue à partir des données existantes. La fonction renvoie les valeurs y pour une série de nouvelles valeurs x que vous spécifiez, en utilisant des valeurs x et y existantes." + }, "HARMEAN": { "a": "(liste_des_arguments)", "d": "Fonction statistique utilisée pour calculer la moyenne harmonique d'une série de données." @@ -780,9 +784,13 @@ "d": "Fonction statistique utilisée pour analyser une plage de cellules et renvoyer la k-ième plus grande valeur." }, "LINEST": { - "a": "( known_y's, [known_x's], [const], [stats] )", - "d": "Fonction statistique utilisée pour calcule les statistiques d’une droite par la méthode des moindres carrés afin de calculer une droite s’ajustant au plus près de vos données, puis renvoie une matrice qui décrit cette droite; dans la mesure où cette fonction renvoie une matrice de valeurs, elle doit être tapée sous la forme d’une formule matricielle" + "a": "(y_connus, [x_connus], [constante], [statistiques])", + "d": "Fonction statistique utilisée pour calculer les statistiques d’une droite par la méthode des moindres carrés afin de calculer une droite s’ajustant au plus près de vos données, puis renvoie une matrice qui décrit cette droite; dans la mesure où cette fonction renvoie une matrice de valeurs, elle doit être tapée sous la forme d’une formule matricielle" }, + "LOGEST": { + "a": "(y_connus, [x_connus], [constante], [statistiques])", + "d": "Fonction statistique utilisée pour calculer les statistiques d’une droite par la méthode des moindres carrés afin de calculer une droite s’ajustant au plus près de vos données, puis renvoie une matrice qui décrit cette droite. Vous pouvez également combiner la fonction avec d’autres fonctions pour calculer les statistiques d’autres types de modèles linéaires dans les paramètres inconnus, y compris polynomial, logarithmique, exponentiel et série de puissances." + }, "LOGINV": { "a": "(x, moyenne, écart_type)", "d": "Fonction statistique utilisée pour renvoyer l'inverse de la fonction de distribution de x suivant une loi lognormale cumulée en utilisant les paramètres spécifiés" @@ -1039,6 +1047,10 @@ "a": "(matrice1, matrice2, uni/bilatéral, type)", "d": "Fonction statistique utilisée pour retourner la probabilité associée au test t de Student; Utilisez TEST.STUDENT pour déterminer si deux échantillons sont susceptibles de provenir de deux populations identiques ayant la même moyenne." }, + "TREND": { + "a": "(y_connus, [x_connus], [x_nouveaux], [constante])", + "d": "Fonction statistique utilisée pour renvoyer des valeurs par rapport à une tendance linéaire. Elle s’adapte à une ligne droite (à l’aide de la méthode des moindres carrés) aux known_y et known_x de la matrice." + }, "TRIMMEAN": { "a": "(matrice, pourcentage)", "d": "Fonction statistique utilisée pour renvoyer la moyenne intérieure d'un ensemble de données; MOYENNE.REDUITE calcule la moyenne prise en excluant un pourcentage de points de données des queues supérieure et inférieure d'un ensemble de données" @@ -1499,6 +1511,10 @@ "a": "(liste_des_arguments)", "d": "Fonction mathématique et trigonométrique utilisée pour renvoyer le rapport de la factorielle de la somme de nombres au produit de factorielles" }, + "MUNIT": { + "a": "(dimension)", + "d": "Fonction mathématique et trigonométrique utilisée pour renvoyer la matrice unitaire pour la dimension spécifiée." + }, "ODD": { "a": "(x)", "d": "Fonction mathématique et trigonométrique utilisée pour arrondir le nombre à l’excès au nombre entier impair le plus proche" @@ -1527,6 +1543,10 @@ "a": "()", "d": "Fonction mathématique et trigonométrique qui renvoie un nombre aléatoire supérieur ou égal à 0 et inférieur à 1. Elle ne prend aucun argument." }, + "RANDARRAY": { + "a": "([Rangées], [Colonnes], [min], [max], [nombre_entier])", + "d": "Fonction mathématique et trigonométrique utilisée pour renvoyer un tableau de nombres aléatoires" + }, "RANDBETWEEN": { "a": "(limite_inf [, limite_sup])", "d": "Fonction mathématique et trigonométrique utilisée pour renvoyer un nombre aléatoire supérieur ou égal à limite_inf et inférieur ou égal à limite_sup." @@ -1687,6 +1707,10 @@ "a": "(matrice)", "d": "Fonction de recherche et référence utilisée pour renvoyer le premier élément d'un tableau" }, + "UNIQUE": { + "a": "(matrice, [by_col], [exactly_once])", + "d": "Fonction de recherche et référence utilisée pour renvoyer une liste de valeurs uniques au sein d’une liste ou d’une plage" + }, "VLOOKUP": { "a": "(valeur_cherchée, table_matrice, no_index_col[, [valeur_proche]])", "d": "Fonction de recherche et référence utilisée pour effectuer la recherche verticale d'une valeur dans la première colonne à gauche d'un tableau et retourner la valeur qui se trouve dans la même ligne à la base d'un numéro d'index de colonne spécifié" diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/it.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/it.json index d66106a1d..f5888119a 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/it.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/it.json @@ -120,6 +120,7 @@ "T.TEST": "TESTT", "TEXT": "TESTO", "TEXTJOIN": "TEXTJOIN", + "TREND": "TENDENZA", "TRIM": "ANNULLA.SPAZI", "TRIMMEAN": "MEDIA.TRONCATA", "TTEST": "TEST.T", @@ -184,6 +185,7 @@ "GAMMALN.PRECISE": "LN.GAMMA.PRECISA", "GAUSS": "GAUSS", "GEOMEAN": "MEDIA.GEOMETRICA", + "GROWTH": "CRESCITA", "HARMEAN": "MEDIA.ARMONICA", "HYPGEOM.DIST": "DISTRIB.IPERGEOM.N", "HYPGEOMDIST": "DISTRIB.IPERGEOM", @@ -191,6 +193,7 @@ "KURT": "CURTOSI", "LARGE": "GRANDE", "LINEST": "REGR.LIN", + "LOGEST": "REGR.LOG", "LOGINV": "INV.LOGNORM", "LOGNORM.DIST": "DISTRIB.LOGNORM.N", "LOGNORM.INV": "INV.LOGNORM.N", @@ -366,6 +369,7 @@ "MOD": "RESTO", "MROUND": "ARROTONDA.MULTIPLO", "MULTINOMIAL": "MULTINOMIALE", + "MUNIT": "MATR.UNIT", "ODD": "DISPARI", "PI": "PI.GRECO", "POWER": "POTENZA", @@ -373,6 +377,7 @@ "QUOTIENT": "QUOZIENTE", "RADIANS": "RADIANTI", "RAND": "CASUALE", + "RANDARRAY": "MATR.CASUALE", "RANDBETWEEN": "CASUALE.TRA", "ROMAN": "ROMANO", "ROUND": "ARROTONDA", @@ -412,6 +417,7 @@ "ROW": "RIF.RIGA", "ROWS": "RIGHE", "TRANSPOSE": "MATR.TRASPOSTA", + "UNIQUE": "UNICI", "VLOOKUP": "CERCA.VERT", "CELL": "CELLA", "ERROR.TYPE": "ERRORE.TIPO", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/it_desc.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/it_desc.json index c02793ced..61bedbda7 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/it_desc.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/it_desc.json @@ -487,6 +487,10 @@ "a": "(testo)", "d": "Rimuove gli spazi da una stringa di testo eccetto gli spazi singoli tra le parole" }, + "TREND": { + "a": "(y_nota; [x_nota]; [nuova_x]; [cost])", + "d": "Restituisce i valori lungo una tendenza lineare. Si adatta a una linea retta (usando il metodo di minimi quadrati) per gli known_y e le known_x della matrice" + }, "TRIMMEAN": { "a": "(matrice, percento)", "d": "Restituisce la media della parte intera di un set di valori di dati" @@ -739,6 +743,10 @@ "a": "(num1, num2, ...)", "d": "Restituisce la media geometrica di una matrice o di un intervallo di dati numerici positivi" }, + "GROWTH": { + "a": "(y_nota; [x_nota]; [nuova_x]; [cost])", + "d": "Calcola la crescita esponenziale prevista in base ai dati esistenti. La funzione restituisce i valori y corrispondenti a una serie di valori x nuovi, specificati in base a valori x e y esistenti" + }, "HARMEAN": { "a": "(argument-list)", "d": "Calcola la media armonica (il reciproco della media aritmetica dei reciproci) di un sei di dati costituiti da numeri positivi" @@ -764,9 +772,13 @@ "d": "Restituisce il k-esimo valore più grande in un set di dati." }, "LINEST": { - "a": "( known_y's, [known_x's], [const], [stats] )", + "a": "(y_nota; [x_nota]; [cost]; [stat])", "d": "Questa funzione è disponibile per calcola le statistiche per una linea utilizzando il metodo dei minimi quadrati per calcolare la retta che meglio rappresenta i dati e restituisce una matrice che descrive la retta; dal momento che questa funzione restituisce una matrice di valori, deve essere immessa come formula in forma di matrice" }, + "LOGEST": { + "a": "(y_nota; [x_nota]; [cost]; [stat])", + "d": "Questa funzione è disponibile per Nell'analisi della regressione la funzione calcola una curva esponenziale adatta ai dati e restituisce una matrice di valori che descrive la curva. Dal momento che questa funzione restituisce una matrice di valori, deve essere immessa come una formula della matrice" + }, "LOGINV": { "a": "(x , media , dev_standard)", "d": "Questa funzione è disponibile per consentire la compatibilità con Excel 2007 e precedenti. Restituisce l'inversa della distribuzione lognormale di x, in cui ln(x) è distribuito normalmente con i parametri Media e Dev_standard" @@ -1467,6 +1479,10 @@ "a": "(num1, num2,...)", "d": "Restituisce il multinomiale di un insieme di numeri" }, + "MUNIT": { + "a": "(dimensione)", + "d": "Restituisce la matrice unitaria per la dimensione specificata" + }, "ODD": { "a": "(x)", "d": "Arrotonda un numero positivo per eccesso al numero intero più vicino e uno negativo per difetto al numero dispari più vicino" @@ -1495,6 +1511,10 @@ "a": "()", "d": "Restituisce un numero casuale uniformemente distribuito, ossia cambia se viene ricalcolato, e maggiore o uguale a 0 e minore di 1" }, + "RANDARRAY": { + "a": "([Righe], [Colonne], [min], [max], [numero_intero])", + "d": "Restituisce una matrice di numeri casuali" + }, "RANDBETWEEN": { "a": "(minore , maggiore)", "d": "Restituisce un numero casuale compreso tra i numeri specificati" @@ -1651,6 +1671,10 @@ "a": "(matrice)", "d": "Restituisce la trasposta della matrice data" }, + "UNIQUE": { + "a": "(Array, [by_col], [exactly_once])", + "d": "Restituisce un elenco di valori univoci in un elenco o un intervallo" + }, "VLOOKUP": { "a": "(val , matrice , indice_col [ , [ intervallo ] ])", "d": "Ricerca il valore in verticale nell'indice" diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/pl.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/pl.json index 04efaff24..034f111fc 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/pl.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/pl.json @@ -121,6 +121,7 @@ "T.TEST": "T.TEST", "TEXT": "TEKST", "TEXTJOIN": "POŁĄCZ.TEKSTY", + "TREND": "REGLINW", "TRIM": "USUŃ.ZBĘDNE.ODSTĘPY", "TRIMMEAN": "ŚREDNIA.WEWN", "TTEST": "TEST.T", @@ -191,6 +192,7 @@ "GAMMALN.PRECISE": "ROZKŁAD.LIN.GAMMA.DOKŁ", "GAUSS": "GAUSS", "GEOMEAN": "ŚREDNIA.GEOMETRYCZNA", + "GROWTH": "REGEXPW", "HARMEAN": "ŚREDNIA.HARMONICZNA", "HYPGEOM.DIST": "ROZKŁ.HIPERGEOM", "HYPGEOMDIST": "ROZKŁAD.HIPERGEOM", @@ -198,6 +200,7 @@ "KURT": "KURTOZA", "LARGE": "MAX.K", "LINEST": "REGLINP", + "LOGEST": "REGEXPP", "LOGINV": "ROZKŁAD.LOG.ODW", "LOGNORM.DIST": "ROZKŁ.LOG", "LOGNORM.INV": "ROZKŁ.LOG.ODWR", @@ -374,6 +377,7 @@ "MOD": "MOD", "MROUND": "ZAOKR.DO.WIELOKR", "MULTINOMIAL": "WIELOMIAN", + "MUNIT": "MACIERZ.JEDNOSTKOWA", "ODD": "ZAOKR.DO.NPARZ", "PI": "PI", "POWER": "POTĘGA", @@ -381,6 +385,7 @@ "QUOTIENT": "CZ.CAŁK.DZIELENIA", "RADIANS": "RADIANY", "RAND": "LOS", + "RANDARRAY": "LOSOWA.TABLICA", "RANDBETWEEN": "LOS.ZAKR", "ROMAN": "RZYMSKIE", "ROUND": "ZAOKR", @@ -421,6 +426,7 @@ "ROW": "WIERSZ", "ROWS": "ILE.WIERSZY", "TRANSPOSE": "TRANSPONUJ", + "UNIQUE": "UNIKATOWE", "VLOOKUP": "WYSZUKAJ.PIONOWO", "CELL": "KOMÓRKA", "ERROR.TYPE": "NR.BŁĘDU", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru.json index 02bd0c29a..84099c693 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru.json @@ -120,6 +120,7 @@ "T": "Т", "TEXT": "ТЕКСТ", "TEXTJOIN": "ОБЪЕДИНИТЬ", + "TREND": "ТЕНДЕНЦИЯ", "TRIM": "СЖПРОБЕЛЫ", "T.TEST": "СТЬЮДЕНТ.ТЕСТ", "TRIMMEAN": "УРЕЗСРЕДНЕЕ", @@ -191,6 +192,7 @@ "GAMMALN.PRECISE": "ГАММАНЛОГ.ТОЧН", "GAUSS": "ГАУСС", "GEOMEAN": "СРГЕОМ", + "GROWTH": "РОСТ", "HARMEAN": "СРГАРМ", "HYPGEOM.DIST": "ГИПЕРГЕОМ.РАСП", "HYPGEOMDIST": "ГИПЕРГЕОМЕТ", @@ -198,6 +200,7 @@ "KURT": "ЭКСЦЕСС", "LARGE": "НАИБОЛЬШИЙ", "LINEST": "ЛИНЕЙН", + "LOGEST": "ЛГРФПРИБЛ", "LOGINV": "ЛОГНОРМОБР", "LOGNORM.DIST": "ЛОГНОРМ.РАСП", "LOGNORM.INV": "ЛОГНОРМ.ОБР", @@ -374,6 +377,7 @@ "MOD": "ОСТАТ", "MROUND": "ОКРУГЛТ", "MULTINOMIAL": "МУЛЬТИНОМ", + "MUNIT": "МЕДИН", "ODD": "НЕЧЁТ", "PI": "ПИ", "POWER": "СТЕПЕНЬ", @@ -381,6 +385,7 @@ "QUOTIENT": "ЧАСТНОЕ", "RADIANS": "РАДИАНЫ", "RAND": "СЛЧИС", + "RANDARRAY": "СЛУЧМАССИВ", "RANDBETWEEN": "СЛУЧМЕЖДУ", "ROMAN": "РИМСКОЕ", "ROUND": "ОКРУГЛ", @@ -421,6 +426,7 @@ "ROW": "СТРОКА", "ROWS": "ЧСТРОК", "TRANSPOSE": "ТРАНСП", + "UNIQUE": "УНИК", "VLOOKUP": "ВПР", "CELL": "ЯЧЕЙКА", "ERROR.TYPE": "ТИП.ОШИБКИ", diff --git a/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru_desc.json b/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru_desc.json index 8587bf7ef..a2e9da8ca 100644 --- a/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru_desc.json +++ b/apps/spreadsheeteditor/mobile/resources/l10n/functions/ru_desc.json @@ -755,6 +755,10 @@ "a": "(список_аргументов)", "d": "Статистическая функция, вычисляет среднее геометрическое для списка значений" }, + "GROWTH": { + "a": "(известные_значения_y; [известные_значения_x]; [новые_значения_x]; [конст])", + "d": "Статистическая функция, рассчитывает прогнозируемый экспоненциальный рост на основе имеющихся данных; возвращает значения y для последовательности новых значений x, задаваемых с помощью существующих значений x и y" + }, "HARMEAN": { "a": "(список_аргументов)", "d": "Статистическая функция, вычисляет среднее гармоническое для списка значений" @@ -780,9 +784,13 @@ "d": "Статистическая функция, анализирует диапазон ячеек и возвращает k-ое по величине значение" }, "LINEST": { - "a": "( known_y's, [known_x's], [const], [stats] )", + "a": "(известные_значения_y; [известные_значения_x]; [конст]; [статистика])", "d": "Статистическая функция, рассчитывает статистику для ряда с применением метода наименьших квадратов, чтобы вычислить прямую линию, которая наилучшим образом аппроксимирует имеющиеся данные и затем возвращает массив, который описывает полученную прямую; поскольку возвращается массив значений, функция должна задаваться в виде формулы массива" }, + "LOGEST": { + "a": "(известные_значения_y; [известные_значения_x]; [конст]; [статистика])", + "d": "Статистическая функция, регрессионном анализе вычисляет экспоненциальную кривую, подходящую для данных и возвращает массив значений, описывающих кривую; поскольку данная функция возвращает массив значений, она должна вводиться как формула массива" + }, "LOGINV": { "a": "(x;среднее;стандартное_отклонение)", "d": "Статистическая функция, возвращает обратное логарифмическое нормальное распределение для заданного значения x с указанными параметрами" @@ -1039,6 +1047,10 @@ "a": "(массив1;массив2;хвосты;тип)", "d": "Статистическая функция, возвращает вероятность, соответствующую t-тесту Стьюдента; функция СТЬЮДЕНТ.ТЕСТ позволяет определить вероятность того, что две выборки взяты из генеральных совокупностей, которые имеют одно и то же среднее" }, + "TREND": { + "a": "(известные_значения_y; [известные_значения_x]; [новые_значения_x]; [конст])", + "d": "Статистическая функция, возвращает значения вдоль линейного тренда; он подмещается к прямой линии (с использованием метода наименьших квадратов) в known_y массива и known_x" + }, "TRIMMEAN": { "a": "(массив;доля)", "d": "Статистическая функция, возвращает среднее внутренности множества данных. УРЕЗСРЕДНЕЕ вычисляет среднее, отбрасывания заданный процент данных с экстремальными значениями; можно использовать эту функцию, чтобы исключить из анализа выбросы" @@ -1499,6 +1511,10 @@ "a": "(список_аргументов)", "d": "Математическая и тригонометрическая функция, возвращает отношение факториала суммы значений к произведению факториалов" }, + "MUNIT": { + "a": "(размерность)", + "d": "Математическая и тригонометрическая функция, возвращает матрицу единиц для указанного измерения" + }, "ODD": { "a": "(x)", "d": "Математическая и тригонометрическая функция, используется, чтобы округлить число до ближайшего нечетного целого числа" @@ -1527,6 +1543,10 @@ "a": "()", "d": "Математическая и тригонометрическая функция, возвращает случайное число, которое больше или равно 0 и меньше 1. Функция не требует аргумента" }, + "RANDARRAY": { + "a": "([строки];[столбцы];[минимум];[максимум];[целое_число])", + "d": "Математическая и тригонометрическая функция, возвращает массив случайных чисел" + }, "RANDBETWEEN": { "a": "(нижн_граница;верхн_граница)", "d": "Математическая и тригонометрическая функция, возвращает случайное число, большее или равное значению аргумента нижн_граница и меньшее или равное значению аргумента верхн_граница" @@ -1687,6 +1707,10 @@ "a": "(массив)", "d": "Поисковая функция, возвращает первый элемент массива" }, + "UNIQUE": { + "a": "(массив; [by_col]; [exactly_once])", + "d": "Поисковая функция, возвращает список уникальных значений в списке или диапазоне" + }, "VLOOKUP": { "a": "(искомое_значение;таблица;номер_столбца;[интервальный_просмотр])", "d": "Поисковая функция, используется для выполнения вертикального поиска значения в крайнем левом столбце таблицы или массива и возвращает значение, которое находится в той же самой строке в столбце с заданным номером" diff --git a/build/sprites/Gruntfile.js b/build/sprites/Gruntfile.js index 5603a92e4..03d7ad848 100644 --- a/build/sprites/Gruntfile.js +++ b/build/sprites/Gruntfile.js @@ -1,6 +1,7 @@ module.exports = function (grunt, rootpathprefix) { const sprite_name = 'iconssmall'; const sprite_name_big = 'iconsbig'; + const sprite_name_huge = 'iconshuge'; const helpers = { parselang: (name, options) => { @@ -19,7 +20,7 @@ module.exports = function (grunt, rootpathprefix) { const configTemplate = opts => { let _editor_res_root = `${_prefix}apps/${opts.editor}/main/resources`, _common_res_root = `${_prefix}apps/common/main/resources`, - _scaled_path = `${opts.scale}/${opts.isbig ? 'big' : '.'}`; + _scaled_path = `${opts.scale}/${opts.extpath ? opts.extpath : '.'}`; return { src: [`${_editor_res_root}/img/toolbar/${_scaled_path}/*.png`, `${_common_res_root}/img/toolbar/${_scaled_path}/*.png`], dest: `${_editor_res_root}/img/${opts.scale != '1x' ? opts.spritename + '@' + opts.scale : opts.spritename}.png`, @@ -41,7 +42,13 @@ module.exports = function (grunt, rootpathprefix) { editor:'documenteditor', spritename: sprite_name_big, scale: '1x', - isbig: true + extpath: 'big' + }), + 'word-huge-1x': configTemplate({ + editor:'documenteditor', + spritename: sprite_name_huge, + scale: '1x', + extpath: 'huge' }), 'word-2x': configTemplate({ editor:'documenteditor', @@ -52,7 +59,13 @@ module.exports = function (grunt, rootpathprefix) { editor:'documenteditor', spritename: sprite_name_big, scale: '2x', - isbig: true + extpath: 'big' + }), + 'word-huge-2x': configTemplate({ + editor:'documenteditor', + spritename: sprite_name_huge, + scale: '2x', + extpath: 'huge' }), 'word1.5x': configTemplate({ editor:'documenteditor', @@ -63,7 +76,13 @@ module.exports = function (grunt, rootpathprefix) { editor:'documenteditor', spritename: sprite_name_big, scale: '1.5x', - isbig: true + extpath: 'big' + }), + 'word-huge-1.5x': configTemplate({ + editor:'documenteditor', + spritename: sprite_name_huge, + scale: '1.5x', + extpath: 'huge' }), 'slide-1x': configTemplate({ editor:'presentationeditor', @@ -74,7 +93,7 @@ module.exports = function (grunt, rootpathprefix) { editor:'presentationeditor', spritename: sprite_name_big, scale: '1x', - isbig: true + extpath: 'big' }), 'slide-2x': configTemplate({ editor:'presentationeditor', @@ -85,7 +104,7 @@ module.exports = function (grunt, rootpathprefix) { editor:'presentationeditor', spritename: sprite_name_big, scale: '2x', - isbig: true + extpath: 'big' }), 'slide-1.5x': configTemplate({ editor:'presentationeditor', @@ -96,7 +115,7 @@ module.exports = function (grunt, rootpathprefix) { editor:'presentationeditor', spritename: sprite_name_big, scale: '1.5x', - isbig: true + extpath: 'big' }), 'cell-1x': configTemplate({ editor:'spreadsheeteditor', @@ -107,7 +126,7 @@ module.exports = function (grunt, rootpathprefix) { editor:'spreadsheeteditor', spritename: sprite_name_big, scale: '1x', - isbig: true + extpath: 'big' }), 'cell-2x': configTemplate({ editor:'spreadsheeteditor', @@ -118,7 +137,7 @@ module.exports = function (grunt, rootpathprefix) { editor:'spreadsheeteditor', spritename: sprite_name_big, scale: '2x', - isbig: true + extpath: 'big' }), 'cell-1.5x': configTemplate({ editor:'spreadsheeteditor', @@ -129,7 +148,7 @@ module.exports = function (grunt, rootpathprefix) { editor:'spreadsheeteditor', spritename: sprite_name_big, scale: '1.5x', - isbig: true + extpath: 'big' }) } }); @@ -137,7 +156,8 @@ module.exports = function (grunt, rootpathprefix) { // Load in `grunt-spritesmith` grunt.loadNpmTasks('grunt-spritesmith'); - grunt.registerTask('word-icons', ['sprite:word-1x', 'sprite:word-big-1x', 'sprite:word-2x', 'sprite:word-big-2x', 'sprite:word1.5x', 'sprite:word-big-1.5x']); + grunt.registerTask('word-icons', ['sprite:word-1x', 'sprite:word-big-1x', 'sprite:word-huge-1x', 'sprite:word-2x', 'sprite:word-big-2x', 'sprite:word-huge-2x', + 'sprite:word1.5x', 'sprite:word-big-1.5x', 'sprite:word-huge-1.5x']); grunt.registerTask('slide-icons', ['sprite:slide-1x', 'sprite:slide-big-1x','sprite:slide-2x', 'sprite:slide-big-2x','sprite:slide-1.5x', 'sprite:slide-big-1.5x']); grunt.registerTask('cell-icons', ['sprite:cell-1x', 'sprite:cell-big-1x','sprite:cell-2x', 'sprite:cell-big-2x','sprite:cell-1.5x', 'sprite:cell-big-1.5x']);
    FuenteFuenteFuenteFuente Se usa para elegir una letra en la lista de letras disponibles. Si una fuente determinada no está disponible en la lista, puede descargarla e instalarla en su sistema operativo, y después la fuente estará disponible para su uso en la versión de escritorio.